Merge branch 'develop' into yet-another-desk
diff --git a/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py b/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py
index 43acded..a9b3d7c 100644
--- a/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py
+++ b/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py
@@ -4,7 +4,7 @@
 from __future__ import unicode_literals
 import frappe, json
 from frappe import _
-from frappe.utils import add_to_date, date_diff, getdate, nowdate, get_last_day, formatdate
+from frappe.utils import add_to_date, date_diff, getdate, nowdate, get_last_day, formatdate, get_link_to_form
 from erpnext.accounts.report.general_ledger.general_ledger import execute
 from frappe.core.page.dashboard.dashboard import cache_source, get_from_date_from_timespan
 from frappe.desk.doctype.dashboard_chart.dashboard_chart import get_period_ending
@@ -30,8 +30,13 @@
 	account = filters.get("account")
 	company = filters.get("company")
 
-	if not account and chart:
-		frappe.throw(_("Account is not set for the dashboard chart {0}").format(chart))
+	if not account and chart_name:
+		frappe.throw(_("Account is not set for the dashboard chart {0}")
+			.format(get_link_to_form("Dashboard Chart", chart_name)))
+
+	if not frappe.db.exists("Account", account) and chart_name:
+		frappe.throw(_("Account {0} does not exists in the dashboard chart {1}")
+			.format(account, get_link_to_form("Dashboard Chart", chart_name)))
 
 	if not to_date:
 		to_date = nowdate()
diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py
index 1407d5f..d5a36b8 100644
--- a/erpnext/accounts/doctype/account/account.py
+++ b/erpnext/accounts/doctype/account/account.py
@@ -108,9 +108,9 @@
 			parent_acc_name_map = {}
 			parent_acc_name, parent_acc_number = frappe.db.get_value('Account', self.parent_account, \
 				["account_name", "account_number"])
-			filters = { 
+			filters = {
 				"company": ["in", descendants],
-				"account_name": parent_acc_name, 
+				"account_name": parent_acc_name,
 			}
 			if parent_acc_number:
 				filters["account_number"] = parent_acc_number
diff --git a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py
index 52bbe33..48fd154 100644
--- a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py
+++ b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py
@@ -13,13 +13,15 @@
 
 class BankReconciliation(Document):
 	def get_payment_entries(self):
-		if not (self.bank_account and self.from_date and self.to_date):
-			msgprint(_("Bank Account, From Date and To Date are Mandatory"))
-			return
+		if not (self.from_date and self.to_date):
+			frappe.throw(_("From Date and To Date are Mandatory"))
+
+		if not self.account:
+			frappe.throw(_("Account is mandatory to get payment entries"))
 
 		condition = ""
 		if not self.include_reconciled_entries:
-			condition = " and (clearance_date is null or clearance_date='0000-00-00')"
+			condition = "and (clearance_date IS NULL or clearance_date='0000-00-00')"
 
 		journal_entries = frappe.db.sql("""
 			select
@@ -32,10 +34,13 @@
 			where
 				t2.parent = t1.name and t2.account = %(account)s and t1.docstatus=1
 				and t1.posting_date >= %(from)s and t1.posting_date <= %(to)s
-				and ifnull(t1.is_opening, 'No') = 'No' %(condition)s
+				and ifnull(t1.is_opening, 'No') = 'No' {condition}
 			group by t2.account, t1.name
 			order by t1.posting_date ASC, t1.name DESC
-		""", {"condition":condition, "account": self.account, "from": self.from_date, "to": self.to_date}, as_dict=1)
+		""".format(condition=condition), {"account": self.account, "from": self.from_date, "to": self.to_date}, as_dict=1)
+
+		if self.bank_account:
+			condition += 'and bank_account = %(bank_account)s'
 
 		payment_entries = frappe.db.sql("""
 			select
@@ -49,10 +54,10 @@
 			where
 				(paid_from=%(account)s or paid_to=%(account)s) and docstatus=1
 				and posting_date >= %(from)s and posting_date <= %(to)s
-				and bank_account = %(bank_account)s
+				{condition}
 			order by
 				posting_date ASC, name DESC
-		""", {"account": self.account, "from":self.from_date,
+		""".format(condition=condition), {"account": self.account, "from":self.from_date,
 				"to": self.to_date, "bank_account": self.bank_account}, as_dict=1)
 
 		pos_entries = []
diff --git a/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js b/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js
index 40a97ae..0b7cff3 100644
--- a/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js
+++ b/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js
@@ -17,17 +17,60 @@
 		if (frm.page && frm.page.show_import_button) {
 			create_import_button(frm);
 		}
+	},
 
-		// show download template button when company is properly selected
-		if(frm.doc.company) {
-			// download the csv template file
-			frm.add_custom_button(__("Download template"), function () {
-				let get_template_url = 'erpnext.accounts.doctype.chart_of_accounts_importer.chart_of_accounts_importer.download_template';
-				open_url_post(frappe.request.url, { cmd: get_template_url, doctype: frm.doc.doctype });
-			});
-		} else {
-			frm.set_value("import_file", "");
-		}
+	download_template: function(frm) {
+		var d = new frappe.ui.Dialog({
+			title: __("Download Template"),
+			fields: [
+				{
+					label : "File Type",
+					fieldname: "file_type",
+					fieldtype: "Select",
+					reqd: 1,
+					options: ["Excel", "CSV"]
+				},
+				{
+					label: "Template Type",
+					fieldname: "template_type",
+					fieldtype: "Select",
+					reqd: 1,
+					options: ["Sample Template", "Blank Template"],
+					change: () => {
+						let template_type = d.get_value('template_type');
+
+						if (template_type === "Sample Template") {
+							d.set_df_property('template_type', 'description',
+								`The Sample Template contains all the required accounts pre filled in the  template.
+								You can add more accounts or change existing accounts in the template as per your choice.`);
+						} else {
+							d.set_df_property('template_type', 'description',
+								`The Blank Template contains just the account type and root type required to build the Chart
+								of Accounts. Please enter the account names and add more rows as per your requirement.`);
+						}
+					}
+				}
+			],
+			primary_action: function() {
+				var data = d.get_values();
+
+				if (!data.template_type) {
+					frappe.throw(__('Please select <b>Template Type</b> to download template'));
+				}
+
+				open_url_post(
+					'/api/method/erpnext.accounts.doctype.chart_of_accounts_importer.chart_of_accounts_importer.download_template',
+					{
+						file_type: data.file_type,
+						template_type: data.template_type
+					}
+				);
+
+				d.hide();
+			},
+			primary_action_label: __('Download')
+		});
+		d.show();
 	},
 
 	import_file: function (frm) {
@@ -41,21 +84,24 @@
 	},
 
 	company: function (frm) {
-		// validate that no Gl Entry record for the company exists.
-		frappe.call({
-			method: "erpnext.accounts.doctype.chart_of_accounts_importer.chart_of_accounts_importer.validate_company",
-			args: {
-				company: frm.doc.company
-			},
-			callback: function(r) {
-				if(r.message===false) {
-					frm.set_value("company", "");
-					frappe.throw(__("Transactions against the company already exist! "));
-				} else {
-					frm.trigger("refresh");
+		if (frm.doc.company) {
+			// validate that no Gl Entry record for the company exists.
+			frappe.call({
+				method: "erpnext.accounts.doctype.chart_of_accounts_importer.chart_of_accounts_importer.validate_company",
+				args: {
+					company: frm.doc.company
+				},
+				callback: function(r) {
+					if(r.message===false) {
+						frm.set_value("company", "");
+						frappe.throw(__(`Transactions against the company already exist!
+							Chart Of accounts can be imported for company with no transactions`));
+					} else {
+						frm.trigger("refresh");
+					}
 				}
-			}
-		});
+			});
+		}
 	}
 });
 
@@ -77,7 +123,7 @@
 };
 
 var create_import_button = function(frm) {
-	frm.page.set_primary_action(__("Start Import"), function () {
+	frm.page.set_primary_action(__("Import"), function () {
 		frappe.call({
 			method: "erpnext.accounts.doctype.chart_of_accounts_importer.chart_of_accounts_importer.import_coa",
 			args: {
@@ -118,7 +164,8 @@
 		args: {
 			file_name: frm.doc.import_file,
 			parent: parent,
-			doctype: 'Chart of Accounts Importer'
+			doctype: 'Chart of Accounts Importer',
+			file_type: frm.doc.file_type
 		},
 		onclick: function(node) {
 			parent = node.value;
diff --git a/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.json b/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.json
index d544e69..ee095ac 100644
--- a/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.json
+++ b/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.json
@@ -1,226 +1,71 @@
 {
- "allow_copy": 1, 
- "allow_events_in_timeline": 0, 
- "allow_guest_to_view": 0, 
- "allow_import": 0, 
- "allow_rename": 0, 
- "beta": 0, 
- "creation": "2019-02-01 12:24:34.761380", 
- "custom": 0, 
+ "actions": [],
+ "allow_copy": 1,
+ "creation": "2019-02-01 12:24:34.761380",
  "description": "Import Chart of Accounts from a csv file",
- "docstatus": 0, 
- "doctype": "DocType", 
- "document_type": "Other", 
- "editable_grid": 1, 
- "engine": "InnoDB", 
+ "doctype": "DocType",
+ "document_type": "Other",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "company",
+  "download_template",
+  "import_file",
+  "chart_preview",
+  "chart_tree"
+ ],
  "fields": [
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "company", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Company", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Company", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Company",
+   "options": "Company"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "import_file_section",
-   "fieldtype": "Section Break",
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "depends_on": "",
+   "depends_on": "company",
    "fieldname": "import_file",
    "fieldtype": "Attach",
-   "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": "Attach custom Chart of Accounts file",
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "",
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "label": "Attach custom Chart of Accounts file"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
    "collapsible": 1,
-   "columns": 0,
    "fieldname": "chart_preview",
-   "fieldtype": "Section Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Chart Preview",
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldtype": "Section Break",
+   "label": "Chart Preview"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
    "fieldname": "chart_tree",
    "fieldtype": "HTML",
-   "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": "Chart Tree",
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
+   "label": "Chart Tree"
+  },
+  {
+   "depends_on": "company",
+   "fieldname": "download_template",
+   "fieldtype": "Button",
+   "label": "Download Template"
   }
- ], 
- "has_web_view": 0, 
- "hide_heading": 1, 
- "hide_toolbar": 1, 
- "idx": 0, 
- "image_view": 0, 
- "in_create": 1, 
- "is_submittable": 0, 
- "issingle": 1, 
- "istable": 0, 
- "max_attachments": 0, 
- "modified": "2019-02-04 23:10:30.136807",
- "modified_by": "Administrator", 
- "module": "Accounts", 
- "name": "Chart of Accounts Importer", 
- "name_case": "", 
- "owner": "Administrator", 
+ ],
+ "hide_toolbar": 1,
+ "in_create": 1,
+ "issingle": 1,
+ "links": [],
+ "modified": "2020-02-28 08:49:11.422846",
+ "modified_by": "Administrator",
+ "module": "Accounts",
+ "name": "Chart of Accounts Importer",
+ "owner": "Administrator",
  "permissions": [
   {
-   "amend": 0, 
-   "cancel": 0, 
-   "create": 1, 
-   "delete": 0, 
-   "email": 0, 
-   "export": 0, 
-   "if_owner": 0, 
-   "import": 0, 
-   "permlevel": 0, 
-   "print": 0, 
-   "read": 1, 
-   "report": 0, 
-   "role": "Accounts Manager", 
-   "set_user_permissions": 0, 
-   "share": 1, 
-   "submit": 0, 
+   "create": 1,
+   "read": 1,
+   "role": "Accounts Manager",
+   "share": 1,
    "write": 1
   }
- ], 
- "quick_entry": 1, 
- "read_only": 1, 
- "read_only_onload": 0, 
- "show_name_in_global_search": 0, 
- "sort_field": "", 
- "sort_order": "DESC", 
- "track_changes": 0, 
- "track_seen": 0, 
- "track_views": 0
+ ],
+ "quick_entry": 1,
+ "read_only": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC"
 }
\ No newline at end of file
diff --git a/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py b/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py
index 362efef..b6f5396 100644
--- a/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py
+++ b/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py
@@ -4,18 +4,28 @@
 
 from __future__ import unicode_literals
 from functools import reduce
-import frappe, csv
+import frappe, csv, os
 from frappe import _
-from frappe.utils import cstr
+from frappe.utils import cstr, cint
 from frappe.model.document import Document
 from frappe.utils.csvutils import UnicodeWriter
 from erpnext.accounts.doctype.account.chart_of_accounts.chart_of_accounts import create_charts, build_tree_from_json
+from frappe.utils.xlsxutils import read_xlsx_file_from_attached_file, read_xls_file_from_attached_file
 
 class ChartofAccountsImporter(Document):
 	pass
 
 @frappe.whitelist()
 def validate_company(company):
+	parent_company, allow_account_creation_against_child_company = frappe.db.get_value('Company',
+		{'name': company}, ['parent_company',
+		'allow_account_creation_against_child_company'])
+
+	if parent_company and (not allow_account_creation_against_child_company):
+		frappe.throw(_("""{0} is a child company. Please import accounts against parent company
+			or enable {1} in company master""").format(frappe.bold(company),
+			frappe.bold('Allow Account Creation Against Child Company')), title='Wrong Company')
+
 	if frappe.db.get_all('GL Entry', {"company": company}, "name", limit=1):
 		return False
 
@@ -25,42 +35,85 @@
 	unset_existing_data(company)
 
 	# create accounts
-	forest = build_forest(generate_data_from_csv(file_name))
+	file_doc, extension = get_file(file_name)
+
+	if extension  == 'csv':
+		data = generate_data_from_csv(file_doc)
+	else:
+		data = generate_data_from_excel(file_doc, extension)
+
+	forest = build_forest(data)
 	create_charts(company, custom_chart=forest)
 
 	# trigger on_update for company to reset default accounts
 	set_default_accounts(company)
 
-def generate_data_from_csv(file_name, as_dict=False):
-	''' read csv file and return the generated nested tree '''
-	if not file_name.endswith('.csv'):
-		frappe.throw("Only CSV files can be used to for importing data. Please check the file format you are trying to upload")
+def get_file(file_name):
+	file_doc = frappe.get_doc("File", {"file_url": file_name})
+	parts = file_doc.get_extension()
+	extension = parts[1]
+	extension = extension.lstrip(".")
 
-	file_doc = frappe.get_doc('File', {"file_url": file_name})
+	if extension not in ('csv',  'xlsx', 'xls'):
+		frappe.throw("Only CSV and Excel files can be used to for importing data. Please check the file format you are trying to upload")
+
+	return  file_doc, extension
+
+def generate_data_from_csv(file_doc, as_dict=False):
+	''' read csv file and return the generated nested tree '''
+
 	file_path = file_doc.get_full_path()
 
 	data = []
 	with open(file_path, 'r') as in_file:
 		csv_reader = list(csv.reader(in_file))
-		headers = csv_reader[1][1:]
-		del csv_reader[0:2] # delete top row and headers row
+		headers = csv_reader[0]
+		del csv_reader[0] # delete top row and headers row
 
 		for row in csv_reader:
 			if as_dict:
-				data.append({frappe.scrub(header): row[index+1] for index, header in enumerate(headers)})
+				data.append({frappe.scrub(header): row[index] for index, header in enumerate(headers)})
 			else:
-				if not row[2]: row[2] = row[1]
-				data.append(row[1:])
+				if not row[1]: row[1] = row[0]
+				data.append(row)
 
 	# convert csv data
 	return data
 
+def generate_data_from_excel(file_doc, extension, as_dict=False):
+	content = file_doc.get_content()
+
+	if extension == "xlsx":
+		rows = read_xlsx_file_from_attached_file(fcontent=content)
+	elif extension == "xls":
+		rows = read_xls_file_from_attached_file(content)
+
+	data = []
+	headers = rows[0]
+	del rows[0]
+
+	for row in rows:
+		if as_dict:
+			data.append({frappe.scrub(header): row[index] for index, header in enumerate(headers)})
+		else:
+			if not row[1]: row[1] = row[0]
+			data.append(row)
+
+	return data
+
 @frappe.whitelist()
 def get_coa(doctype, parent, is_root=False, file_name=None):
 	''' called by tree view (to fetch node's children) '''
 
+	file_doc, extension = get_file(file_name)
 	parent = None if parent==_('All Accounts') else parent
-	forest = build_forest(generate_data_from_csv(file_name))
+
+	if extension  == 'csv':
+		data = generate_data_from_csv(file_doc)
+	else:
+		data = generate_data_from_excel(file_doc, extension)
+
+	forest = build_forest(data)
 	accounts = build_tree_from_json("", chart_data=forest) # returns alist of dict in a tree render-able form
 
 	# filter out to show data for the selected node only
@@ -91,6 +144,8 @@
 
 	# returns the path of any node in list format
 	def return_parent(data, child):
+		from frappe import _
+
 		for row in data:
 			account_name, parent_account = row[0:2]
 			if parent_account == account_name == child:
@@ -98,8 +153,9 @@
 			elif account_name == child:
 				parent_account_list = return_parent(data, parent_account)
 				if not parent_account_list:
-					frappe.throw(_("The parent account {0} does not exists")
-						.format(parent_account))
+					frappe.throw(_("The parent account {0} does not exists in the uploaded template").format(
+						frappe.bold(parent_account)))
+
 				return [child] + parent_account_list
 
 	charts_map, paths = {}, []
@@ -114,7 +170,7 @@
 			error_messages.append("Row {0}: Please enter Account Name".format(line_no))
 
 		charts_map[account_name] = {}
-		if is_group == 1: charts_map[account_name]["is_group"] = is_group
+		if cint(is_group) == 1: charts_map[account_name]["is_group"] = is_group
 		if account_type: charts_map[account_name]["account_type"] = account_type
 		if root_type: charts_map[account_name]["root_type"] = root_type
 		if account_number: charts_map[account_name]["account_number"] = account_number
@@ -132,24 +188,94 @@
 
 	return out
 
+def build_response_as_excel(writer):
+	filename = frappe.generate_hash("", 10)
+	with open(filename, 'wb') as f:
+		f.write(cstr(writer.getvalue()).encode('utf-8'))
+	f = open(filename)
+	reader = csv.reader(f)
+
+	from frappe.utils.xlsxutils import make_xlsx
+	xlsx_file = make_xlsx(reader, "Chart Of Accounts Importer Template")
+
+	f.close()
+	os.remove(filename)
+
+	# write out response as a xlsx type
+	frappe.response['filename'] = 'coa_importer_template.xlsx'
+	frappe.response['filecontent'] = xlsx_file.getvalue()
+	frappe.response['type'] = 'binary'
+
 @frappe.whitelist()
-def download_template():
+def download_template(file_type, template_type):
 	data = frappe._dict(frappe.local.form_dict)
+
+	writer = get_template(template_type)
+
+	if file_type == 'CSV':
+		# download csv file
+		frappe.response['result'] = cstr(writer.getvalue())
+		frappe.response['type'] = 'csv'
+		frappe.response['doctype'] = 'Chart of Accounts Importer'
+	else:
+		build_response_as_excel(writer)
+
+def get_template(template_type):
+
 	fields = ["Account Name", "Parent Account", "Account Number", "Is Group", "Account Type", "Root Type"]
 	writer = UnicodeWriter()
+	writer.writerow(fields)
 
-	writer.writerow([_('Chart of Accounts Template')])
-	writer.writerow([_("Column Labels : ")] + fields)
-	writer.writerow([_("Start entering data from here : ")])
+	if template_type == 'Blank Template':
+		for root_type in  get_root_types():
+			writer.writerow(['', '', '', 1, '', root_type])
 
-	# download csv file
-	frappe.response['result'] = cstr(writer.getvalue())
-	frappe.response['type'] = 'csv'
-	frappe.response['doctype'] = data.get('doctype')
+		for account in get_mandatory_group_accounts():
+			writer.writerow(['', '', '', 1, account, "Asset"])
+
+		for account_type in get_mandatory_account_types():
+			writer.writerow(['', '', '', 0, account_type.get('account_type'), account_type.get('root_type')])
+	else:
+		writer = get_sample_template(writer)
+
+	return writer
+
+def get_sample_template(writer):
+	template = [
+		["Application Of Funds(Assets)", "", "", 1, "", "Asset"],
+		["Sources Of Funds(Liabilities)", "", "", 1, "", "Liability"],
+		["Equity", "", "", 1, "", "Equity"],
+		["Expenses", "", "", 1, "", "Expense"],
+		["Income", "", "", 1, "", "Income"],
+		["Bank Accounts", "Application Of Funds(Assets)", "", 1, "Bank", "Asset"],
+		["Cash In Hand", "Application Of Funds(Assets)", "", 1, "Cash", "Asset"],
+		["Stock Assets", "Application Of Funds(Assets)", "", 1, "Stock", "Asset"],
+		["Cost Of Goods Sold", "Expenses", "", 0, "Cost of Goods Sold", "Expense"],
+		["Asset Depreciation", "Expenses", "", 0, "Depreciation", "Expense"],
+		["Fixed Assets", "Application Of Funds(Assets)", "", 0, "Fixed Asset", "Asset"],
+		["Accounts Payable", "Sources Of Funds(Liabilities)", "", 0, "Payable", "Liability"],
+		["Accounts Receivable", "Application Of Funds(Assets)", "", 1, "Receivable", "Asset"],
+		["Stock Expenses", "Expenses", "", 0, "Stock Adjustment", "Expense"],
+		["Sample Bank", "Bank Accounts", "", 0, "Bank", "Asset"],
+		["Cash", "Cash In Hand", "", 0, "Cash", "Asset"],
+		["Stores", "Stock Assets", "", 0, "Stock", "Asset"],
+	]
+
+	for row in template:
+		writer.writerow(row)
+
+	return writer
+
 
 @frappe.whitelist()
 def validate_accounts(file_name):
-	accounts = generate_data_from_csv(file_name, as_dict=True)
+
+	file_doc, extension = get_file(file_name)
+
+	if extension  == 'csv':
+		accounts = generate_data_from_csv(file_doc, as_dict=True)
+	else:
+		accounts = generate_data_from_excel(file_doc, extension, as_dict=True)
 
 	accounts_dict = {}
 	for account in accounts:
@@ -174,12 +300,38 @@
 	for account in roots:
 		if not account.get("root_type") and account.get("account_name"):
 			error_messages.append("Please enter Root Type for account- {0}".format(account.get("account_name")))
-		elif account.get("root_type") not in ("Asset", "Liability", "Expense", "Income", "Equity") and account.get("account_name"):
+		elif account.get("root_type") not in get_root_types() and account.get("account_name"):
 			error_messages.append("Root Type for {0} must be one of the Asset, Liability, Income, Expense and Equity".format(account.get("account_name")))
 
 	if error_messages:
 		return "<br>".join(error_messages)
 
+def get_root_types():
+	return ('Asset', 'Liability', 'Expense', 'Income', 'Equity')
+
+def get_report_type(root_type):
+	if root_type in ('Asset', 'Liability', 'Equity'):
+		return 'Balance Sheet'
+	else:
+		return 'Profit and Loss'
+
+def get_mandatory_group_accounts():
+	return ('Bank', 'Cash', 'Stock')
+
+def get_mandatory_account_types():
+	return [
+		{'account_type': 'Cost of Goods Sold', 'root_type': 'Expense'},
+		{'account_type': 'Depreciation', 'root_type': 'Expense'},
+		{'account_type': 'Fixed Asset', 'root_type': 'Asset'},
+		{'account_type': 'Payable', 'root_type': 'Liability'},
+		{'account_type': 'Receivable', 'root_type': 'Asset'},
+		{'account_type': 'Stock Adjustment', 'root_type': 'Expense'},
+		{'account_type': 'Bank', 'root_type': 'Asset'},
+		{'account_type': 'Cash', 'root_type': 'Asset'},
+		{'account_type': 'Stock', 'root_type': 'Asset'}
+	]
+
+
 def validate_account_types(accounts):
 	account_types_for_ledger = ["Cost of Goods Sold", "Depreciation", "Fixed Asset", "Payable", "Receivable", "Stock Adjustment"]
 	account_types = [accounts[d]["account_type"] for d in accounts if not accounts[d]['is_group'] == 1]
diff --git a/erpnext/accounts/doctype/discounted_invoice/discounted_invoice.json b/erpnext/accounts/doctype/discounted_invoice/discounted_invoice.json
index 5c3519a..02b0c4d 100644
--- a/erpnext/accounts/doctype/discounted_invoice/discounted_invoice.json
+++ b/erpnext/accounts/doctype/discounted_invoice/discounted_invoice.json
@@ -18,7 +18,8 @@
    "in_list_view": 1,
    "label": "Invoice",
    "options": "Sales Invoice",
-   "reqd": 1
+   "reqd": 1,
+   "search_index": 1
   },
   {
    "fetch_from": "sales_invoice.customer",
@@ -60,7 +61,7 @@
   }
  ],
  "istable": 1,
- "modified": "2019-09-26 11:05:36.016772",
+ "modified": "2020-02-20 16:16:20.724620",
  "modified_by": "Administrator",
  "module": "Accounts",
  "name": "Discounted Invoice",
diff --git a/erpnext/accounts/doctype/discounted_invoice/discounted_invoice.py b/erpnext/accounts/doctype/discounted_invoice/discounted_invoice.py
index 93dfcc1..109737f 100644
--- a/erpnext/accounts/doctype/discounted_invoice/discounted_invoice.py
+++ b/erpnext/accounts/doctype/discounted_invoice/discounted_invoice.py
@@ -7,4 +7,4 @@
 from frappe.model.document import Document
 
 class DiscountedInvoice(Document):
-	pass
+	pass
\ No newline at end of file
diff --git a/erpnext/accounts/doctype/gl_entry/gl_entry.py b/erpnext/accounts/doctype/gl_entry/gl_entry.py
index 041e419..f9e4fd7 100644
--- a/erpnext/accounts/doctype/gl_entry/gl_entry.py
+++ b/erpnext/accounts/doctype/gl_entry/gl_entry.py
@@ -232,11 +232,36 @@
 		if bal < 0 and not on_cancel:
 			frappe.throw(_("Outstanding for {0} cannot be less than zero ({1})").format(against_voucher, fmt_money(bal)))
 
-	# Update outstanding amt on against voucher
 	if against_voucher_type in ["Sales Invoice", "Purchase Invoice", "Fees"]:
+		update_outstanding_amt_in_ref(against_voucher, against_voucher_type, bal)
+
+def update_outstanding_amt_in_ref(against_voucher, against_voucher_type, bal):
+	data = []
+	# Update outstanding amt on against voucher
+	if against_voucher_type == "Fees":
 		ref_doc = frappe.get_doc(against_voucher_type, against_voucher)
 		ref_doc.db_set('outstanding_amount', bal)
 		ref_doc.set_status(update=True)
+		return
+	elif against_voucher_type == "Purchase Invoice":
+		from erpnext.accounts.doctype.purchase_invoice.purchase_invoice import get_status
+		data = frappe.db.get_value(against_voucher_type, against_voucher, 
+			["name as purchase_invoice", "outstanding_amount", 
+			"is_return", "due_date", "docstatus"])
+	elif against_voucher_type == "Sales Invoice":
+		from erpnext.accounts.doctype.sales_invoice.sales_invoice import get_status
+		data = frappe.db.get_value(against_voucher_type, against_voucher, 
+			["name as sales_invoice", "outstanding_amount", "is_discounted", 
+			"is_return", "due_date", "docstatus"])
+
+	precision = frappe.get_precision(against_voucher_type, "outstanding_amount")
+	data = list(data)
+	data.append(precision)
+	status = get_status(data)
+	frappe.db.set_value(against_voucher_type, against_voucher, {
+		'outstanding_amount': bal,
+		'status': status
+	})
 
 def validate_frozen_account(account, adv_adj=None):
 	frozen_account = frappe.db.get_value("Account", account, "freeze_account")
@@ -274,6 +299,9 @@
 		if d.against != new_against:
 			frappe.db.set_value("GL Entry", d.name, "against", new_against)
 
+def on_doctype_update():
+	frappe.db.add_index("GL Entry", ["against_voucher_type", "against_voucher"])
+	frappe.db.add_index("GL Entry", ["voucher_type", "voucher_no"])
 
 def rename_gle_sle_docs():
 	for doctype in ["GL Entry", "Stock Ledger Entry"]:
diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.py b/erpnext/accounts/doctype/journal_entry/journal_entry.py
index 458e4a2..2cbd40b 100644
--- a/erpnext/accounts/doctype/journal_entry/journal_entry.py
+++ b/erpnext/accounts/doctype/journal_entry/journal_entry.py
@@ -9,7 +9,6 @@
 from erpnext.accounts.utils import get_balance_on, get_account_currency
 from erpnext.accounts.party import get_party_account
 from erpnext.hr.doctype.expense_claim.expense_claim import update_reimbursed_amount
-from erpnext.hr.doctype.loan.loan import update_disbursement_status, update_total_amount_paid
 from erpnext.accounts.doctype.invoice_discounting.invoice_discounting import get_party_account_based_on_invoice_discounting
 
 from six import string_types, iteritems
@@ -50,7 +49,6 @@
 		self.make_gl_entries()
 		self.update_advance_paid()
 		self.update_expense_claim()
-		self.update_loan()
 		self.update_inter_company_jv()
 		self.update_invoice_discounting()
 
@@ -62,7 +60,6 @@
 		self.make_gl_entries(1)
 		self.update_advance_paid()
 		self.update_expense_claim()
-		self.update_loan()
 		self.unlink_advance_entry_reference()
 		self.unlink_asset_reference()
 		self.unlink_inter_company_jv()
@@ -460,8 +457,7 @@
 		for d in self.get('accounts'):
 			if d.party_type in ['Customer', 'Supplier'] and d.party:
 				if not pay_to_recd_from:
-					pay_to_recd_from = frappe.db.get_value(d.party_type, d.party,
-						"customer_name" if d.party_type=="Customer" else "supplier_name")
+					pay_to_recd_from = d.party
 
 				if pay_to_recd_from and pay_to_recd_from == d.party:
 					party_amount += (d.debit_in_account_currency or d.credit_in_account_currency)
@@ -472,7 +468,8 @@
 				bank_account_currency = d.account_currency
 
 		if pay_to_recd_from:
-			self.pay_to_recd_from = pay_to_recd_from
+			self.pay_to_recd_from = frappe.db.get_value(d.party_type, pay_to_recd_from,
+				"customer_name" if d.party_type=="Customer" else "supplier_name")
 			if bank_amount:
 				total_amount = bank_amount
 				currency = bank_account_currency
@@ -597,17 +594,6 @@
 				doc = frappe.get_doc("Expense Claim", d.reference_name)
 				update_reimbursed_amount(doc)
 
-	def update_loan(self):
-		if self.paid_loan:
-			paid_loan = json.loads(self.paid_loan)
-			value = 1 if self.docstatus < 2 else 0
-			for name in paid_loan:
-				frappe.db.set_value("Repayment Schedule", name, "paid", value)
-		for d in self.accounts:
-			if d.reference_type=="Loan" and flt(d.debit) > 0:
-				doc = frappe.get_doc("Loan", d.reference_name)
-				update_disbursement_status(doc)
-				update_total_amount_paid(doc)
 
 	def validate_expense_claim(self):
 		for d in self.accounts:
diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.js b/erpnext/accounts/doctype/payment_entry/payment_entry.js
index 2192b7b..968fb60 100644
--- a/erpnext/accounts/doctype/payment_entry/payment_entry.js
+++ b/erpnext/accounts/doctype/payment_entry/payment_entry.js
@@ -253,6 +253,19 @@
 			frappe.throw(__("Party can only be one of "+ party_types.join(", ")));
 		}
 
+		frm.set_query("party", function() {
+			if(frm.doc.party_type == 'Employee'){
+				return {
+					query: "erpnext.controllers.queries.employee_query"
+				}
+			}
+			else if(frm.doc.party_type == 'Customer'){
+				return {
+					query: "erpnext.controllers.queries.customer_query"
+				}
+			}
+		});
+
 		if(frm.doc.party) {
 			$.each(["party", "party_balance", "paid_from", "paid_to",
 				"paid_from_account_currency", "paid_from_account_balance",
diff --git a/erpnext/accounts/doctype/payment_entry/test_payment_entry.py b/erpnext/accounts/doctype/payment_entry/test_payment_entry.py
index a7ab175..5303743 100644
--- a/erpnext/accounts/doctype/payment_entry/test_payment_entry.py
+++ b/erpnext/accounts/doctype/payment_entry/test_payment_entry.py
@@ -149,6 +149,49 @@
 		outstanding_amount = flt(frappe.db.get_value("Sales Invoice", pi.name, "outstanding_amount"))
 		self.assertEqual(outstanding_amount, 0)
 
+
+	def test_payment_against_sales_invoice_to_check_status(self):
+		si = create_sales_invoice(customer="_Test Customer USD", debit_to="_Test Receivable USD - _TC",
+			currency="USD", conversion_rate=50)
+
+		pe = get_payment_entry("Sales Invoice", si.name, bank_account="_Test Bank USD - _TC")
+		pe.reference_no = "1"
+		pe.reference_date = "2016-01-01"
+		pe.target_exchange_rate = 50
+		pe.insert()
+		pe.submit()
+
+		outstanding_amount = flt(frappe.db.get_value("Sales Invoice", si.name, "outstanding_amount"))
+		self.assertEqual(outstanding_amount, 0)
+		self.assertEqual(si.status, 'Paid')
+
+		pe.cancel()
+
+		outstanding_amount = flt(frappe.db.get_value("Sales Invoice", si.name, "outstanding_amount"))
+		self.assertEqual(outstanding_amount, 100)
+		self.assertEqual(si.status, 'Unpaid')
+
+	def test_payment_against_purchase_invoice_to_check_status(self):
+		pi = make_purchase_invoice(supplier="_Test Supplier USD", debit_to="_Test Payable USD - _TC",
+			currency="USD", conversion_rate=50)
+
+		pe = get_payment_entry("Purchase Invoice", pi.name, bank_account="_Test Bank USD - _TC")
+		pe.reference_no = "1"
+		pe.reference_date = "2016-01-01"
+		pe.source_exchange_rate = 50
+		pe.insert()
+		pe.submit()
+
+		outstanding_amount = flt(frappe.db.get_value("Purchase Invoice", pi.name, "outstanding_amount"))
+		self.assertEqual(outstanding_amount, 0)
+		self.assertEqual(pi.status, 'Paid')
+
+		pe.cancel()
+
+		outstanding_amount = flt(frappe.db.get_value("Purchase Invoice", pi.name, "outstanding_amount"))
+		self.assertEqual(outstanding_amount, 100)
+		self.assertEqual(pi.status, 'Unpaid')
+
 	def test_payment_entry_against_ec(self):
 
 		payable = frappe.get_cached_value('Company',  "_Test Company",  'default_payable_account')
@@ -566,4 +609,4 @@
 		self.assertEqual(expected_party_account_balance, party_account_balance)
 
 		accounts_settings.allow_cost_center_in_entry_of_bs_account = 0
-		accounts_settings.save()
+		accounts_settings.save()
\ No newline at end of file
diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py
index 2c04a27..3080496 100644
--- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py
+++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py
@@ -92,6 +92,7 @@
 			FROM `tab{doc}`, `tabGL Entry`
 			WHERE
 				(`tab{doc}`.name = `tabGL Entry`.against_voucher or `tab{doc}`.name = `tabGL Entry`.voucher_no)
+				and `tab{doc}`.{party_type_field} = %(party)s
 				and `tab{doc}`.is_return = 1 and `tab{doc}`.return_against IS NULL
 				and `tabGL Entry`.against_voucher_type = %(voucher_type)s
 				and `tab{doc}`.docstatus = 1 and `tabGL Entry`.party = %(party)s
@@ -99,12 +100,17 @@
 			GROUP BY `tab{doc}`.name
 			Having
 				amount > 0
-		""".format(doc=voucher_type, dr_or_cr=dr_or_cr, reconciled_dr_or_cr=reconciled_dr_or_cr), {
-			'party': self.party,
-			'party_type': self.party_type,
-			'voucher_type': voucher_type,
-			'account': self.receivable_payable_account
-		}, as_dict=1)
+		""".format(
+			doc=voucher_type, 
+			dr_or_cr=dr_or_cr, 
+			reconciled_dr_or_cr=reconciled_dr_or_cr, 
+			party_type_field=frappe.scrub(self.party_type)), 
+			{
+				'party': self.party,
+				'party_type': self.party_type,
+				'voucher_type': voucher_type,
+				'account': self.receivable_payable_account
+			}, as_dict=1)
 
 	def add_payment_entries(self, entries):
 		self.set('payments', [])
diff --git a/erpnext/accounts/doctype/pos_profile/test_pos_profile.py b/erpnext/accounts/doctype/pos_profile/test_pos_profile.py
index 58f1216..64d347d 100644
--- a/erpnext/accounts/doctype/pos_profile/test_pos_profile.py
+++ b/erpnext/accounts/doctype/pos_profile/test_pos_profile.py
@@ -29,27 +29,29 @@
 
 		frappe.db.sql("delete from `tabPOS Profile`")
 
-def make_pos_profile():
+def make_pos_profile(**args):
 	frappe.db.sql("delete from `tabPOS Profile`")
 
+	args = frappe._dict(args)
+
 	pos_profile = frappe.get_doc({
-		"company": "_Test Company",
-		"cost_center": "_Test Cost Center - _TC",
-		"currency": "INR",
+		"company": args.company or "_Test Company",
+		"cost_center": args.cost_center or "_Test Cost Center - _TC",
+		"currency": args.currency or "INR",
 		"doctype": "POS Profile",
-		"expense_account": "_Test Account Cost for Goods Sold - _TC",
-		"income_account": "Sales - _TC",
-		"name": "_Test POS Profile",
+		"expense_account": args.expense_account or "_Test Account Cost for Goods Sold - _TC",
+		"income_account":  args.income_account or "Sales - _TC",
+		"name":  args.name or "_Test POS Profile",
 		"naming_series": "_T-POS Profile-",
-		"selling_price_list": "_Test Price List",
-		"territory": "_Test Territory",
+		"selling_price_list":  args.selling_price_list or "_Test Price List",
+		"territory": args.territory or  "_Test Territory",
 		"customer_group": frappe.db.get_value('Customer Group', {'is_group': 0}, 'name'),
-		"warehouse": "_Test Warehouse - _TC",
-		"write_off_account": "_Test Write Off - _TC",
-		"write_off_cost_center": "_Test Write Off Cost Center - _TC"
+		"warehouse":  args.warehouse or "_Test Warehouse - _TC",
+		"write_off_account":  args.write_off_account or "_Test Write Off - _TC",
+		"write_off_cost_center":  args.write_off_cost_center or "_Test Write Off Cost Center - _TC"
 	})
 
-	if not frappe.db.exists("POS Profile", "_Test POS Profile"):
+	if not frappe.db.exists("POS Profile", args.name or "_Test POS Profile"):
 		pos_profile.insert()
 
 	return pos_profile
diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py
index 924e108..e13fcb9 100644
--- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py
+++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py
@@ -248,7 +248,7 @@
 				if pricing_rule.price_or_product_discount == "Price":
 					apply_price_discount_rule(pricing_rule, item_details, args)
 				else:
-					get_product_discount_rule(pricing_rule, item_details, doc)
+					get_product_discount_rule(pricing_rule, item_details, args, doc)
 
 		item_details.has_pricing_rule = 1
 
diff --git a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py
index 9c1fef6..2da71df 100644
--- a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py
+++ b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py
@@ -326,6 +326,66 @@
 		self.assertEquals(item.discount_amount, 110)
 		self.assertEquals(item.rate, 990)
 
+	def test_pricing_rule_for_product_discount_on_same_item(self):
+		frappe.delete_doc_if_exists('Pricing Rule', '_Test Pricing Rule')
+		test_record = {
+			"doctype": "Pricing Rule",
+			"title": "_Test Pricing Rule",
+			"apply_on": "Item Code",
+			"currency": "USD",
+			"items": [{
+				"item_code": "_Test Item",
+			}],
+			"selling": 1,
+			"rate_or_discount": "Discount Percentage",
+			"rate": 0,
+			"min_qty": 0,
+			"max_qty": 7,
+			"discount_percentage": 17.5,
+			"price_or_product_discount": "Product",
+			"same_item": 1,
+			"free_qty": 1,
+			"company": "_Test Company"
+		}
+		frappe.get_doc(test_record.copy()).insert()
+
+		# With pricing rule
+		so = make_sales_order(item_code="_Test Item", qty=1)
+		so.load_from_db()
+		self.assertEqual(so.items[1].is_free_item, 1)
+		self.assertEqual(so.items[1].item_code, "_Test Item")
+
+
+	def test_pricing_rule_for_product_discount_on_different_item(self):
+		frappe.delete_doc_if_exists('Pricing Rule', '_Test Pricing Rule')
+		test_record = {
+			"doctype": "Pricing Rule",
+			"title": "_Test Pricing Rule",
+			"apply_on": "Item Code",
+			"currency": "USD",
+			"items": [{
+				"item_code": "_Test Item",
+			}],
+			"selling": 1,
+			"rate_or_discount": "Discount Percentage",
+			"rate": 0,
+			"min_qty": 0,
+			"max_qty": 7,
+			"discount_percentage": 17.5,
+			"price_or_product_discount": "Product",
+			"same_item": 0,
+			"free_item": "_Test Item 2",
+			"free_qty": 1,
+			"company": "_Test Company"
+		}
+		frappe.get_doc(test_record.copy()).insert()
+
+		# With pricing rule
+		so = make_sales_order(item_code="_Test Item", qty=1)
+		so.load_from_db()
+		self.assertEqual(so.items[1].is_free_item, 1)
+		self.assertEqual(so.items[1].item_code, "_Test Item 2")
+
 def make_pricing_rule(**args):
 	args = frappe._dict(args)
 
diff --git a/erpnext/accounts/doctype/pricing_rule/utils.py b/erpnext/accounts/doctype/pricing_rule/utils.py
index e475563..2ffa27f 100644
--- a/erpnext/accounts/doctype/pricing_rule/utils.py
+++ b/erpnext/accounts/doctype/pricing_rule/utils.py
@@ -245,7 +245,7 @@
 
 def validate_quantity_and_amount_for_suggestion(args, qty, amount, item_code, transaction_type):
 	fieldname, msg = '', ''
-	type_of_transaction = 'purcahse' if transaction_type == "buying" else "sale"
+	type_of_transaction = 'purchase' if transaction_type == 'buying' else 'sale'
 
 	for field, value in {'min_qty': qty, 'min_amt': amount}.items():
 		if (args.get(field) and value < args.get(field)
@@ -435,7 +435,7 @@
 				doc.calculate_taxes_and_totals()
 			elif d.price_or_product_discount == 'Product':
 				item_details = frappe._dict({'parenttype': doc.doctype})
-				get_product_discount_rule(d, item_details, doc)
+				get_product_discount_rule(d, item_details, doc=doc)
 				apply_pricing_rule_for_free_items(doc, item_details.free_item_data)
 				doc.set_missing_values()
 
@@ -443,9 +443,10 @@
 	return (item_row.get("pricing_rules").split(',')
 		if item_row.get("pricing_rules") else [])
 
-def get_product_discount_rule(pricing_rule, item_details, doc=None):
-	free_item = (pricing_rule.free_item
-		if not pricing_rule.same_item or pricing_rule.apply_on == 'Transaction' else item_details.item_code)
+def get_product_discount_rule(pricing_rule, item_details, args=None, doc=None):
+	free_item = pricing_rule.free_item
+	if pricing_rule.same_item:
+		free_item = item_details.item_code or args.item_code
 
 	if not free_item:
 		frappe.throw(_("Free item not set in the pricing rule {0}")
@@ -464,7 +465,7 @@
 
 	item_details.free_item_data.update(item_data)
 	item_details.free_item_data['uom'] = pricing_rule.free_item_uom or item_data.stock_uom
-	item_details.free_item_data['conversion_factor'] = get_conversion_factor(free_item, 
+	item_details.free_item_data['conversion_factor'] = get_conversion_factor(free_item,
 		item_details.free_item_data['uom']).get("conversion_factor", 1)
 
 	if item_details.get("parenttype") == 'Purchase Order':
@@ -507,7 +508,7 @@
 			frappe.throw(_("Sorry,coupon code validity has not started"))
 	elif coupon.valid_upto:
 		if coupon.valid_upto < getdate(today()) :
-			frappe.throw(_("Sorry,coupon code validity has expired"))	
+			frappe.throw(_("Sorry,coupon code validity has expired"))
 	elif coupon.used>=coupon.maximum_use:
 		frappe.throw(_("Sorry,coupon code are exhausted"))
 	else:
diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py
index a68c368..cc992ce 100644
--- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py
+++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py
@@ -125,6 +125,27 @@
 			else:
 				self.remarks = _("No Remarks")
 
+	def set_status(self, update=False, status=None, update_modified=True):
+		if self.is_new():
+			if self.get('amended_from'):
+				self.status = 'Draft'
+			return
+
+		if not status:
+			precision = self.precision("outstanding_amount")
+			args = [
+				self.name,
+				self.outstanding_amount,
+				self.is_return,
+				self.due_date,
+				self.docstatus,
+				precision
+			]
+			self.status = get_status(args)
+
+		if update:
+			self.db_set('status', self.status, update_modified = update_modified)
+
 	def set_missing_values(self, for_validate=False):
 		if not self.credit_to:
 			self.credit_to = get_party_account("Supplier", self.supplier, self.company)
@@ -380,7 +401,7 @@
 				update_outstanding_amt(self.credit_to, "Supplier", self.supplier,
 					self.doctype, self.return_against if cint(self.is_return) and self.return_against else self.name)
 
-			if repost_future_gle and cint(self.update_stock) and self.auto_accounting_for_stock:
+			if (repost_future_gle or self.flags.repost_future_gle) and cint(self.update_stock) and self.auto_accounting_for_stock:
 				from erpnext.controllers.stock_controller import update_gl_entries_after
 				items, warehouses = self.get_items_and_warehouses()
 				update_gl_entries_after(self.posting_date, self.posting_time,
@@ -1007,6 +1028,34 @@
 		# calculate totals again after applying TDS
 		self.calculate_taxes_and_totals()
 
+def get_status(*args):
+	purchase_invoice, outstanding_amount, is_return, due_date, docstatus, precision = args[0]
+
+	outstanding_amount = flt(outstanding_amount, precision)
+	due_date = getdate(due_date)
+	now_date = getdate()
+
+	if docstatus == 2:
+		status = "Cancelled"
+	elif docstatus == 1:
+		if outstanding_amount > 0 and due_date < now_date:
+			status = "Overdue"
+		elif outstanding_amount > 0 and due_date >= now_date:
+			status = "Unpaid"
+		#Check if outstanding amount is 0 due to debit note issued against invoice
+		elif outstanding_amount <= 0 and is_return == 0 and frappe.db.get_value('Purchase Invoice', {'is_return': 1, 'return_against': purchase_invoice, 'docstatus': 1}):
+			status = "Debit Note Issued"
+		elif is_return == 1:
+			status = "Return"
+		elif outstanding_amount <=0:
+			status = "Paid"
+		else:
+			status = "Submitted"
+	else:
+		status = "Draft"
+
+	return status
+
 def get_list_context(context=None):
 	from erpnext.controllers.website_list_for_contact import get_list_context
 	list_context = get_list_context(context)
diff --git a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json
index 28208ce..36bb2be 100644
--- a/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json
+++ b/erpnext/accounts/doctype/purchase_invoice_item/purchase_invoice_item.json
@@ -63,7 +63,6 @@
   "warehouse_section",
   "warehouse",
   "rejected_warehouse",
-  "from_warehouse",
   "quality_inspection",
   "batch_no",
   "col_br_wh",
@@ -199,7 +198,6 @@
    "fieldtype": "Link",
    "label": "UOM",
    "options": "UOM",
-   "print_hide": 1,
    "reqd": 1
   },
   {
@@ -763,22 +761,16 @@
    "fetch_from": "item_code.asset_category",
    "fieldname": "asset_category",
    "fieldtype": "Data",
+   "in_preview": 1,
    "label": "Asset Category",
    "options": "Asset Category",
    "read_only": 1
-  },
-  {
-   "fieldname": "from_warehouse",
-   "fieldtype": "Link",
-   "ignore_user_permissions": 1,
-   "label": "Supplier Warehouse",
-   "options": "Warehouse"
   }
  ],
  "idx": 1,
  "istable": 1,
  "links": [],
- "modified": "2020-01-13 16:04:14.200462",
+ "modified": "2020-03-05 14:20:17.297284",
  "modified_by": "Administrator",
  "module": "Accounts",
  "name": "Purchase Invoice Item",
diff --git a/erpnext/accounts/doctype/sales_invoice/pos.py b/erpnext/accounts/doctype/sales_invoice/pos.py
index 749816f..c0e1285 100755
--- a/erpnext/accounts/doctype/sales_invoice/pos.py
+++ b/erpnext/accounts/doctype/sales_invoice/pos.py
@@ -207,7 +207,7 @@
 	if pos_profile.get('customer_groups'):
 		# Get customers based on the customer groups defined in the POS profile
 		for d in pos_profile.get('customer_groups'):
-			customer_groups.extend([d.name for d in get_child_nodes('Customer Group', d.customer_group)])
+			customer_groups.extend([d.get('name') for d in get_child_nodes('Customer Group', d.get('customer_group'))])
 		cond = "customer_group in (%s)" % (', '.join(['%s'] * len(customer_groups)))
 
 	return frappe.db.sql(""" select name, customer_name, customer_group,
@@ -387,7 +387,9 @@
 
 
 @frappe.whitelist()
-def make_invoice(doc_list={}, email_queue_list={}, customers_list={}):
+def make_invoice(pos_profile, doc_list={}, email_queue_list={}, customers_list={}):
+	import json
+
 	if isinstance(doc_list, string_types):
 		doc_list = json.loads(doc_list)
 
@@ -421,7 +423,8 @@
 				name_list.append(name)
 
 	email_queue = make_email_queue(email_queue_list)
-	customers = get_customers_list()
+	pos_profile = json.loads(pos_profile)
+	customers = get_customers_list(pos_profile)
 	return {
 		'invoice': name_list,
 		'email_queue': email_queue,
diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py
index ad3640c..7f7938d 100644
--- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py
+++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py
@@ -420,7 +420,7 @@
 
 		if pos:
 			self.allow_print_before_pay = pos.allow_print_before_pay
-			
+
 			if not for_validate:
 				self.tax_category = pos.get("tax_category")
 
@@ -723,7 +723,7 @@
 				update_outstanding_amt(self.debit_to, "Customer", self.customer,
 					self.doctype, self.return_against if cint(self.is_return) and self.return_against else self.name)
 
-			if repost_future_gle and cint(self.update_stock) \
+			if (repost_future_gle or self.flags.repost_future_gle) and cint(self.update_stock) \
 				and cint(auto_accounting_for_stock):
 					items, warehouses = self.get_items_and_warehouses()
 					update_gl_entries_after(self.posting_date, self.posting_time,
@@ -1217,63 +1217,84 @@
 
 		self.set_missing_values(for_validate = True)
 
-	def get_discounting_status(self):
-		status = None
-		if self.is_discounted:
-			invoice_discounting_list = frappe.db.sql("""
-				select status
-				from `tabInvoice Discounting` id, `tabDiscounted Invoice` d
-				where
-					id.name = d.parent
-					and d.sales_invoice=%s
-					and id.docstatus=1
-					and status in ('Disbursed', 'Settled')
-			""", self.name)
-			for d in invoice_discounting_list:
-				status = d[0]
-				if status == "Disbursed":
-					break
-		return status
-
 	def set_status(self, update=False, status=None, update_modified=True):
 		if self.is_new():
 			if self.get('amended_from'):
 				self.status = 'Draft'
 			return
 
-		precision = self.precision("outstanding_amount")
-		outstanding_amount = flt(self.outstanding_amount, precision)
-		due_date = getdate(self.due_date)
-		nowdate = getdate()
-		discountng_status = self.get_discounting_status()
-
 		if not status:
-			if self.docstatus == 2:
-				status = "Cancelled"
-			elif self.docstatus == 1:
-				if outstanding_amount > 0 and due_date < nowdate and self.is_discounted and discountng_status=='Disbursed':
-					self.status = "Overdue and Discounted"
-				elif outstanding_amount > 0 and due_date < nowdate:
-					self.status = "Overdue"
-				elif outstanding_amount > 0 and due_date >= nowdate and self.is_discounted and discountng_status=='Disbursed':
-					self.status = "Unpaid and Discounted"
-				elif outstanding_amount > 0 and due_date >= nowdate:
-					self.status = "Unpaid"
-				#Check if outstanding amount is 0 due to credit note issued against invoice
-				elif outstanding_amount <= 0 and self.is_return == 0 and frappe.db.get_value('Sales Invoice', {'is_return': 1, 'return_against': self.name, 'docstatus': 1}):
-					self.status = "Credit Note Issued"
-				elif self.is_return == 1:
-					self.status = "Return"
-				elif outstanding_amount<=0:
-					self.status = "Paid"
-				else:
-					self.status = "Submitted"
-			else:
-				self.status = "Draft"
+			precision = self.precision("outstanding_amount")
+			args = [
+				self.name,
+				self.outstanding_amount,
+				self.is_discounted,
+				self.is_return,
+				self.due_date,
+				self.docstatus,
+				precision,
+			]
+			self.status = get_status(args)
 
 		if update:
 			self.db_set('status', self.status, update_modified = update_modified)
 
+def get_discounting_status(sales_invoice):
+	status = None
+
+	invoice_discounting_list = frappe.db.sql("""
+		select status
+		from `tabInvoice Discounting` id, `tabDiscounted Invoice` d
+		where
+			id.name = d.parent
+			and d.sales_invoice=%s
+			and id.docstatus=1
+			and status in ('Disbursed', 'Settled')
+	""", sales_invoice)
+
+	for d in invoice_discounting_list:
+		status = d[0]
+		if status == "Disbursed":
+			break
+
+	return status
+
+def get_status(*args):
+	sales_invoice, outstanding_amount, is_discounted, is_return, due_date, docstatus, precision = args[0]
+
+	discounting_status = None
+	if is_discounted:
+		discounting_status = get_discounting_status(sales_invoice)
+
+	outstanding_amount = flt(outstanding_amount, precision)
+	due_date = getdate(due_date)
+	now_date = getdate()
+
+	if docstatus == 2:
+		status = "Cancelled"
+	elif docstatus == 1:
+		if outstanding_amount > 0 and due_date < now_date and is_discounted and discounting_status=='Disbursed':
+			status = "Overdue and Discounted"
+		elif outstanding_amount > 0 and due_date < now_date:
+			status = "Overdue"
+		elif outstanding_amount > 0 and due_date >= now_date and is_discounted and discounting_status=='Disbursed':
+			status = "Unpaid and Discounted"
+		elif outstanding_amount > 0 and due_date >= now_date:
+			status = "Unpaid"
+		#Check if outstanding amount is 0 due to credit note issued against invoice
+		elif outstanding_amount <= 0 and is_return == 0 and frappe.db.get_value('Sales Invoice', {'is_return': 1, 'return_against': sales_invoice, 'docstatus': 1}):
+			status = "Credit Note Issued"
+		elif is_return == 1:
+			status = "Return"
+		elif outstanding_amount <=0:
+			status = "Paid"
+		else:
+			status = "Submitted"
+	else:
+		status = "Draft"
+
+	return status
+
 def validate_inter_company_party(doctype, party, company, inter_company_reference):
 	if not party:
 		return
@@ -1548,6 +1569,9 @@
 	else:
 		return lp_details
 
+def on_doctype_update():
+	frappe.db.add_index("Sales Invoice", ["customer", "is_return", "return_against"])
+
 @frappe.whitelist()
 def create_invoice_discounting(source_name, target_doc=None):
 	invoice = frappe.get_doc("Sales Invoice", source_name)
diff --git a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py
index a2a47b3..e48e6c9 100644
--- a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py
+++ b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py
@@ -705,6 +705,64 @@
 
 		self.pos_gl_entry(si, pos, 50)
 
+	def test_pos_returns_without_repayment(self):
+		pos_profile = make_pos_profile()
+
+		pos = create_sales_invoice(qty = 10, do_not_save=True)
+		pos.is_pos = 1
+		pos.pos_profile = pos_profile.name
+
+		pos.append("payments", {'mode_of_payment': 'Bank Draft', 'account': '_Test Bank - _TC', 'amount': 500})
+		pos.append("payments", {'mode_of_payment': 'Cash', 'account': 'Cash - _TC', 'amount': 500})
+		pos.insert()
+		pos.submit()
+
+		pos_return = create_sales_invoice(is_return=1,
+			return_against=pos.name, qty=-5, do_not_save=True)
+
+		pos_return.is_pos = 1
+		pos_return.pos_profile = pos_profile.name
+
+		pos_return.insert()
+		pos_return.submit()
+
+		self.assertFalse(pos_return.is_pos)
+		self.assertFalse(pos_return.get('payments'))
+
+	def test_pos_returns_with_repayment(self):
+		pos_profile = make_pos_profile()
+
+		pos_profile.append('payments', {
+			'default': 1,
+			'mode_of_payment': 'Cash',
+			'amount': 0.0
+		})
+
+		pos_profile.save()
+
+		pos = create_sales_invoice(qty = 10, do_not_save=True)
+
+		pos.is_pos = 1
+		pos.pos_profile = pos_profile.name
+
+		pos.append("payments", {'mode_of_payment': 'Bank Draft', 'account': '_Test Bank - _TC', 'amount': 500})
+		pos.append("payments", {'mode_of_payment': 'Cash', 'account': 'Cash - _TC', 'amount': 500})
+		pos.insert()
+		pos.submit()
+
+		pos_return = create_sales_invoice(is_return=1,
+			return_against=pos.name, qty=-5, do_not_save=True)
+
+		pos_return.is_pos = 1
+		pos_return.pos_profile = pos_profile.name
+		pos_return.insert()
+		pos_return.submit()
+
+		self.assertEqual(pos_return.get('payments')[0].amount, -500)
+		pos_profile.payments = []
+		pos_profile.save()
+
+
 	def test_pos_change_amount(self):
 		make_pos_profile()
 
diff --git a/erpnext/accounts/general_ledger.py b/erpnext/accounts/general_ledger.py
index bb1b7e3..6d53530 100644
--- a/erpnext/accounts/general_ledger.py
+++ b/erpnext/accounts/general_ledger.py
@@ -140,8 +140,11 @@
 	gle = frappe.get_doc(args)
 	gle.flags.ignore_permissions = 1
 	gle.flags.from_repost = from_repost
-	gle.insert()
+	gle.validate()
+	gle.flags.ignore_permissions = True
+	gle.db_insert()
 	gle.run_method("on_update_with_args", adv_adj, update_outstanding, from_repost)
+	gle.flags.ignore_validate = True
 	gle.submit()
 
 def validate_account_for_perpetual_inventory(gl_map):
diff --git a/erpnext/accounts/page/pos/pos.js b/erpnext/accounts/page/pos/pos.js
index 8dc00f3..24fcb41 100755
--- a/erpnext/accounts/page/pos/pos.js
+++ b/erpnext/accounts/page/pos/pos.js
@@ -1769,6 +1769,7 @@
 				method: "erpnext.accounts.doctype.sales_invoice.pos.make_invoice",
 				freeze: true,
 				args: {
+					pos_profile: me.pos_profile_data,
 					doc_list: me.si_docs,
 					email_queue_list: me.email_queue_list,
 					customers_list: me.customers_list
diff --git a/erpnext/accounts/report/accounts_payable/accounts_payable.js b/erpnext/accounts/report/accounts_payable/accounts_payable.js
index df700ec..4e09f99 100644
--- a/erpnext/accounts/report/accounts_payable/accounts_payable.js
+++ b/erpnext/accounts/report/accounts_payable/accounts_payable.js
@@ -12,17 +12,17 @@
 			"default": frappe.defaults.get_user_default("Company")
 		},
 		{
+			"fieldname":"report_date",
+			"label": __("Posting Date"),
+			"fieldtype": "Date",
+			"default": frappe.datetime.get_today()
+		},
+		{
 			"fieldname":"ageing_based_on",
 			"label": __("Ageing Based On"),
 			"fieldtype": "Select",
 			"options": 'Posting Date\nDue Date\nSupplier Invoice Date',
-			"default": "Posting Date"
-		},
-		{
-			"fieldname":"report_date",
-			"label": __("As on Date"),
-			"fieldtype": "Date",
-			"default": frappe.datetime.get_today()
+			"default": "Due Date"
 		},
 		{
 			"fieldname":"range1",
diff --git a/erpnext/accounts/report/accounts_payable_summary/accounts_payable_summary.js b/erpnext/accounts/report/accounts_payable_summary/accounts_payable_summary.js
index 4a9f1b0..d5f18b0 100644
--- a/erpnext/accounts/report/accounts_payable_summary/accounts_payable_summary.js
+++ b/erpnext/accounts/report/accounts_payable_summary/accounts_payable_summary.js
@@ -11,17 +11,17 @@
 			"default": frappe.defaults.get_user_default("Company")
 		},
 		{
+			"fieldname":"report_date",
+			"label": __("Posting Date"),
+			"fieldtype": "Date",
+			"default": frappe.datetime.get_today()
+		},
+		{
 			"fieldname":"ageing_based_on",
 			"label": __("Ageing Based On"),
 			"fieldtype": "Select",
 			"options": 'Posting Date\nDue Date',
-			"default": "Posting Date"
-		},
-		{
-			"fieldname":"report_date",
-			"label": __("Date"),
-			"fieldtype": "Date",
-			"default": frappe.datetime.get_today()
+			"default": "Due Date"
 		},
 		{
 			"fieldname":"range1",
diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.js b/erpnext/accounts/report/accounts_receivable/accounts_receivable.js
index 5d0154f..6208eb6 100644
--- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.js
+++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.js
@@ -12,17 +12,17 @@
 			"default": frappe.defaults.get_user_default("Company")
 		},
 		{
+			"fieldname":"report_date",
+			"label": __("Posting Date"),
+			"fieldtype": "Date",
+			"default": frappe.datetime.get_today()
+		},
+		{
 			"fieldname":"ageing_based_on",
 			"label": __("Ageing Based On"),
 			"fieldtype": "Select",
 			"options": 'Posting Date\nDue Date',
-			"default": "Posting Date"
-		},
-		{
-			"fieldname":"report_date",
-			"label": __("As on Date"),
-			"fieldtype": "Date",
-			"default": frappe.datetime.get_today()
+			"default": "Due Date"
 		},
 		{
 			"fieldname":"range1",
@@ -148,7 +148,7 @@
 		},
 		{
 			"fieldname":"show_delivery_notes",
-			"label": __("Show Delivery Notes"),
+			"label": __("Show Linked Delivery Notes"),
 			"fieldtype": "Check",
 		},
 		{
diff --git a/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.js b/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.js
index d54824b..b316f10 100644
--- a/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.js
+++ b/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.js
@@ -11,17 +11,17 @@
 			"default": frappe.defaults.get_user_default("Company")
 		},
 		{
+			"fieldname":"report_date",
+			"label": __("Posting Date"),
+			"fieldtype": "Date",
+			"default": frappe.datetime.get_today()
+		},
+		{
 			"fieldname":"ageing_based_on",
 			"label": __("Ageing Based On"),
 			"fieldtype": "Select",
 			"options": 'Posting Date\nDue Date',
-			"default": "Posting Date"
-		},
-		{
-			"fieldname":"report_date",
-			"label": __("Date"),
-			"fieldtype": "Date",
-			"default": frappe.datetime.get_today()
+			"default": "Due Date"
 		},
 		{
 			"fieldname":"range1",
diff --git a/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py b/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py
index 7854660..d7efbad 100644
--- a/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py
+++ b/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py
@@ -29,7 +29,7 @@
 
 		row.update(next(asset for asset in assets if asset["asset_category"] == asset_category.get("asset_category", "")))
 		row.accumulated_depreciation_as_on_to_date = (flt(row.accumulated_depreciation_as_on_from_date) +
-				flt(row.depreciation_amount_during_the_period) - flt(row.depreciation_eliminated))
+				flt(row.depreciation_amount_during_the_period) - flt(row.depreciation_eliminated_during_the_period))
 
 		row.net_asset_value_as_on_from_date = (flt(row.cost_as_on_from_date) -
 				flt(row.accumulated_depreciation_as_on_from_date))
@@ -86,7 +86,6 @@
 		group by asset_category
 	""", {"to_date": filters.to_date, "from_date": filters.from_date, "company": filters.company}, as_dict=1)
 
-
 def get_assets(filters):
 	return frappe.db.sql("""
 		SELECT results.asset_category,
@@ -94,9 +93,7 @@
 			   sum(results.depreciation_eliminated_during_the_period) as depreciation_eliminated_during_the_period,
 			   sum(results.depreciation_amount_during_the_period) as depreciation_amount_during_the_period
 		from (SELECT a.asset_category,
-				   ifnull(sum(a.opening_accumulated_depreciation +
-							  case when ds.schedule_date < %(from_date)s and
-										(ifnull(a.disposal_date, 0) = 0 or a.disposal_date >= %(from_date)s) then
+				   ifnull(sum(case when ds.schedule_date < %(from_date)s then
 								   ds.depreciation_amount
 							  else
 								   0
@@ -107,7 +104,6 @@
 							  else
 								   0
 							  end), 0) as depreciation_eliminated_during_the_period,
-
 				   ifnull(sum(case when ds.schedule_date >= %(from_date)s and ds.schedule_date <= %(to_date)s
 										and (ifnull(a.disposal_date, 0) = 0 or ds.schedule_date <= a.disposal_date) then
 								   ds.depreciation_amount
@@ -120,7 +116,8 @@
 			union
 			SELECT a.asset_category,
 				   ifnull(sum(case when ifnull(a.disposal_date, 0) != 0
-										and (a.disposal_date < %(from_date)s or a.disposal_date > %(to_date)s) then
+										and (a.disposal_date < %(from_date)s or a.disposal_date > %(to_date)s) 
+										then
 									0
 							   else
 									a.opening_accumulated_depreciation
@@ -133,7 +130,6 @@
 				   0 as depreciation_amount_during_the_period
 			from `tabAsset` a
 			where a.docstatus=1 and a.company=%(company)s and a.purchase_date <= %(to_date)s
-			and not exists(select * from `tabDepreciation Schedule` ds where a.name = ds.parent)
 			group by a.asset_category) as results
 		group by results.asset_category
 		""", {"to_date": filters.to_date, "from_date": filters.from_date, "company": filters.company}, as_dict=1)
diff --git a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py
index 8b6359c..11f4e0d 100644
--- a/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py
+++ b/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py
@@ -54,8 +54,8 @@
 			'description': d.description,
 			'invoice': d.parent,
 			'posting_date': d.posting_date,
-			'customer': d.supplier,
-			'customer_name': d.supplier_name
+			'supplier': d.supplier,
+			'supplier_name': d.supplier_name
 		}
 
 		if additional_query_columns:
@@ -306,10 +306,6 @@
 
 def get_items(filters, additional_query_columns):
 	conditions = get_conditions(filters)
-	match_conditions = frappe.build_match_conditions("Purchase Invoice")
-
-	if match_conditions:
-		match_conditions = " and {0} ".format(match_conditions)
 
 	if additional_query_columns:
 		additional_query_columns = ', ' + ', '.join(additional_query_columns)
@@ -327,8 +323,8 @@
 			`tabPurchase Invoice`.supplier_name, `tabPurchase Invoice`.mode_of_payment {0}
 		from `tabPurchase Invoice`, `tabPurchase Invoice Item`
 		where `tabPurchase Invoice`.name = `tabPurchase Invoice Item`.`parent` and
-		`tabPurchase Invoice`.docstatus = 1 %s %s
-	""".format(additional_query_columns) % (conditions, match_conditions), filters, as_dict=1)
+		`tabPurchase Invoice`.docstatus = 1 %s
+	""".format(additional_query_columns) % (conditions), filters, as_dict=1)
 
 def get_aii_accounts():
 	return dict(frappe.db.sql("select name, stock_received_but_not_billed from tabCompany"))
diff --git a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py
index 2cc2db6..786e04d 100644
--- a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py
+++ b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py
@@ -119,7 +119,7 @@
 		add_sub_total_row(total_row, total_row_map, 'total_row', tax_columns)
 		data.append(total_row_map.get('total_row'))
 		skip_total_row = 1
-	
+
 	return columns, data, None, None, None, skip_total_row
 
 def get_columns(additional_table_columns, filters):
@@ -370,10 +370,6 @@
 
 def get_items(filters, additional_query_columns):
 	conditions = get_conditions(filters)
-	match_conditions = frappe.build_match_conditions("Sales Invoice")
-
-	if match_conditions:
-		match_conditions = " and {0} ".format(match_conditions)
 
 	if additional_query_columns:
 		additional_query_columns = ', ' + ', '.join(additional_query_columns)
@@ -394,8 +390,8 @@
 			`tabSales Invoice`.update_stock, `tabSales Invoice Item`.uom, `tabSales Invoice Item`.qty {0}
 		from `tabSales Invoice`, `tabSales Invoice Item`
 		where `tabSales Invoice`.name = `tabSales Invoice Item`.parent
-			and `tabSales Invoice`.docstatus = 1 {1} {2}
-		""".format(additional_query_columns or '', conditions, match_conditions), filters, as_dict=1) #nosec
+			and `tabSales Invoice`.docstatus = 1 {1}
+		""".format(additional_query_columns or '', conditions), filters, as_dict=1) #nosec
 
 def get_delivery_notes_against_sales_order(item_list):
 	so_dn_map = frappe._dict()
diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py
index d500c81..b96fe69 100644
--- a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py
+++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py
@@ -31,7 +31,52 @@
 
 	chart = get_chart_data(filters, columns, income, expense, net_profit_loss)
 
-	return columns, data, None, chart
+	report_summary = get_report_summary(columns, income, expense, net_profit_loss, filters.periodicity, period_list)
+
+	return columns, data, None, chart, report_summary
+
+def get_report_summary(columns, income, expense, net_profit_loss, period_list, periodicity):
+	income_data, expense_data, net_profit = [], [], []
+
+	for p in columns[2:]:
+		if income:
+			income_data.append(income[-2].get(p.get("fieldname")))
+		if expense:
+			expense_data.append(expense[-2].get(p.get("fieldname")))
+		if net_profit_loss:
+			net_profit.append(net_profit_loss.get(p.get("fieldname")))
+
+	if (len(period_list) == 1 and periodicity== 'Yearly'):
+			profit_label = _("Profit This Year")
+			income_label = _("Total Income This Year")
+			expense_label = _("Total Expense This Year")
+	else:
+		profit_label = _("Net Profit")
+		income_label = _("Total Income")
+		expense_label = _("Total Expense")
+
+	return [
+		{
+			"value": net_profit[-1],
+			"indicator": "Green" if net_profit[-1] > 0 else "Red",
+			"label": profit_label,
+			"datatype": "Currency",
+			"currency": net_profit_loss.get("currency")
+		},
+		{
+			"value": income_data[-1],
+			"label": income_label,
+			"datatype": "Currency",
+			"currency": income[-1].get('currency')
+		},
+		{
+			"value": expense_data[-1],
+			"label": expense_label,
+			"datatype": "Currency",
+			"currency": expense[-1].get('currency')
+		}
+	]
+
 
 def get_net_profit_loss(income, expense, period_list, company, currency=None, consolidated=False):
 	total = 0
diff --git a/erpnext/buying/utils.py b/erpnext/buying/utils.py
index b5598f8..47b4866 100644
--- a/erpnext/buying/utils.py
+++ b/erpnext/buying/utils.py
@@ -12,7 +12,6 @@
 
 def update_last_purchase_rate(doc, is_submit):
 	"""updates last_purchase_rate in item table for each item"""
-
 	import frappe.utils
 	this_purchase_date = frappe.utils.getdate(doc.get('posting_date') or doc.get('transaction_date'))
 
@@ -23,7 +22,7 @@
 		# compare last purchase date and this transaction's date
 		last_purchase_rate = None
 		if last_purchase_details and \
-				(last_purchase_details.purchase_date > this_purchase_date):
+				(doc.get('docstatus') == 2 or last_purchase_details.purchase_date > this_purchase_date):
 			last_purchase_rate = last_purchase_details['base_net_rate']
 		elif is_submit == 1:
 			# even if this transaction is the latest one, it should be submitted
diff --git a/erpnext/config/buying.py b/erpnext/config/buying.py
index 6f5ab32..1d40547 100644
--- a/erpnext/config/buying.py
+++ b/erpnext/config/buying.py
@@ -9,6 +9,13 @@
 			"items": [
 				{
 					"type": "doctype",
+					"name": "Material Request",
+					"onboard": 1,
+					"dependencies": ["Item"],
+					"description": _("Request for purchase."),
+				},
+				{
+					"type": "doctype",
 					"name": "Purchase Order",
 					"onboard": 1,
 					"dependencies": ["Item", "Supplier"],
@@ -22,13 +29,6 @@
 				},
 				{
 					"type": "doctype",
-					"name": "Material Request",
-					"onboard": 1,
-					"dependencies": ["Item"],
-					"description": _("Request for purchase."),
-				},
-				{
-					"type": "doctype",
 					"name": "Request for Quotation",
 					"onboard": 1,
 					"dependencies": ["Item", "Supplier"],
@@ -65,6 +65,11 @@
 				},
 				{
 					"type": "doctype",
+					"name": "Pricing Rule",
+					"description": _("Rules for applying pricing and discount.")
+				},
+				{
+					"type": "doctype",
 					"name": "Product Bundle",
 					"description": _("Bundle items at time of sale."),
 				},
@@ -80,11 +85,6 @@
 					"type": "doctype",
 					"name": "Promotional Scheme",
 					"description": _("Rules for applying different promotional schemes.")
-				},
-				{
-					"type": "doctype",
-					"name": "Pricing Rule",
-					"description": _("Rules for applying pricing and discount.")
 				}
 			]
 		},
@@ -152,13 +152,6 @@
 				{
 					"type": "report",
 					"is_query_report": True,
-					"name": "Supplier-Wise Sales Analytics",
-					"reference_doctype": "Stock Ledger Entry",
-					"onboard": 1
-				},
-				{
-					"type": "report",
-					"is_query_report": True,
 					"name": "Purchase Order Trends",
 					"reference_doctype": "Purchase Order",
 					"onboard": 1,
@@ -177,6 +170,16 @@
 					"reference_doctype": "Material Request",
 					"onboard": 1,
 				},
+				{
+					"type": "report",
+					"is_query_report": True,
+					"name": "Address And Contacts",
+					"label": _("Supplier Addresses And Contacts"),
+					"reference_doctype": "Address",
+					"route_options": {
+						"party_type": "Supplier"
+					}
+				}
 			]
 		},
 		{
@@ -226,18 +229,15 @@
 				{
 					"type": "report",
 					"is_query_report": True,
-					"name": "Material Requests for which Supplier Quotations are not created",
-					"reference_doctype": "Material Request"
+					"name": "Supplier-Wise Sales Analytics",
+					"reference_doctype": "Stock Ledger Entry",
+					"onboard": 1
 				},
 				{
 					"type": "report",
 					"is_query_report": True,
-					"name": "Address And Contacts",
-					"label": _("Supplier Addresses And Contacts"),
-					"reference_doctype": "Address",
-					"route_options": {
-						"party_type": "Supplier"
-					}
+					"name": "Material Requests for which Supplier Quotations are not created",
+					"reference_doctype": "Material Request"
 				}
 			]
 		},
diff --git a/erpnext/config/desktop.py b/erpnext/config/desktop.py
index 95f6f7c..ce7c245 100644
--- a/erpnext/config/desktop.py
+++ b/erpnext/config/desktop.py
@@ -81,6 +81,15 @@
 			"description": "Sales pipeline, leads, opportunities and customers."
 		},
 		{
+			"module_name": "Loan Management",
+			"category": "Modules",
+			"label": _("Loan Management"),
+			"color": "#EF4DB6",
+			"icon": "octicon octicon-repo",
+			"type": "module",
+			"description": "Loan Management for Customer and Employees"
+		},
+		{
 			"module_name": "Support",
 			"category": "Modules",
 			"label": _("Support"),
diff --git a/erpnext/config/loan_management.py b/erpnext/config/loan_management.py
new file mode 100644
index 0000000..a84f13a
--- /dev/null
+++ b/erpnext/config/loan_management.py
@@ -0,0 +1,107 @@
+from __future__ import unicode_literals
+from frappe import _
+import frappe
+
+
+def get_data():
+	return [
+		{
+			"label": _("Loan"),
+			"items": [
+				{
+					"type": "doctype",
+					"name": "Loan Type",
+					"description": _("Loan Type for interest and penalty rates"),
+				},
+				{
+					"type": "doctype",
+					"name": "Loan Application",
+					"description": _("Loan Applications from customers and employees."),
+				},
+				{
+					"type": "doctype",
+					"name": "Loan",
+					"description": _("Loans provided to customers and employees."),
+				},
+
+			]
+		},
+		{
+			"label": _("Loan Security"),
+			"items": [
+				{
+					"type": "doctype",
+					"name": "Loan Security Type",
+				},
+				{
+					"type": "doctype",
+					"name": "Loan Security Price",
+				},
+				{
+					"type": "doctype",
+					"name": "Loan Security",
+				},
+				{
+					"type": "doctype",
+					"name": "Loan Security Pledge",
+				},
+				{
+					"type": "doctype",
+					"name": "Loan Security Unpledge",
+				},
+				{
+					"type": "doctype",
+					"name": "Loan Security Shortfall",
+				},
+			]
+		},
+		{
+			"label": _("Disbursement and Repayment"),
+			"items": [
+				{
+					"type": "doctype",
+					"name": "Loan Disbursement",
+				},
+				{
+					"type": "doctype",
+					"name": "Loan Repayment",
+				},
+				{
+					"type": "doctype",
+					"name": "Loan Interest Accrual"
+				}
+			]
+		},
+		{
+			"label": _("Loan Processes"),
+			"items": [
+				{
+					"type": "doctype",
+					"name": "Process Loan Security Shortfall",
+				},
+				{
+					"type": "doctype",
+					"name": "Process Loan Interest Accrual",
+				}
+			]
+		},
+		{
+			"label": _("Reports"),
+			"items": [
+				{
+					"type": "report",
+					"is_query_report": True,
+					"name": "Loan Repayment and Closure",
+					"route": "#query-report/Loan Repayment and Closure",
+					"doctype": "Loan Repayment",
+				},
+				{
+					"type": "report",
+					"is_query_report": True,
+					"name": "Loan Security Status",
+					"route": "#query-report/Loan Security Status",
+					"doctype": "Loan Security Pledge",
+				}
+			]
+		}
+	]
\ No newline at end of file
diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py
index ca09f76..d661bcb 100644
--- a/erpnext/controllers/accounts_controller.py
+++ b/erpnext/controllers/accounts_controller.py
@@ -1200,6 +1200,8 @@
 				child_item = set_purchase_order_defaults(parent_doctype, parent_doctype_name, child_docname, d.get("item_code"))
 		else:
 			child_item = frappe.get_doc(parent_doctype + ' Item', d.get("docname"))
+			if flt(child_item.get("rate")) == flt(d.get("rate")) and flt(child_item.get("qty")) == flt(d.get("qty")):
+				continue
 
 		if parent_doctype == "Sales Order" and flt(d.get("qty")) < flt(child_item.delivered_qty):
 			frappe.throw(_("Cannot set quantity less than delivered quantity"))
diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py
index 8b275a6..b465a10 100644
--- a/erpnext/controllers/status_updater.py
+++ b/erpnext/controllers/status_updater.py
@@ -44,17 +44,6 @@
 		["Closed", "eval:self.status=='Closed'"],
 		["On Hold", "eval:self.status=='On Hold'"],
 	],
-	"Purchase Invoice": [
-		["Draft", None],
-		["Submitted", "eval:self.docstatus==1"],
-		["Paid", "eval:self.outstanding_amount==0 and self.docstatus==1"],
-		["Return", "eval:self.is_return==1 and self.docstatus==1"],
-		["Debit Note Issued",
-		 "eval:self.outstanding_amount <= 0 and self.docstatus==1 and self.is_return==0 and get_value('Purchase Invoice', {'is_return': 1, 'return_against': self.name, 'docstatus': 1})"],
-		["Unpaid", "eval:self.outstanding_amount > 0 and getdate(self.due_date) >= getdate(nowdate()) and self.docstatus==1"],
-		["Overdue", "eval:self.outstanding_amount > 0 and getdate(self.due_date) < getdate(nowdate()) and self.docstatus==1"],
-		["Cancelled", "eval:self.docstatus==2"],
-	],
 	"Purchase Order": [
 		["Draft", None],
 		["To Receive and Bill", "eval:self.per_received < 100 and self.per_billed < 100 and self.docstatus == 1"],
diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py
index 57b4ddd..d452fe4 100644
--- a/erpnext/controllers/stock_controller.py
+++ b/erpnext/controllers/stock_controller.py
@@ -34,7 +34,7 @@
 					gl_entries = self.get_gl_entries(warehouse_account)
 				make_gl_entries(gl_entries, from_repost=from_repost)
 
-			if repost_future_gle:
+			if (repost_future_gle or self.flags.repost_future_gle):
 				items, warehouses = self.get_items_and_warehouses()
 				update_gl_entries_after(self.posting_date, self.posting_time, warehouses, items,
 					warehouse_account, company=self.company)
@@ -238,6 +238,10 @@
 		for d in self.items:
 			if not d.batch_no: continue
 
+			serial_nos = [d.name for d in frappe.get_all("Serial No", {'batch_no': d.batch_no})]
+			if serial_nos:
+				frappe.db.set_value("Serial No", { 'name': ['in', serial_nos] }, "batch_no", None)
+
 			d.batch_no = None
 			d.db_set("batch_no", None)
 
@@ -429,7 +433,7 @@
 	for d in frappe.db.sql("""select distinct sle.voucher_type, sle.voucher_no
 		from `tabStock Ledger Entry` sle
 		where timestamp(sle.posting_date, sle.posting_time) >= timestamp(%s, %s) {condition}
-		order by timestamp(sle.posting_date, sle.posting_time) asc, creation asc""".format(condition=condition),
+		order by timestamp(sle.posting_date, sle.posting_time) asc, creation asc for update""".format(condition=condition),
 		tuple([posting_date, posting_time] + values), as_dict=True):
 			future_stock_vouchers.append([d.voucher_type, d.voucher_no])
 
diff --git a/erpnext/controllers/taxes_and_totals.py b/erpnext/controllers/taxes_and_totals.py
index b52a07d..95e661a 100644
--- a/erpnext/controllers/taxes_and_totals.py
+++ b/erpnext/controllers/taxes_and_totals.py
@@ -514,7 +514,7 @@
 		if self.doc.doctype == "Sales Invoice":
 			self.calculate_paid_amount()
 
-		if self.doc.is_return and self.doc.return_against: return
+		if self.doc.is_return and self.doc.return_against and not self.doc.get('is_pos'): return
 
 		self.doc.round_floats_in(self.doc, ["grand_total", "total_advance", "write_off_amount"])
 		self._set_in_company_currency(self.doc, ['write_off_amount'])
@@ -532,7 +532,7 @@
 			self.doc.round_floats_in(self.doc, ["paid_amount"])
 			change_amount = 0
 
-			if self.doc.doctype == "Sales Invoice":
+			if self.doc.doctype == "Sales Invoice" and not self.doc.get('is_return'):
 				self.calculate_write_off_amount()
 				self.calculate_change_amount()
 				change_amount = self.doc.change_amount \
@@ -544,6 +544,9 @@
 			self.doc.outstanding_amount = flt(total_amount_to_pay - flt(paid_amount) + flt(change_amount),
 				self.doc.precision("outstanding_amount"))
 
+			if self.doc.doctype == 'Sales Invoice' and self.doc.get('is_pos') and self.doc.get('is_return'):
+			 	self.update_paid_amount_for_return(total_amount_to_pay)
+
 	def calculate_paid_amount(self):
 
 		paid_amount = base_paid_amount = 0.0
@@ -614,6 +617,27 @@
 	def set_item_wise_tax_breakup(self):
 		self.doc.other_charges_calculation = get_itemised_tax_breakup_html(self.doc)
 
+	def update_paid_amount_for_return(self, total_amount_to_pay):
+		default_mode_of_payment = frappe.db.get_value('Sales Invoice Payment',
+			{'parent': self.doc.pos_profile, 'default': 1},
+			['mode_of_payment', 'type', 'account'], as_dict=1)
+
+		self.doc.payments = []
+
+		if default_mode_of_payment:
+			self.doc.append('payments', {
+				'mode_of_payment': default_mode_of_payment.mode_of_payment,
+				'type': default_mode_of_payment.type,
+				'account': default_mode_of_payment.account,
+				'amount': total_amount_to_pay
+			})
+		else:
+			self.doc.is_pos = 0
+			self.doc.pos_profile = ''
+
+		self.calculate_paid_amount()
+
+
 def get_itemised_tax_breakup_html(doc):
 	if not doc.taxes:
 		return
diff --git a/erpnext/crm/doctype/opportunity/opportunity.js b/erpnext/crm/doctype/opportunity/opportunity.js
index c9b0433..0c9ba49 100644
--- a/erpnext/crm/doctype/opportunity/opportunity.js
+++ b/erpnext/crm/doctype/opportunity/opportunity.js
@@ -59,6 +59,7 @@
 	contact_person: erpnext.utils.get_contact_details,
 
 	opportunity_from: function(frm) {
+		frm.trigger('setup_queries');
 		frm.toggle_reqd("party_name", frm.doc.opportunity_from);
 		frm.trigger("set_dynamic_field_label");
 	},
diff --git a/erpnext/education/doctype/course/course.js b/erpnext/education/doctype/course/course.js
index e31ba72..6932989 100644
--- a/erpnext/education/doctype/course/course.js
+++ b/erpnext/education/doctype/course/course.js
@@ -6,21 +6,21 @@
 			}
 			frappe.set_route("List", "Program");
 		});
-		
+
 		frm.add_custom_button(__("Student Group"), function() {
 			frappe.route_options = {
 				course: frm.doc.name
 			}
 			frappe.set_route("List", "Student Group");
 		});
-		
+
 		frm.add_custom_button(__("Course Schedule"), function() {
 			frappe.route_options = {
 				course: frm.doc.name
 			}
 			frappe.set_route("List", "Course Schedule");
 		});
-		
+
 		frm.add_custom_button(__("Assessment Plan"), function() {
 			frappe.route_options = {
 				course: frm.doc.name
@@ -36,4 +36,17 @@
 			}
 		}
 	});
-});
\ No newline at end of file
+});
+
+frappe.ui.form.on('Course Topic', {
+	topics_add: function(frm){
+		frm.fields_dict['topics'].grid.get_field('topic').get_query = function(doc){
+			var topics_list = [];
+			if(!doc.__islocal) topics_list.push(doc.name);
+			$.each(doc.topics, function(idx, val){
+				if (val.topic) topics_list.push(val.topic);
+			});
+			return { filters: [['Topic', 'name', 'not in', topics_list]] };
+		};
+	}
+});
diff --git a/erpnext/education/doctype/instructor/instructor.js b/erpnext/education/doctype/instructor/instructor.js
index 71e044b..69bd2cf 100644
--- a/erpnext/education/doctype/instructor/instructor.js
+++ b/erpnext/education/doctype/instructor/instructor.js
@@ -12,7 +12,6 @@
 					}
 				};
 			});
-
 			frm.set_query("department", "instructor_log", function() {
 				return {
 					"filters": {
@@ -49,5 +48,12 @@
 				frappe.set_route("List", "Assessment Plan");
 			}, __("Assessment Plan"));
 		}
+		frm.set_query("employee", function(doc) {
+			return {
+				"filters": {
+					"department": doc.department,
+				}
+			};
+		});
 	}
-});
+});
\ No newline at end of file
diff --git a/erpnext/education/doctype/program_enrollment/program_enrollment.js b/erpnext/education/doctype/program_enrollment/program_enrollment.js
index d35f41a..e3b3e9f 100644
--- a/erpnext/education/doctype/program_enrollment/program_enrollment.js
+++ b/erpnext/education/doctype/program_enrollment/program_enrollment.js
@@ -81,3 +81,16 @@
 		})
 	}
 });
+
+frappe.ui.form.on('Program Enrollment Course', {
+	courses_add: function(frm){
+		frm.fields_dict['courses'].grid.get_field('course').get_query = function(doc){
+			var course_list = [];
+			if(!doc.__islocal) course_list.push(doc.name);
+			$.each(doc.courses, function(idx, val){
+				if (val.course) course_list.push(val.course);
+			});
+			return { filters: [['Course', 'name', 'not in', course_list]] };
+		};
+	}
+});
\ No newline at end of file
diff --git a/erpnext/education/doctype/quiz/quiz.js b/erpnext/education/doctype/quiz/quiz.js
index 122cf37..7b87088 100644
--- a/erpnext/education/doctype/quiz/quiz.js
+++ b/erpnext/education/doctype/quiz/quiz.js
@@ -4,5 +4,18 @@
 frappe.ui.form.on('Quiz', {
 	refresh: function(frm) {
 
+	},
+	validate: function(frm){
+		frm.events.check_duplicate_question(frm.doc.question);
+	},
+	check_duplicate_question: function(questions_data){
+		var questions = [];
+		questions_data.forEach(function(q){
+			questions.push(q.question_link);
+		});
+		var questions_set = new Set(questions);
+		if (questions.length != questions_set.size) {
+			frappe.throw(__("The question cannot be duplicate"));
+		}
 	}
-});
+});
\ No newline at end of file
diff --git a/erpnext/education/doctype/student/student.py b/erpnext/education/doctype/student/student.py
index ae8f3a2..6b545d9 100644
--- a/erpnext/education/doctype/student/student.py
+++ b/erpnext/education/doctype/student/student.py
@@ -22,6 +22,10 @@
 			self.update_student_name_in_linked_doctype()
 
 	def validate_dates(self):
+		for sibling in self.siblings:
+			if sibling.date_of_birth and getdate(sibling.date_of_birth) > getdate():
+				frappe.throw(_("Row {0}:Sibling Date of Birth cannot be greater than today.").format(sibling.idx))
+				
 		if self.date_of_birth and getdate(self.date_of_birth) >= getdate(today()):
 			frappe.throw(_("Date of Birth cannot be greater than today."))
 
diff --git a/erpnext/education/doctype/student_admission/student_admission.js b/erpnext/education/doctype/student_admission/student_admission.js
index d7f7454..2b62967 100644
--- a/erpnext/education/doctype/student_admission/student_admission.js
+++ b/erpnext/education/doctype/student_admission/student_admission.js
@@ -11,5 +11,12 @@
 
 	academic_year: function(frm) {
 		frm.trigger("program");
+	},
+
+	admission_end_date: function(frm) {
+		if(frm.doc.admission_end_date && frm.doc.admission_end_date <= frm.doc.admission_start_date){
+			frm.set_value("admission_end_date", "");
+			frappe.throw(__("Admission End Date should be greater than Admission Start Date."));
+		}
 	}
 });
diff --git a/erpnext/hooks.py b/erpnext/hooks.py
index 774c917..54f1a1e 100644
--- a/erpnext/hooks.py
+++ b/erpnext/hooks.py
@@ -314,12 +314,15 @@
 		"erpnext.setup.doctype.email_digest.email_digest.send",
 		"erpnext.manufacturing.doctype.bom_update_tool.bom_update_tool.update_latest_price_in_all_boms",
 		"erpnext.hr.doctype.leave_ledger_entry.leave_ledger_entry.process_expired_allocation",
-		"erpnext.hr.utils.generate_leave_encashment"
+		"erpnext.hr.utils.generate_leave_encashment",
+		"erpnext.loan_management.doctype.loan_security_shortfall.loan_security_shortfall.check_for_ltv_shortfall",
+		"erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual.make_accrual_interest_entry_for_term_loans"
 	],
 	"monthly_long": [
 		"erpnext.accounts.deferred_revenue.convert_deferred_revenue_to_income",
 		"erpnext.accounts.deferred_revenue.convert_deferred_expense_to_expense",
-		"erpnext.hr.utils.allocate_earned_leaves"
+		"erpnext.hr.utils.allocate_earned_leaves",
+		"erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual.process_loan_interest_accrual"
 	]
 }
 
diff --git a/erpnext/hr/doctype/additional_salary/additional_salary.py b/erpnext/hr/doctype/additional_salary/additional_salary.py
index 8498b3d..bc7dcee 100644
--- a/erpnext/hr/doctype/additional_salary/additional_salary.py
+++ b/erpnext/hr/doctype/additional_salary/additional_salary.py
@@ -39,19 +39,21 @@
 		return amount_per_day * no_of_days
 
 @frappe.whitelist()
-def get_additional_salary_component(employee, start_date, end_date):
+def get_additional_salary_component(employee, start_date, end_date, component_type):
 	additional_components = frappe.db.sql("""
 		select salary_component, sum(amount) as amount, overwrite_salary_structure_amount, deduct_full_tax_on_selected_payroll_date
 		from `tabAdditional Salary`
 		where employee=%(employee)s
 			and docstatus = 1
 			and payroll_date between %(from_date)s and %(to_date)s
+			and type = %(component_type)s
 		group by salary_component, overwrite_salary_structure_amount
 		order by salary_component, overwrite_salary_structure_amount
 	""", {
 		'employee': employee,
 		'from_date': start_date,
-		'to_date': end_date
+		'to_date': end_date,
+		'component_type': "Earning" if component_type == "earnings" else "Deduction"
 	}, as_dict=1)
 
 	additional_components_list = []
diff --git a/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee_tax_exemption_proof_submission.json b/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee_tax_exemption_proof_submission.json
index 9792bd1..c170c16 100644
--- a/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee_tax_exemption_proof_submission.json
+++ b/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee_tax_exemption_proof_submission.json
@@ -1,720 +1,215 @@
 {
- "allow_copy": 0, 
- "allow_events_in_timeline": 0, 
- "allow_guest_to_view": 0, 
- "allow_import": 1, 
- "allow_rename": 1, 
- "autoname": "HR-TAX-PRF-.YYYY.-.#####", 
- "beta": 0, 
- "creation": "2018-04-13 17:24:11.456132", 
- "custom": 0, 
- "docstatus": 0, 
- "doctype": "DocType", 
- "document_type": "", 
- "editable_grid": 1, 
- "engine": "InnoDB", 
+ "actions": [],
+ "allow_import": 1,
+ "allow_rename": 1,
+ "autoname": "HR-TAX-PRF-.YYYY.-.#####",
+ "creation": "2018-04-13 17:24:11.456132",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "employee",
+  "employee_name",
+  "department",
+  "column_break_2",
+  "submission_date",
+  "payroll_period",
+  "company",
+  "section_break_5",
+  "tax_exemption_proofs",
+  "section_break_10",
+  "total_actual_amount",
+  "column_break_12",
+  "exemption_amount",
+  "other_incomes_section",
+  "income_from_other_sources",
+  "attachment_section",
+  "attachments",
+  "amended_from"
+ ],
  "fields": [
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "employee", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Employee", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Employee", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "employee",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "in_standard_filter": 1,
+   "label": "Employee",
+   "options": "Employee",
+   "reqd": 1
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_from": "employee.employee_name", 
-   "fetch_if_empty": 0, 
-   "fieldname": "employee_name", 
-   "fieldtype": "Data", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Employee Name", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fetch_from": "employee.employee_name",
+   "fieldname": "employee_name",
+   "fieldtype": "Data",
+   "label": "Employee Name",
+   "read_only": 1
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_from": "employee.department", 
-   "fetch_if_empty": 0, 
-   "fieldname": "department", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Department", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Department", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fetch_from": "employee.department",
+   "fieldname": "department",
+   "fieldtype": "Link",
+   "label": "Department",
+   "options": "Department",
+   "read_only": 1
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "column_break_2", 
-   "fieldtype": "Column Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "column_break_2",
+   "fieldtype": "Column Break"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "default": "Today", 
-   "fetch_if_empty": 0, 
-   "fieldname": "submission_date", 
-   "fieldtype": "Date", 
-   "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": "Submission Date", 
-   "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": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "default": "Today",
+   "fieldname": "submission_date",
+   "fieldtype": "Date",
+   "label": "Submission Date",
+   "reqd": 1
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "payroll_period", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Payroll Period", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Payroll Period", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "payroll_period",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "in_standard_filter": 1,
+   "label": "Payroll Period",
+   "options": "Payroll Period",
+   "reqd": 1
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_from": "employee.company", 
-   "fetch_if_empty": 0, 
-   "fieldname": "company", 
-   "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": "Company", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Company", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fetch_from": "employee.company",
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "label": "Company",
+   "options": "Company",
+   "read_only": 1,
+   "reqd": 1
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "section_break_5", 
-   "fieldtype": "Section Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "section_break_5",
+   "fieldtype": "Section Break"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "tax_exemption_proofs", 
-   "fieldtype": "Table", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Tax Exemption Proofs", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Employee Tax Exemption Proof Submission Detail", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "tax_exemption_proofs",
+   "fieldtype": "Table",
+   "label": "Tax Exemption Proofs",
+   "options": "Employee Tax Exemption Proof Submission Detail"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "section_break_10", 
-   "fieldtype": "Section Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "section_break_10",
+   "fieldtype": "Section Break"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "total_actual_amount", 
-   "fieldtype": "Currency", 
-   "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": "Total Actual Amount", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "total_actual_amount",
+   "fieldtype": "Currency",
+   "label": "Total Actual Amount",
+   "read_only": 1
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "column_break_12", 
-   "fieldtype": "Column Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "column_break_12",
+   "fieldtype": "Column Break"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "exemption_amount", 
-   "fieldtype": "Currency", 
-   "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": "Total Exemption Amount", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "exemption_amount",
+   "fieldtype": "Currency",
+   "label": "Total Exemption Amount",
+   "read_only": 1
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "other_incomes_section", 
-   "fieldtype": "Section Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Other Incomes", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "other_incomes_section",
+   "fieldtype": "Section Break",
+   "label": "Other Incomes"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "income_from_other_sources", 
-   "fieldtype": "Currency", 
-   "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": "Income From Other Sources", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "income_from_other_sources",
+   "fieldtype": "Currency",
+   "label": "Income From Other Sources"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "attachment_section", 
-   "fieldtype": "Section Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "attachment_section",
+   "fieldtype": "Section Break"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "attachments", 
-   "fieldtype": "Attach", 
-   "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": "Attachments", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "attachments",
+   "fieldtype": "Attach",
+   "label": "Attachments"
+  },
   {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_if_empty": 0, 
-   "fieldname": "amended_from", 
-   "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": "Amended From", 
-   "length": 0, 
-   "no_copy": 1, 
-   "options": "Employee Tax Exemption Proof Submission", 
-   "permlevel": 0, 
-   "print_hide": 1, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Employee Tax Exemption Proof Submission",
+   "print_hide": 1,
+   "read_only": 1
   }
- ], 
- "has_web_view": 0, 
- "hide_heading": 0, 
- "hide_toolbar": 0, 
- "idx": 0, 
- "image_view": 0, 
- "in_create": 0, 
- "is_submittable": 1, 
- "issingle": 0, 
- "istable": 0, 
- "max_attachments": 0, 
- "modified": "2019-05-13 12:17:18.045171", 
- "modified_by": "Administrator", 
- "module": "HR", 
- "name": "Employee Tax Exemption Proof Submission", 
- "name_case": "", 
- "owner": "Administrator", 
+ ],
+ "is_submittable": 1,
+ "links": [],
+ "modified": "2020-03-02 19:02:15.398486",
+ "modified_by": "Administrator",
+ "module": "HR",
+ "name": "Employee Tax Exemption Proof Submission",
+ "owner": "Administrator",
  "permissions": [
   {
-   "amend": 1, 
-   "cancel": 1, 
-   "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": 1, 
+   "amend": 1,
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "submit": 1,
    "write": 1
-  }, 
+  },
   {
-   "amend": 1, 
-   "cancel": 1, 
-   "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": 1, 
+   "amend": 1,
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "HR Manager",
+   "share": 1,
+   "submit": 1,
    "write": 1
-  }, 
+  },
   {
-   "amend": 1, 
-   "cancel": 1, 
-   "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": 1, 
+   "amend": 1,
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "HR User",
+   "share": 1,
+   "submit": 1,
    "write": 1
-  }, 
+  },
   {
-   "amend": 1, 
-   "cancel": 1, 
-   "create": 1, 
-   "delete": 1, 
-   "email": 1, 
-   "export": 1, 
-   "if_owner": 0, 
-   "import": 0, 
-   "permlevel": 0, 
-   "print": 1, 
-   "read": 1, 
-   "report": 1, 
-   "role": "Employee", 
-   "set_user_permissions": 0, 
-   "share": 1, 
-   "submit": 1, 
+   "amend": 1,
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Employee",
+   "share": 1,
+   "submit": 1,
    "write": 1
   }
- ], 
- "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
+ ],
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
 }
\ No newline at end of file
diff --git a/erpnext/hr/doctype/leave_encashment/leave_encashment.py b/erpnext/hr/doctype/leave_encashment/leave_encashment.py
index 42f0179..ad2cc02 100644
--- a/erpnext/hr/doctype/leave_encashment/leave_encashment.py
+++ b/erpnext/hr/doctype/leave_encashment/leave_encashment.py
@@ -64,6 +64,9 @@
 
 		allocation = self.get_leave_allocation()
 
+		if not allocation:
+			frappe.throw(_("No Leaves Allocated to Employee: {0} for Leave Type: {1}").format(self.employee, self.leave_type))
+
 		self.leave_balance = allocation.total_leaves_allocated - allocation.carry_forwarded_leaves_count\
 			- get_unused_leaves(self.employee, self.leave_type, allocation.from_date, self.encashment_date)
 
@@ -116,4 +119,4 @@
 			leave_type=allocation.leave_type,
 			encashment_date=allocation.to_date
 		))
-		leave_encashment.insert(ignore_permissions=True)
\ No newline at end of file
+		leave_encashment.insert(ignore_permissions=True)
diff --git a/erpnext/hr/doctype/loan/loan.js b/erpnext/hr/doctype/loan/loan.js
deleted file mode 100644
index 3f5c30c..0000000
--- a/erpnext/hr/doctype/loan/loan.js
+++ /dev/null
@@ -1,229 +0,0 @@
-// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-
-{% include 'erpnext/hr/loan_common.js' %};
-
-frappe.ui.form.on('Loan', {
-	onload: function (frm) {
-		frm.set_query("loan_application", function () {
-			return {
-				"filters": {
-					"applicant": frm.doc.applicant,
-					"docstatus": 1,
-					"status": "Approved"
-				}
-			};
-		});
-
-		frm.set_query("interest_income_account", function () {
-			return {
-				"filters": {
-					"company": frm.doc.company,
-					"root_type": "Income",
-					"is_group": 0
-				}
-			};
-		});
-
-		$.each(["payment_account", "loan_account"], function (i, field) {
-			frm.set_query(field, function () {
-				return {
-					"filters": {
-						"company": frm.doc.company,
-						"root_type": "Asset",
-						"is_group": 0
-					}
-				};
-			});
-		})
-	},
-
-	refresh: function (frm) {
-		if (frm.doc.docstatus == 1) {
-			if (frm.doc.status == "Sanctioned") {
-				frm.add_custom_button(__('Create Disbursement Entry'), function() {
-					frm.trigger("make_jv");
-				}).addClass("btn-primary");
-			} else if (frm.doc.status == "Disbursed" && frm.doc.repayment_start_date && (frm.doc.applicant_type == 'Member' || frm.doc.repay_from_salary == 0)) {
-				frm.add_custom_button(__('Create Repayment Entry'), function() {
-					frm.trigger("make_repayment_entry");
-				}).addClass("btn-primary");
-			}
-		}
-		frm.trigger("toggle_fields");
-	},
-
-	make_jv: function (frm) {
-		frappe.call({
-			args: {
-				"loan": frm.doc.name,
-				"company": frm.doc.company,
-				"loan_account": frm.doc.loan_account,
-				"applicant_type": frm.doc.applicant_type,
-				"applicant": frm.doc.applicant,
-				"loan_amount": frm.doc.loan_amount,
-				"payment_account": frm.doc.payment_account
-			},
-			method: "erpnext.hr.doctype.loan.loan.make_jv_entry",
-			callback: function (r) {
-				if (r.message)
-					var doc = frappe.model.sync(r.message)[0];
-				frappe.set_route("Form", doc.doctype, doc.name);
-			}
-		})
-	},
-	make_repayment_entry: function(frm) {
-		var repayment_schedule = $.map(frm.doc.repayment_schedule, function(d) { return d.paid ? d.payment_date : false; });
-		if(repayment_schedule.length >= 1){
-			frm.repayment_data = [];
-			frm.show_dialog = 1;
-			let title = "";
-			let fields = [
-			{fieldtype:'Section Break', label: __('Repayment Schedule')},
-			{fieldname: 'payments', fieldtype: 'Table',
-				fields: [
-					{
-						fieldtype:'Data',
-						fieldname:'payment_date',
-						label: __('Date'),
-						read_only:1,
-						in_list_view: 1,
-						columns: 2
-					},
-					{
-						fieldtype:'Currency',
-						fieldname:'principal_amount',
-						label: __('Principal Amount'),
-						read_only:1,
-						in_list_view: 1,
-						columns: 3
-					},
-					{
-						fieldtype:'Currency',
-						fieldname:'interest_amount',
-						label: __('Interest'),
-						read_only:1,
-						in_list_view: 1,
-						columns: 2
-					},
-					{
-						fieldtype:'Currency',
-						read_only:1,
-						fieldname:'total_payment',
-						label: __('Total Payment'),
-						in_list_view: 1,
-						columns: 3
-					},
-				],
-				data: frm.repayment_data,
-				get_data: function() {
-					return frm.repayment_data;
-				}
-			}
-		]
-
-		var dialog = new frappe.ui.Dialog({
-			title: title, fields: fields,
-		});
-		if (frm.doc['repayment_schedule']) {
-			frm.doc['repayment_schedule'].forEach((payment, index) => {
-			if (payment.paid == 0 && payment.payment_date <= frappe.datetime.now_date()) {
-					frm.repayment_data.push ({
-						'id': index,
-						'name': payment.name,
-						'payment_date': payment.payment_date,
-						'principal_amount': payment.principal_amount,
-						'interest_amount': payment.interest_amount,
-						'total_payment': payment.total_payment
-					});
-					dialog.fields_dict.payments.grid.refresh();
-					$(dialog.wrapper.find(".grid-buttons")).hide();
-					$(`.octicon.octicon-triangle-down`).hide();
-				}
-
-			})
-		}
-
-		dialog.show()
-		dialog.set_primary_action(__('Create Repayment Entry'), function() {
-			frm.values = dialog.get_values();
-			if(frm.values) {
-				_make_repayment_entry(frm, dialog.fields_dict.payments.grid.get_selected_children());
-				dialog.hide()
-				}
-			});
-		}
-
-		dialog.get_close_btn().on('click', () => {
-			dialog.hide();
-		});
-	},
-
-	mode_of_payment: function (frm) {
-		if (frm.doc.mode_of_payment && frm.doc.company) {
-			frappe.call({
-				method: "erpnext.accounts.doctype.sales_invoice.sales_invoice.get_bank_cash_account",
-				args: {
-					"mode_of_payment": frm.doc.mode_of_payment,
-					"company": frm.doc.company
-				},
-				callback: function (r, rt) {
-					if (r.message) {
-						frm.set_value("payment_account", r.message.account);
-					}
-				}
-			});
-		}
-	},
-
-	loan_application: function (frm) {
-	    if(frm.doc.loan_application){
-            return frappe.call({
-                method: "erpnext.hr.doctype.loan.loan.get_loan_application",
-                args: {
-                    "loan_application": frm.doc.loan_application
-                },
-                callback: function (r) {
-                    if (!r.exc && r.message) {
-                        frm.set_value("loan_type", r.message.loan_type);
-                        frm.set_value("loan_amount", r.message.loan_amount);
-                        frm.set_value("repayment_method", r.message.repayment_method);
-                        frm.set_value("monthly_repayment_amount", r.message.repayment_amount);
-                        frm.set_value("repayment_periods", r.message.repayment_periods);
-                        frm.set_value("rate_of_interest", r.message.rate_of_interest);
-                    }
-                }
-            });
-        }
-	},
-
-	repayment_method: function (frm) {
-		frm.trigger("toggle_fields")
-	},
-
-	toggle_fields: function (frm) {
-		frm.toggle_enable("monthly_repayment_amount", frm.doc.repayment_method == "Repay Fixed Amount per Period")
-		frm.toggle_enable("repayment_periods", frm.doc.repayment_method == "Repay Over Number of Periods")
-	}
-});
-
-var _make_repayment_entry = function(frm, payment_rows) {
-	frappe.call({
-		method:"erpnext.hr.doctype.loan.loan.make_repayment_entry",
-		args: {
-			payment_rows: payment_rows,
-			"loan": frm.doc.name,
-			"company": frm.doc.company,
-			"loan_account": frm.doc.loan_account,
-			"applicant_type": frm.doc.applicant_type,
-			"applicant": frm.doc.applicant,
-			"payment_account": frm.doc.payment_account,
-			"interest_income_account": frm.doc.interest_income_account
-		},
-		callback: function(r) {
-			if (r.message)
-				var doc = frappe.model.sync(r.message)[0];
-			frappe.set_route("Form", doc.doctype, doc.name, {'payment_rows': payment_rows});
-		}
-	});
-}
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan/loan.py b/erpnext/hr/doctype/loan/loan.py
deleted file mode 100644
index a803863..0000000
--- a/erpnext/hr/doctype/loan/loan.py
+++ /dev/null
@@ -1,240 +0,0 @@
-# -*- coding: utf-8 -*-
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-from __future__ import unicode_literals
-import frappe, math, json
-import erpnext
-from frappe import _
-from frappe.utils import flt, rounded, add_months, nowdate, getdate
-from erpnext.controllers.accounts_controller import AccountsController
-
-class Loan(AccountsController):
-	def validate(self):
-		validate_repayment_method(self.repayment_method, self.loan_amount, self.monthly_repayment_amount, self.repayment_periods)
-		self.set_missing_fields()
-		self.make_repayment_schedule()
-		self.set_repayment_period()
-		self.calculate_totals()
-
-	def set_missing_fields(self):
-		if not self.company:
-			self.company = erpnext.get_default_company()
-
-		if not self.posting_date:
-			self.posting_date = nowdate()
-
-		if self.loan_type and not self.rate_of_interest:
-			self.rate_of_interest = frappe.db.get_value("Loan Type", self.loan_type, "rate_of_interest")
-
-		if self.repayment_method == "Repay Over Number of Periods":
-			self.monthly_repayment_amount = get_monthly_repayment_amount(self.repayment_method, self.loan_amount, self.rate_of_interest, self.repayment_periods)
-
-		if self.status == "Repaid/Closed":
-			self.total_amount_paid = self.total_payment
-
-
-	def make_jv_entry(self):
-		self.check_permission('write')
-		journal_entry = frappe.new_doc('Journal Entry')
-		journal_entry.voucher_type = 'Bank Entry'
-		journal_entry.user_remark = _('Against Loan: {0}').format(self.name)
-		journal_entry.company = self.company
-		journal_entry.posting_date = nowdate()
-
-		account_amt_list = []
-
-		account_amt_list.append({
-			"account": self.loan_account,
-			"party_type": self.applicant_type,
-			"party": self.applicant,
-			"debit_in_account_currency": self.loan_amount,
-			"reference_type": "Loan",
-			"reference_name": self.name,
-			})
-		account_amt_list.append({
-			"account": self.payment_account,
-			"credit_in_account_currency": self.loan_amount,
-			"reference_type": "Loan",
-			"reference_name": self.name,
-			})
-		journal_entry.set("accounts", account_amt_list)
-		return journal_entry.as_dict()
-
-	def make_repayment_schedule(self):
-		self.repayment_schedule = []
-		payment_date = self.repayment_start_date
-		balance_amount = self.loan_amount
-		while(balance_amount > 0):
-			interest_amount = rounded(balance_amount * flt(self.rate_of_interest) / (12*100))
-			principal_amount = self.monthly_repayment_amount - interest_amount
-			balance_amount = rounded(balance_amount + interest_amount - self.monthly_repayment_amount)
-
-			if balance_amount < 0:
-				principal_amount += balance_amount
-				balance_amount = 0.0
-
-			total_payment = principal_amount + interest_amount
-			self.append("repayment_schedule", {
-				"payment_date": payment_date,
-				"principal_amount": principal_amount,
-				"interest_amount": interest_amount,
-				"total_payment": total_payment,
-				"balance_loan_amount": balance_amount
-			})
-			next_payment_date = add_months(payment_date, 1)
-			payment_date = next_payment_date
-
-	def set_repayment_period(self):
-		if self.repayment_method == "Repay Fixed Amount per Period":
-			repayment_periods = len(self.repayment_schedule)
-
-			self.repayment_periods = repayment_periods
-
-	def calculate_totals(self):
-		self.total_payment = 0
-		self.total_interest_payable = 0
-		self.total_amount_paid = 0
-		for data in self.repayment_schedule:
-			self.total_payment += data.total_payment
-			self.total_interest_payable +=data.interest_amount
-			if data.paid:
-				self.total_amount_paid += data.total_payment
-
-def update_total_amount_paid(doc):
-	total_amount_paid = 0
-	for data in doc.repayment_schedule:
-		if data.paid:
-			total_amount_paid += data.total_payment
-	frappe.db.set_value("Loan", doc.name, "total_amount_paid", total_amount_paid)
-
-def update_disbursement_status(doc):
-	disbursement = frappe.db.sql("""
-		select posting_date, ifnull(sum(credit_in_account_currency), 0) as disbursed_amount
-		from `tabGL Entry`
-		where account = %s and against_voucher_type = 'Loan' and against_voucher = %s
-	""", (doc.payment_account, doc.name), as_dict=1)[0]
-
-	disbursement_date = None
-	if not disbursement or disbursement.disbursed_amount == 0:
-		status = "Sanctioned"
-	elif disbursement.disbursed_amount == doc.loan_amount:
-		disbursement_date = disbursement.posting_date
-		status = "Disbursed"
-	elif disbursement.disbursed_amount > doc.loan_amount:
-		frappe.throw(_("Disbursed Amount cannot be greater than Loan Amount {0}").format(doc.loan_amount))
-
-	if status == 'Disbursed' and getdate(disbursement_date) > getdate(frappe.db.get_value("Loan", doc.name, "repayment_start_date")):
-			frappe.throw(_("Disbursement Date cannot be after Loan Repayment Start Date"))
-
-	frappe.db.sql("""
-		update `tabLoan`
-		set status = %s, disbursement_date = %s
-		where name = %s
-	""", (status, disbursement_date, doc.name))
-
-def validate_repayment_method(repayment_method, loan_amount, monthly_repayment_amount, repayment_periods):
-	if repayment_method == "Repay Over Number of Periods" and not repayment_periods:
-		frappe.throw(_("Please enter Repayment Periods"))
-
-	if repayment_method == "Repay Fixed Amount per Period":
-		if not monthly_repayment_amount:
-			frappe.throw(_("Please enter repayment Amount"))
-		if monthly_repayment_amount > loan_amount:
-			frappe.throw(_("Monthly Repayment Amount cannot be greater than Loan Amount"))
-
-def get_monthly_repayment_amount(repayment_method, loan_amount, rate_of_interest, repayment_periods):
-	if rate_of_interest:
-		monthly_interest_rate = flt(rate_of_interest) / (12 *100)
-		monthly_repayment_amount = math.ceil((loan_amount * monthly_interest_rate *
-			(1 + monthly_interest_rate)**repayment_periods) \
-			/ ((1 + monthly_interest_rate)**repayment_periods - 1))
-	else:
-		monthly_repayment_amount = math.ceil(flt(loan_amount) / repayment_periods)
-	return monthly_repayment_amount
-
-@frappe.whitelist()
-def get_loan_application(loan_application):
-	loan = frappe.get_doc("Loan Application", loan_application)
-	if loan:
-		return loan.as_dict()
-
-@frappe.whitelist()
-def make_repayment_entry(payment_rows, loan, company, loan_account, applicant_type, applicant, \
-	payment_account=None, interest_income_account=None):
-
-	if isinstance(payment_rows, frappe.string_types):
-		payment_rows_list = json.loads(payment_rows)
-	else:
-		frappe.throw(_("No repayments available for Journal Entry"))
-
-	if payment_rows_list:
-		row_name = list(set(d["name"] for d in payment_rows_list))
-	else:
-		frappe.throw(_("No repayments selected for Journal Entry"))
-	total_payment = 0
-	principal_amount = 0
-	interest_amount = 0
-	for d in payment_rows_list:
-		total_payment += d["total_payment"]
-		principal_amount += d["principal_amount"]
-		interest_amount += d["interest_amount"]
-
-	journal_entry = frappe.new_doc('Journal Entry')
-	journal_entry.voucher_type = 'Bank Entry'
-	journal_entry.user_remark = _('Against Loan: {0}').format(loan)
-	journal_entry.company = company
-	journal_entry.posting_date = nowdate()
-	journal_entry.paid_loan = json.dumps(row_name)
-	account_amt_list = []
-
-	account_amt_list.append({
-		"account": payment_account,
-		"debit_in_account_currency": total_payment,
-		"reference_type": "Loan",
-		"reference_name": loan,
-		})
-	account_amt_list.append({
-		"account": loan_account,
-		"credit_in_account_currency": principal_amount,
-		"party_type": applicant_type,
-		"party": applicant,
-		"reference_type": "Loan",
-		"reference_name": loan,
-		})
-	account_amt_list.append({
-		"account": interest_income_account,
-		"credit_in_account_currency": interest_amount,
-		"reference_type": "Loan",
-		"reference_name": loan,
-		})
-	journal_entry.set("accounts", account_amt_list)
-
-	return journal_entry.as_dict()
-
-@frappe.whitelist()
-def make_jv_entry(loan, company, loan_account, applicant_type, applicant, loan_amount,payment_account=None):
-
-	journal_entry = frappe.new_doc('Journal Entry')
-	journal_entry.voucher_type = 'Bank Entry'
-	journal_entry.user_remark = _('Against Loan: {0}').format(loan)
-	journal_entry.company = company
-	journal_entry.posting_date = nowdate()
-	account_amt_list = []
-
-	account_amt_list.append({
-		"account": loan_account,
-		"debit_in_account_currency": loan_amount,
-		"party_type": applicant_type,
-		"party": applicant,
-		"reference_type": "Loan",
-		"reference_name": loan,
-		})
-	account_amt_list.append({
-		"account": payment_account,
-		"credit_in_account_currency": loan_amount,
-		"reference_type": "Loan",
-		"reference_name": loan,
-		})
-	journal_entry.set("accounts", account_amt_list)
-	return journal_entry.as_dict()
diff --git a/erpnext/hr/doctype/loan/loan_dashboard.py b/erpnext/hr/doctype/loan/loan_dashboard.py
deleted file mode 100644
index 7256d94..0000000
--- a/erpnext/hr/doctype/loan/loan_dashboard.py
+++ /dev/null
@@ -1,26 +0,0 @@
-from __future__ import unicode_literals
-from frappe import _
-
-def get_data():
-	return {
-		'fieldname': 'applicant',
-		'non_standard_fieldnames': {
-			'Journal Entry': 'reference_name',
-			'Salary Slip': 'employee'
-			},
-		'transactions': [
-			{
-				'label': _('Applicant'),
-				'items': ['Loan Application']
-			},
-
-			{
-				'label': _('Account'),
-				'items': ['Journal Entry']
-			},
-			{
-				'label': _('Employee'),
-				'items': ['Salary Slip']
-			}
-		]
-	}
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan/test_loan.js b/erpnext/hr/doctype/loan/test_loan.js
deleted file mode 100644
index 28d30c9..0000000
--- a/erpnext/hr/doctype/loan/test_loan.js
+++ /dev/null
@@ -1,79 +0,0 @@
-
-QUnit.test("Test Loan [HR]", function(assert) {
-	assert.expect(8);
-	let done = assert.async();
-	let employee_name;
-
-	// To create a loan and check principal,interest and balance amount
-	let loan_creation = (ename,lname) => {
-		return frappe.run_serially([
-			() => frappe.db.get_value('Employee', {'employee_name': ename}, 'name'),
-			(r) => {
-				employee_name = r.message.name;
-			},
-			() => frappe.db.get_value('Loan Application', {'loan_type': lname}, 'name'),
-			(r) => {
-				// Creating loan for an employee
-				return frappe.tests.make('Loan', [
-					{ company: 'For Testing'},
-					{ posting_date: '2017-08-26'},
-					{ applicant: employee_name},
-					{ loan_application: r.message.name},
-					{ disbursement_date: '2018-08-26'},
-					{ mode_of_payment: 'Cash'},
-					{ loan_account: 'Temporary Opening - FT'},
-					{ interest_income_account: 'Service - FT'}
-				]);
-			},
-			() => frappe.timeout(3),
-			() => frappe.click_button('Submit'),
-			() => frappe.timeout(1),
-			() => frappe.click_button('Yes'),
-			() => frappe.timeout(3),
-
-			// Checking if all the amounts are correctly calculated
-			() => {
-				assert.ok(cur_frm.get_field('applicant_name').value=='Test Employee 1'&&
-					(cur_frm.get_field('status').value=='Sanctioned'),
-				'Loan Sanctioned for correct employee');
-
-				assert.equal(7270,
-					cur_frm.get_doc('repayment_schedule').repayment_schedule[0].principal_amount,
-					'Principal amount for first instalment is correctly calculated');
-
-				assert.equal(2333,
-					cur_frm.get_doc('repayment_schedule').repayment_schedule[0].interest_amount,
-					'Interest amount for first instalment is correctly calculated');
-
-				assert.equal(192730,
-					cur_frm.get_doc('repayment_schedule').repayment_schedule[0].balance_loan_amount,
-					'Balance amount after first instalment is correctly calculated');
-
-				assert.equal(9479,
-					cur_frm.get_doc('repayment_schedule').repayment_schedule[23].principal_amount,
-					'Principal amount for last instalment is correctly calculated');
-
-				assert.equal(111,
-					cur_frm.get_doc('repayment_schedule').repayment_schedule[23].interest_amount,
-					'Interest amount for last instalment is correctly calculated');
-
-				assert.equal(0,
-					cur_frm.get_doc('repayment_schedule').repayment_schedule[23].balance_loan_amount,
-					'Balance amount after last instalment is correctly calculated');
-
-			},
-			() => frappe.set_route('List','Loan','List'),
-			() => frappe.timeout(2),
-
-			// Checking the submission of Loan
-			() => {
-				assert.ok(cur_list.data[0].docstatus==1,'Loan sanctioned and submitted successfully');
-			},
-		]);
-	};
-	frappe.run_serially([
-		// Creating loan
-		() => loan_creation('Test Employee 1','Test Loan'),
-		() => done()
-	]);
-});
diff --git a/erpnext/hr/doctype/loan/test_loan.py b/erpnext/hr/doctype/loan/test_loan.py
deleted file mode 100644
index 740e429..0000000
--- a/erpnext/hr/doctype/loan/test_loan.py
+++ /dev/null
@@ -1,71 +0,0 @@
-# -*- coding: utf-8 -*-
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-from __future__ import unicode_literals
-
-import frappe
-import erpnext
-import unittest
-from frappe.utils import nowdate, add_days
-from erpnext.hr.doctype.salary_structure.test_salary_structure import make_employee
-
-class TestLoan(unittest.TestCase):
-	def setUp(self):
-		create_loan_type("Personal Loan", 500000, 8.4)
-		self.applicant = make_employee("robert_loan@loan.com")
-		create_loan(self.applicant, "Personal Loan", 280000, "Repay Over Number of Periods", 20)
-	
-	def test_loan(self):
-		loan = frappe.get_doc("Loan", {"applicant":self.applicant})
-		self.assertEquals(loan.monthly_repayment_amount, 15052)
-		self.assertEquals(loan.total_interest_payable, 21034)
-		self.assertEquals(loan.total_payment, 301034)
-
-		schedule = loan.repayment_schedule
-
-		self.assertEqual(len(schedule), 20)
-
-		for idx, principal_amount, interest_amount, balance_loan_amount in [[3, 13369, 1683, 227079], [19, 14941, 105, 0], [17, 14740, 312, 29785]]:
-			self.assertEqual(schedule[idx].principal_amount, principal_amount)
-			self.assertEqual(schedule[idx].interest_amount, interest_amount)
-			self.assertEqual(schedule[idx].balance_loan_amount, balance_loan_amount)
-
-		loan.repayment_method = "Repay Fixed Amount per Period"
-		loan.monthly_repayment_amount = 14000
-		loan.save()
-
-		self.assertEquals(len(loan.repayment_schedule), 22)
-		self.assertEquals(loan.total_interest_payable, 22712)
-		self.assertEquals(loan.total_payment, 302712)
-
-def create_loan_type(loan_name, maximum_loan_amount, rate_of_interest):
-	if not frappe.db.exists("Loan Type", loan_name):
-		frappe.get_doc({
-			"doctype": "Loan Type",
-			"loan_name": loan_name,
-			"maximum_loan_amount": maximum_loan_amount,
-			"rate_of_interest": rate_of_interest
-		}).insert()
-
-def	create_loan(applicant, loan_type, loan_amount, repayment_method, repayment_periods):
-	create_loan_type(loan_type, 500000, 8.4)
-	if not frappe.db.get_value("Loan", {"applicant":applicant}):
-		loan = frappe.new_doc("Loan")
-		loan.update({
-				"applicant": applicant,
-				"loan_type": loan_type,
-				"loan_amount": loan_amount,
-				"repayment_method": repayment_method,
-				"repayment_periods": repayment_periods,
-				"disbursement_date": nowdate(),
-				"repayment_start_date": nowdate(),
-				"status": "Disbursed",
-				"mode_of_payment": frappe.db.get_value('Mode of Payment', {'type': 'Cash'}, 'name'),
-				"payment_account": frappe.db.get_value('Account', {'account_type': 'Cash', 'company': erpnext.get_default_company(),'is_group':0}, "name"),
-				"loan_account": frappe.db.get_value('Account', {'account_type': 'Cash', 'company': erpnext.get_default_company(),'is_group':0}, "name"),
-				"interest_income_account": frappe.db.get_value('Account', {'account_type': 'Cash', 'company': erpnext.get_default_company(),'is_group':0}, "name")
-			})
-		loan.insert()
-		return loan
-	else:
-		return frappe.get_doc("Loan", {"applicant":applicant})
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan_application/loan_application.js b/erpnext/hr/doctype/loan_application/loan_application.js
deleted file mode 100644
index a73b62a..0000000
--- a/erpnext/hr/doctype/loan_application/loan_application.js
+++ /dev/null
@@ -1,42 +0,0 @@
-// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-
-{% include 'erpnext/hr/loan_common.js' %};
-
-frappe.ui.form.on('Loan Application', {
-	refresh: function(frm) {
-		frm.trigger("toggle_fields")
-		frm.trigger("add_toolbar_buttons")
-	},
-	repayment_method: function(frm) {
-		frm.doc.repayment_amount = frm.doc.repayment_periods = ""
-		frm.trigger("toggle_fields")
-		frm.trigger("toggle_required")
-	},
-	toggle_fields: function(frm) {
-		frm.toggle_enable("repayment_amount", frm.doc.repayment_method=="Repay Fixed Amount per Period")
-		frm.toggle_enable("repayment_periods", frm.doc.repayment_method=="Repay Over Number of Periods")
-	},
-	toggle_required: function(frm){
-		frm.toggle_reqd("repayment_amount", cint(frm.doc.repayment_method=='Repay Fixed Amount per Period'))
-		frm.toggle_reqd("repayment_periods", cint(frm.doc.repayment_method=='Repay Over Number of Periods'))
-	},
-	add_toolbar_buttons: function(frm) {
-		if (frm.doc.status == "Approved") {
-			frm.add_custom_button(__('Create Loan'), function() {
-				frappe.call({
-					method: "erpnext.hr.doctype.loan_application.loan_application.make_loan",
-					args: {
-						"source_name": frm.doc.name
-					},
-					callback: function(r) {
-						if(!r.exc) {
-							var doc = frappe.model.sync(r.message);
-							frappe.set_route("Form", r.message.doctype, r.message.name);
-						}
-					}
-				});
-			}).addClass("btn-primary");
-		}
-	}
-});
diff --git a/erpnext/hr/doctype/loan_application/loan_application.json b/erpnext/hr/doctype/loan_application/loan_application.json
deleted file mode 100644
index cc73a86..0000000
--- a/erpnext/hr/doctype/loan_application/loan_application.json
+++ /dev/null
@@ -1,840 +0,0 @@
-{
- "allow_copy": 0, 
- "allow_guest_to_view": 0, 
- "allow_import": 0, 
- "allow_rename": 0, 
- "autoname": "ACC-LOAP-.YYYY.-.#####", 
- "beta": 0, 
- "creation": "2016-12-02 12:35:56.046811", 
- "custom": 0, 
- "docstatus": 0, 
- "doctype": "DocType", 
- "document_type": "", 
- "editable_grid": 1, 
- "engine": "InnoDB", 
- "fields": [
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "applicant_type", 
-   "fieldtype": "Select", 
-   "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": "Applicant Type", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Employee\nMember", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "applicant", 
-   "fieldtype": "Dynamic Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 1, 
-   "in_list_view": 0, 
-   "in_standard_filter": 1, 
-   "label": "Applicant", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "applicant_type", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "depends_on": "applicant", 
-   "fieldname": "applicant_name", 
-   "fieldtype": "Data", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 1, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Applicant Name", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "column_break_2", 
-   "fieldtype": "Column Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "default": "Today", 
-   "fieldname": "posting_date", 
-   "fieldtype": "Date", 
-   "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": "Posting Date", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 1, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "status", 
-   "fieldtype": "Select", 
-   "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": "Status", 
-   "length": 0, 
-   "no_copy": 1, 
-   "options": "Open\nApproved\nRejected", 
-   "permlevel": 1, 
-   "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, 
-   "columns": 0, 
-   "fieldname": "company", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Company", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Company", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "section_break_4", 
-   "fieldtype": "Section Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Loan Info", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "loan_type", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Loan Type", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Loan Type", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "loan_amount", 
-   "fieldtype": "Currency", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Loan Amount", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Company:company:default_currency", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "required_by_date", 
-   "fieldtype": "Date", 
-   "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": "Required by Date", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "column_break_7", 
-   "fieldtype": "Column Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "description", 
-   "fieldtype": "Small Text", 
-   "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": "Reason", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "repayment_info", 
-   "fieldtype": "Section Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Repayment Info", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "repayment_method", 
-   "fieldtype": "Select", 
-   "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": "Repayment Method", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "\nRepay Fixed Amount per Period\nRepay Over Number of Periods", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fetch_from": "loan_type.rate_of_interest", 
-   "fieldname": "rate_of_interest", 
-   "fieldtype": "Percent", 
-   "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": "Rate of Interest", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "total_payable_interest", 
-   "fieldtype": "Currency", 
-   "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": "Total Payable Interest", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Company:company:default_currency", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "column_break_11", 
-   "fieldtype": "Column Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "depends_on": "", 
-   "fieldname": "repayment_amount", 
-   "fieldtype": "Currency", 
-   "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": "Monthly Repayment Amount", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Company:company:default_currency", 
-   "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, 
-   "columns": 0, 
-   "depends_on": "", 
-   "fieldname": "repayment_periods", 
-   "fieldtype": "Int", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Repayment Period in Months", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "total_payable_amount", 
-   "fieldtype": "Currency", 
-   "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": "Total Payable Amount", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Company:company:default_currency", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_in_quick_entry": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "amended_from", 
-   "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": "Amended From", 
-   "length": 0, 
-   "no_copy": 1, 
-   "options": "Loan Application", 
-   "permlevel": 0, 
-   "print_hide": 1, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }
- ], 
- "has_web_view": 0, 
- "hide_heading": 0, 
- "hide_toolbar": 0, 
- "idx": 0, 
- "image_view": 0, 
- "in_create": 0, 
- "is_submittable": 1, 
- "issingle": 0, 
- "istable": 0, 
- "max_attachments": 0, 
- "modified": "2018-08-21 16:15:53.688596", 
- "modified_by": "Administrator", 
- "module": "HR", 
- "name": "Loan Application", 
- "name_case": "", 
- "owner": "Administrator", 
- "permissions": [
-  {
-   "amend": 0, 
-   "cancel": 1, 
-   "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": 1, 
-   "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": "Employee", 
-   "set_user_permissions": 0, 
-   "share": 1, 
-   "submit": 1, 
-   "write": 1
-  }, 
-  {
-   "amend": 0, 
-   "cancel": 0, 
-   "create": 0, 
-   "delete": 1, 
-   "email": 1, 
-   "export": 1, 
-   "if_owner": 0, 
-   "import": 0, 
-   "permlevel": 1, 
-   "print": 1, 
-   "read": 1, 
-   "report": 1, 
-   "role": "HR Manager", 
-   "set_user_permissions": 0, 
-   "share": 1, 
-   "submit": 0, 
-   "write": 1
-  }, 
-  {
-   "amend": 0, 
-   "cancel": 0, 
-   "create": 0, 
-   "delete": 0, 
-   "email": 1, 
-   "export": 1, 
-   "if_owner": 0, 
-   "import": 0, 
-   "permlevel": 1, 
-   "print": 1, 
-   "read": 1, 
-   "report": 1, 
-   "role": "Employee", 
-   "set_user_permissions": 0, 
-   "share": 1, 
-   "submit": 0, 
-   "write": 0
-  }
- ], 
- "quick_entry": 0, 
- "read_only": 0, 
- "read_only_onload": 0, 
- "search_fields": "applicant_type, applicant, loan_type, loan_amount", 
- "show_name_in_global_search": 0, 
- "sort_field": "modified", 
- "sort_order": "DESC", 
- "timeline_field": "applicant", 
- "title_field": "applicant", 
- "track_changes": 1, 
- "track_seen": 0, 
- "track_views": 0
-}
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan_application/loan_application.py b/erpnext/hr/doctype/loan_application/loan_application.py
deleted file mode 100644
index 582bf48..0000000
--- a/erpnext/hr/doctype/loan_application/loan_application.py
+++ /dev/null
@@ -1,70 +0,0 @@
-# -*- coding: utf-8 -*-
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-from __future__ import unicode_literals
-import frappe, math
-from frappe import _
-from frappe.utils import flt, rounded
-from frappe.model.mapper import get_mapped_doc
-from frappe.model.document import Document
-
-from erpnext.hr.doctype.loan.loan import get_monthly_repayment_amount, validate_repayment_method
-
-class LoanApplication(Document):
-	def validate(self):
-		validate_repayment_method(self.repayment_method, self.loan_amount, self.repayment_amount, self.repayment_periods)
-		self.validate_loan_amount()
-		self.get_repayment_details()
-
-	def validate_loan_amount(self):
-		maximum_loan_limit = frappe.db.get_value('Loan Type', self.loan_type, 'maximum_loan_amount')
-		if maximum_loan_limit and self.loan_amount > maximum_loan_limit:
-			frappe.throw(_("Loan Amount cannot exceed Maximum Loan Amount of {0}").format(maximum_loan_limit))
-
-	def get_repayment_details(self):
-		if self.repayment_method == "Repay Over Number of Periods":
-			self.repayment_amount = get_monthly_repayment_amount(self.repayment_method, self.loan_amount, self.rate_of_interest, self.repayment_periods)
-
-		if self.repayment_method == "Repay Fixed Amount per Period":
-			monthly_interest_rate = flt(self.rate_of_interest) / (12 *100)
-			if monthly_interest_rate:
-				min_repayment_amount = self.loan_amount*monthly_interest_rate
-				if (self.repayment_amount - min_repayment_amount) <= 0:
-					frappe.throw(_("Repayment Amount must be greater than " \
-						+ str(flt(min_repayment_amount, 2))))
-				self.repayment_periods = math.ceil((math.log(self.repayment_amount) -
-					math.log(self.repayment_amount - min_repayment_amount)) /(math.log(1 + monthly_interest_rate)))
-			else:
-				self.repayment_periods = self.loan_amount / self.repayment_amount
-
-		self.calculate_payable_amount()
-
-	def calculate_payable_amount(self):
-		balance_amount = self.loan_amount
-		self.total_payable_amount = 0
-		self.total_payable_interest = 0
-
-		while(balance_amount > 0):
-			interest_amount = rounded(balance_amount * flt(self.rate_of_interest) / (12*100))
-			balance_amount = rounded(balance_amount + interest_amount - self.repayment_amount)
-
-			self.total_payable_interest += interest_amount
-
-		self.total_payable_amount = self.loan_amount + self.total_payable_interest
-
-@frappe.whitelist()
-def make_loan(source_name, target_doc = None):
-	doclist = get_mapped_doc("Loan Application", source_name, {
-		"Loan Application": {
-			"doctype": "Loan",
-			"field_map": {
-				"repayment_amount": "monthly_repayment_amount"
-			},
-			"validation": {
-				"docstatus": ["=", 1]
-			}
-		}
-	}, target_doc)
-
-	return doclist
diff --git a/erpnext/hr/doctype/loan_application/test_loan_application.js b/erpnext/hr/doctype/loan_application/test_loan_application.js
deleted file mode 100644
index b8789c7..0000000
--- a/erpnext/hr/doctype/loan_application/test_loan_application.js
+++ /dev/null
@@ -1,68 +0,0 @@
-QUnit.module('hr');
-
-QUnit.test("Test: Loan Application [HR]", function (assert) {
-	assert.expect(8);
-	let done = assert.async();
-	let employee_name;
-
-	frappe.run_serially([
-		//  Creation of Loan Application
-		() => frappe.db.get_value('Employee', {'employee_name': 'Test Employee 1'}, 'name'),
-		(r) => {
-			employee_name = r.message.name;
-		},
-		() => {
-			return frappe.tests.make('Loan Application', [
-				{ company: 'For Testing'},
-				{ applicant: employee_name},
-				{ applicant_name: 'Test Employee 1'},
-				{ status: 'Approved'},
-				{ loan_type: 'Test Loan '},
-				{ loan_amount: 200000},
-				{ description: 'This is just a test'},
-				{ repayment_method: 'Repay Over Number of Periods'},
-				{ repayment_periods: 24},
-				{ rate_of_interest: 14}
-			]);
-		},
-		() => frappe.timeout(6),
-		() => frappe.click_button('Submit'),
-		() => frappe.timeout(1),
-		() => frappe.click_button('Yes'),
-		() => frappe.timeout(2),
-		() => {
-			// To check if all the amounts are correctly calculated
-
-			assert.ok(cur_frm.get_field('applicant_name').value == 'Test Employee 1',
-				'Application created successfully');
-
-			assert.ok(cur_frm.get_field('status').value=='Approved',
-				'Status of application is correctly set');
-
-			assert.ok(cur_frm.get_field('loan_type').value=='Test Loan',
-				'Application is created for correct Loan Type');
-
-			assert.ok(cur_frm.get_field('status').value=='Approved',
-				'Status of application is correctly set');
-
-			assert.ok(cur_frm.get_field('repayment_amount').value==9603,
-				'Repayment amount is correctly calculated');
-
-			assert.ok(cur_frm.get_field('total_payable_interest').value==30459,
-				'Interest amount is correctly calculated');
-
-			assert.ok(cur_frm.get_field('total_payable_amount').value==230459,
-				'Total payable amount is correctly calculated');
-		},
-
-		() => frappe.set_route('List','Loan Application','List'),
-		() => frappe.timeout(2),
-
-		// Checking the submission of Loan Application
-		() => {
-			assert.ok(cur_list.data[0].docstatus==1,'Loan Application submitted successfully');
-		},
-		() => frappe.timeout(1),
-		() => done()
-	]);
-});
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan_application/test_loan_application.py b/erpnext/hr/doctype/loan_application/test_loan_application.py
deleted file mode 100644
index b08b522..0000000
--- a/erpnext/hr/doctype/loan_application/test_loan_application.py
+++ /dev/null
@@ -1,52 +0,0 @@
-# -*- coding: utf-8 -*-
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-from __future__ import unicode_literals
-
-import frappe
-import unittest
-from erpnext.hr.doctype.salary_structure.test_salary_structure import make_employee
-
-class TestLoanApplication(unittest.TestCase):
-	def setUp(self):
-		self.create_loan_type()
-		self.applicant = make_employee("kate_loan@loan.com")
-		self.create_loan_application()
-
-	def create_loan_type(self):
-		if not frappe.db.get_value("Loan Type", "Home Loan"):
-			frappe.get_doc({
-				"doctype": "Loan Type",
-				"loan_name": "Home Loan",
-				"maximum_loan_amount": 500000,
-				"rate_of_interest": 9.2
-			}).insert()
-
-	def create_loan_application(self):
-		if not frappe.db.get_value("Loan Application", {"applicant":self.applicant}, "name"):
-			loan_application = frappe.new_doc("Loan Application")
-			loan_application.update({
-				"applicant": self.applicant,
-				"loan_type": "Home Loan",
-				"rate_of_interest": 9.2,
-				"loan_amount": 250000,
-				"repayment_method": "Repay Over Number of Periods",
-				"repayment_periods": 18
-			})
-			loan_application.insert()
-
-
-	def test_loan_totals(self):
-		loan_application = frappe.get_doc("Loan Application", {"applicant":self.applicant})
-
-		self.assertEqual(loan_application.total_payable_interest, 18599)
-		self.assertEqual(loan_application.total_payable_amount, 268599)
-		self.assertEqual(loan_application.repayment_amount, 14923)
-
-		loan_application.repayment_periods = 24
-		loan_application.save()
-		loan_application.reload()
-
-		self.assertEqual(loan_application.total_payable_interest, 24657)
-		self.assertEqual(loan_application.total_payable_amount, 274657)
-		self.assertEqual(loan_application.repayment_amount, 11445)
diff --git a/erpnext/hr/doctype/loan_type/loan_type.js b/erpnext/hr/doctype/loan_type/loan_type.js
deleted file mode 100644
index 72f5775..0000000
--- a/erpnext/hr/doctype/loan_type/loan_type.js
+++ /dev/null
@@ -1,7 +0,0 @@
-// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-
-frappe.ui.form.on('Loan Type', {
-	refresh: function(frm) {
-	}
-});
diff --git a/erpnext/hr/doctype/loan_type/loan_type.json b/erpnext/hr/doctype/loan_type/loan_type.json
deleted file mode 100644
index e595187..0000000
--- a/erpnext/hr/doctype/loan_type/loan_type.json
+++ /dev/null
@@ -1,259 +0,0 @@
-{
- "allow_copy": 0, 
- "allow_guest_to_view": 0, 
- "allow_import": 0, 
- "allow_rename": 0, 
- "autoname": "field:loan_name", 
- "beta": 0, 
- "creation": "2016-12-02 10:41:40.732843", 
- "custom": 0, 
- "docstatus": 0, 
- "doctype": "DocType", 
- "document_type": "", 
- "editable_grid": 1, 
- "engine": "InnoDB", 
- "fields": [
-  {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "loan_name", 
-   "fieldtype": "Data", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Loan Name", 
-   "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": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "maximum_loan_amount", 
-   "fieldtype": "Currency", 
-   "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": "Maximum Loan Amount", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Company:company:default_currency", 
-   "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": "rate_of_interest", 
-   "fieldtype": "Percent", 
-   "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": "Rate of Interest (%) Yearly", 
-   "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": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "column_break_2", 
-   "fieldtype": "Column Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "default": "", 
-   "fieldname": "disabled", 
-   "fieldtype": "Check", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Disabled", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "description", 
-   "fieldtype": "Text", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Description", 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }
- ], 
- "has_web_view": 0, 
- "hide_heading": 0, 
- "hide_toolbar": 0, 
- "idx": 0, 
- "image_view": 0, 
- "in_create": 0, 
- "is_submittable": 0, 
- "issingle": 0, 
- "istable": 0, 
- "max_attachments": 0, 
- "modified": "2017-03-29 21:23:08.665245", 
- "modified_by": "Administrator", 
- "module": "HR", 
- "name": "Loan Type", 
- "name_case": "", 
- "owner": "Administrator", 
- "permissions": [
-  {
-   "amend": 0, 
-   "apply_user_permissions": 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, 
-   "apply_user_permissions": 0, 
-   "cancel": 0, 
-   "create": 0, 
-   "delete": 0, 
-   "email": 0, 
-   "export": 0, 
-   "if_owner": 0, 
-   "import": 0, 
-   "permlevel": 0, 
-   "print": 0, 
-   "read": 1, 
-   "report": 0, 
-   "role": "Employee", 
-   "set_user_permissions": 0, 
-   "share": 0, 
-   "submit": 0, 
-   "write": 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": 0, 
- "track_seen": 0
-}
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan_type/loan_type_dashboard.py b/erpnext/hr/doctype/loan_type/loan_type_dashboard.py
deleted file mode 100644
index 07b11fe..0000000
--- a/erpnext/hr/doctype/loan_type/loan_type_dashboard.py
+++ /dev/null
@@ -1,12 +0,0 @@
-from __future__ import unicode_literals
-from frappe import _
-
-def get_data():
-     return {
-        'fieldname': 'loan_type',
-        'transactions': [
-            {
-                'items': ['Loan Application']
-            },
-        ],
-    }
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan_type/test_loan_type.js b/erpnext/hr/doctype/loan_type/test_loan_type.js
deleted file mode 100644
index 71354be..0000000
--- a/erpnext/hr/doctype/loan_type/test_loan_type.js
+++ /dev/null
@@ -1,31 +0,0 @@
-QUnit.module('hr');
-
-QUnit.test("Test: Loan Type [HR]", function (assert) {
-	assert.expect(3);
-	let done = assert.async();
-
-	frappe.run_serially([
-		// Loan Type creation
-		() => {
-			frappe.tests.make('Loan Type', [
-				{ loan_name: 'Test Loan'},
-				{ maximum_loan_amount: 400000},
-				{ rate_of_interest: 14},
-				{ description:
-					'This is just a test.'}
-			]);
-		},
-		() => frappe.timeout(7),
-		() => frappe.set_route('List','Loan Type','List'),
-		() => frappe.timeout(4),
-
-		// Checking if the fields are correctly set
-		() => {
-			assert.ok(cur_list.data.length==1, 'Loan Type created successfully');
-			assert.ok(cur_list.data[0].name=='Test Loan', 'Loan title Correctly set');
-			assert.ok(cur_list.data[0].disabled==0, 'Loan enabled');
-		},
-		() => done()
-	]);
-});
-
diff --git a/erpnext/hr/doctype/loan_type/test_loan_type.py b/erpnext/hr/doctype/loan_type/test_loan_type.py
deleted file mode 100644
index 078e11e..0000000
--- a/erpnext/hr/doctype/loan_type/test_loan_type.py
+++ /dev/null
@@ -1,12 +0,0 @@
-# -*- coding: utf-8 -*-
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
-# See license.txt
-from __future__ import unicode_literals
-
-import frappe
-import unittest
-
-# test_records = frappe.get_test_records('Loan Type')
-
-class TestLoanType(unittest.TestCase):
-	pass
diff --git a/erpnext/hr/doctype/payroll_entry/payroll_entry.py b/erpnext/hr/doctype/payroll_entry/payroll_entry.py
index dfd38eb..9ef3a99 100644
--- a/erpnext/hr/doctype/payroll_entry/payroll_entry.py
+++ b/erpnext/hr/doctype/payroll_entry/payroll_entry.py
@@ -157,19 +157,6 @@
 			for ss in submitted_ss:
 				ss.email_salary_slip()
 
-	def get_loan_details(self):
-		"""
-			Get loan details from submitted salary slip based on selected criteria
-		"""
-		cond = self.get_filter_condition()
-		return frappe.db.sql(""" select eld.loan_account, eld.loan,
-				eld.interest_income_account, eld.principal_amount, eld.interest_amount, eld.total_payment,t1.employee
-			from
-				`tabSalary Slip` t1, `tabSalary Slip Loan` eld
-			where
-				t1.docstatus = 1 and t1.name = eld.parent and start_date >= %s and end_date <= %s %s
-			""" % ('%s', '%s', cond), (self.start_date, self.end_date), as_dict=True) or []
-
 	def get_salary_component_account(self, salary_component):
 		account = frappe.db.get_value("Salary Component Account",
 			{"parent": salary_component, "company": self.company}, "default_account")
@@ -225,7 +212,6 @@
 		earnings = self.get_salary_component_total(component_type = "earnings") or {}
 		deductions = self.get_salary_component_total(component_type = "deductions") or {}
 		default_payroll_payable_account = self.get_default_payroll_payable_account()
-		loan_details = self.get_loan_details()
 		jv_name = ""
 		precision = frappe.get_precision("Journal Entry Account", "debit_in_account_currency")
 
@@ -262,29 +248,6 @@
 						"project": self.project
 					})
 
-			# Loan
-			for data in loan_details:
-				accounts.append({
-						"account": data.loan_account,
-						"credit_in_account_currency": data.principal_amount,
-						"party_type": "Employee",
-						"party": data.employee
-					})
-
-				if data.interest_amount and not data.interest_income_account:
-					frappe.throw(_("Select interest income account in loan {0}").format(data.loan))
-
-				if data.interest_income_account and data.interest_amount:
-					accounts.append({
-						"account": data.interest_income_account,
-						"credit_in_account_currency": data.interest_amount,
-						"cost_center": self.cost_center,
-						"project": self.project,
-						"party_type": "Employee",
-						"party": data.employee
-					})
-				payable_amount -= flt(data.total_payment, precision)
-
 			# Payable amount
 			accounts.append({
 				"account": default_payroll_payable_account,
diff --git a/erpnext/hr/doctype/payroll_entry/test_payroll_entry.py b/erpnext/hr/doctype/payroll_entry/test_payroll_entry.py
index 3cf1322..35f5a57 100644
--- a/erpnext/hr/doctype/payroll_entry/test_payroll_entry.py
+++ b/erpnext/hr/doctype/payroll_entry/test_payroll_entry.py
@@ -6,20 +6,22 @@
 import frappe
 from dateutil.relativedelta import relativedelta
 from erpnext.accounts.utils import get_fiscal_year, getdate, nowdate
+from frappe.utils import add_months
 from erpnext.hr.doctype.payroll_entry.payroll_entry import get_start_end_dates, get_end_date
 from erpnext.hr.doctype.employee.test_employee import make_employee
 from erpnext.hr.doctype.salary_slip.test_salary_slip import get_salary_component_account, \
 		make_earning_salary_component, make_deduction_salary_component
 from erpnext.hr.doctype.salary_structure.test_salary_structure import make_salary_structure
-from erpnext.hr.doctype.loan.test_loan import create_loan
+from erpnext.loan_management.doctype.loan.test_loan import create_loan, make_loan_disbursement_entry
+from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import make_accrual_interest_entry_for_term_loans
 
 class TestPayrollEntry(unittest.TestCase):
 	def setUp(self):
-		for dt in ["Salary Slip", "Salary Component", "Salary Component Account", "Payroll Entry", "Loan"]:
+		for dt in ["Salary Slip", "Salary Component", "Salary Component Account", "Payroll Entry"]:
 			frappe.db.sql("delete from `tab%s`" % dt)
 
-		make_earning_salary_component(setup=True)
-		make_deduction_salary_component(setup=True)
+		make_earning_salary_component(setup=True, company_list=["_Test Company"])
+		make_deduction_salary_component(setup=True, company_list=["_Test Company"])
 
 		frappe.db.set_value("HR Settings", None, "email_salary_slip_to_employee", 0)
 
@@ -49,8 +51,8 @@
 	def test_loan(self):
 
 		branch = "Test Employee Branch"
-		applicant = make_employee("test_employee@loan.com")
-		company = erpnext.get_default_company()
+		applicant = make_employee("test_employee@loan.com", company="_Test Company")
+		company = "_Test Company"
 		holiday_list = make_holiday("test holiday for loan")
 
 		company_doc = frappe.get_doc('Company', company)
@@ -70,16 +72,21 @@
 		employee_doc.holiday_list = holiday_list
 		employee_doc.save()
 
-		loan = create_loan(applicant,
-			"Personal Loan", 280000, "Repay Over Number of Periods", 20)
+		salary_structure = "Test Salary Structure for Loan"
+		make_salary_structure(salary_structure, "Monthly", employee=employee_doc.name, company="_Test Company")
+
+		loan = create_loan(applicant, "Car Loan", 280000, "Repay Over Number of Periods", 20, posting_date=add_months(nowdate(), -1))
 		loan.repay_from_salary = 1
 		loan.submit()
-		salary_structure = "Test Salary Structure for Loan"
-		make_salary_structure(salary_structure, "Monthly", employee_doc.name)
+
+		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=add_months(nowdate(), -1))
+
+		make_accrual_interest_entry_for_term_loans(posting_date=nowdate())
+
 
 		dates = get_start_end_dates('Monthly', nowdate())
-		make_payroll_entry(start_date=dates.start_date,
-			end_date=dates.end_date, branch=branch)
+		make_payroll_entry(company="_Test Company", start_date=dates.start_date,
+			end_date=dates.end_date, branch=branch, cost_center="Main - _TC", payment_account="Cash - _TC")
 
 		name = frappe.db.get_value('Salary Slip',
 			{'posting_date': nowdate(), 'employee': applicant}, 'name')
@@ -109,6 +116,13 @@
 	payroll_entry.posting_date = nowdate()
 	payroll_entry.payroll_frequency = "Monthly"
 	payroll_entry.branch = args.branch or None
+
+	if args.cost_center:
+		payroll_entry.cost_center = args.cost_center
+
+	if args.payment_account:
+		payroll_entry.payment_account = args.payment_account
+
 	payroll_entry.save()
 	payroll_entry.create_salary_slips()
 	payroll_entry.submit_salary_slips()
diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py
index ea531cb..d03a3dd 100644
--- a/erpnext/hr/doctype/salary_slip/salary_slip.py
+++ b/erpnext/hr/doctype/salary_slip/salary_slip.py
@@ -17,6 +17,7 @@
 from erpnext.hr.doctype.payroll_period.payroll_period import get_period_factor, get_payroll_period
 from erpnext.hr.doctype.employee_benefit_application.employee_benefit_application import get_benefit_component_amount
 from erpnext.hr.doctype.employee_benefit_claim.employee_benefit_claim import get_benefit_claim_amount, get_last_payroll_period_benefits
+from erpnext.loan_management.doctype.loan_repayment.loan_repayment import calculate_amounts, create_repayment_entry
 
 class SalarySlip(TransactionBase):
 	def __init__(self, *args, **kwargs):
@@ -66,6 +67,7 @@
 			self.set_status()
 			self.update_status(self.name)
 			self.update_salary_slip_in_additional_salary()
+			self.make_loan_repayment_entry()
 			if (frappe.db.get_single_value("HR Settings", "email_salary_slip_to_employee")) and not frappe.flags.via_payroll_entry:
 				self.email_salary_slip()
 
@@ -73,6 +75,7 @@
 		self.set_status()
 		self.update_status()
 		self.update_salary_slip_in_additional_salary()
+		self.cancel_loan_repayment_entry()
 
 	def on_trash(self):
 		from frappe.model.naming import revert_series_if_last
@@ -296,9 +299,11 @@
 
 	def calculate_net_pay(self):
 		if self.salary_structure:
-			self.calculate_component_amounts()
-
+			self.calculate_component_amounts("earnings")
 		self.gross_pay = self.get_component_totals("earnings")
+
+		if self.salary_structure:
+			self.calculate_component_amounts("deductions")
 		self.total_deduction = self.get_component_totals("deductions")
 
 		self.set_loan_repayment()
@@ -306,25 +311,27 @@
 		self.net_pay = flt(self.gross_pay) - (flt(self.total_deduction) + flt(self.total_loan_repayment))
 		self.rounded_total = rounded(self.net_pay)
 
-	def calculate_component_amounts(self):
+	def calculate_component_amounts(self, component_type):
 		if not getattr(self, '_salary_structure_doc', None):
 			self._salary_structure_doc = frappe.get_doc('Salary Structure', self.salary_structure)
 
 		payroll_period = get_payroll_period(self.start_date, self.end_date, self.company)
 
-		self.add_structure_components()
-		self.add_employee_benefits(payroll_period)
-		self.add_additional_salary_components()
-		self.add_tax_components(payroll_period)
-		self.set_component_amounts_based_on_payment_days()
+		self.add_structure_components(component_type)
+		self.add_additional_salary_components(component_type)
+		if component_type == "earnings":
+			self.add_employee_benefits(payroll_period)
+		else:
+			self.add_tax_components(payroll_period)
 
-	def add_structure_components(self):
+		self.set_component_amounts_based_on_payment_days(component_type)
+
+	def add_structure_components(self, component_type):
 		data = self.get_data_for_eval()
-		for key in ('earnings', 'deductions'):
-			for struct_row in self._salary_structure_doc.get(key):
-				amount = self.eval_condition_and_formula(struct_row, data)
-				if amount and struct_row.statistical_component == 0:
-					self.update_component_row(struct_row, amount, key)
+		for struct_row in self._salary_structure_doc.get(component_type):
+			amount = self.eval_condition_and_formula(struct_row, data)
+			if amount and struct_row.statistical_component == 0:
+				self.update_component_row(struct_row, amount, component_type)
 
 	def get_data_for_eval(self):
 		'''Returns data for evaluating formula'''
@@ -397,14 +404,15 @@
 						amount = last_benefit.amount
 						self.update_component_row(frappe._dict(last_benefit.struct_row), amount, "earnings")
 
-	def add_additional_salary_components(self):
-		additional_components = get_additional_salary_component(self.employee, self.start_date, self.end_date)
+	def add_additional_salary_components(self, component_type):
+		additional_components = get_additional_salary_component(self.employee,
+			self.start_date, self.end_date, component_type)
 		if additional_components:
 			for additional_component in additional_components:
 				amount = additional_component.amount
 				overwrite = additional_component.overwrite
-				key = "earnings" if additional_component.type == "Earning" else "deductions"
-				self.update_component_row(frappe._dict(additional_component.struct_row), amount, key, overwrite=overwrite)
+				self.update_component_row(frappe._dict(additional_component.struct_row), amount,
+					component_type, overwrite=overwrite)
 
 	def add_tax_components(self, payroll_period):
 		# Calculate variable_based_on_taxable_salary after all components updated in salary slip
@@ -733,7 +741,7 @@
 				total += d.amount
 		return total
 
-	def set_component_amounts_based_on_payment_days(self):
+	def set_component_amounts_based_on_payment_days(self, component_type):
 		joining_date, relieving_date = frappe.get_cached_value("Employee", self.employee,
 			["date_of_joining", "relieving_date"])
 
@@ -743,9 +751,8 @@
 		if not joining_date:
 			frappe.throw(_("Please set the Date Of Joining for employee {0}").format(frappe.bold(self.employee_name)))
 
-		for component_type in ("earnings", "deductions"):
-			for d in self.get(component_type):
-				d.amount = self.get_amount_based_on_payment_days(d, joining_date, relieving_date)[0]
+		for d in self.get(component_type):
+			d.amount = self.get_amount_based_on_payment_days(d, joining_date, relieving_date)[0]
 
 	def set_loan_repayment(self):
 		self.set('loans', [])
@@ -754,28 +761,35 @@
 		self.total_principal_amount = 0
 
 		for loan in self.get_loan_details():
-			self.append('loans', {
-				'loan': loan.name,
-				'total_payment': loan.total_payment,
-				'interest_amount': loan.interest_amount,
-				'principal_amount': loan.principal_amount,
-				'loan_account': loan.loan_account,
-				'interest_income_account': loan.interest_income_account
-			})
 
-			self.total_loan_repayment += loan.total_payment
-			self.total_interest_amount += loan.interest_amount
-			self.total_principal_amount += loan.principal_amount
+			amounts = calculate_amounts(loan.name, self.posting_date, "Regular Payment")
+
+			total_payment = amounts['interest_amount'] + amounts['payable_principal_amount']
+
+			if total_payment:
+				self.append('loans', {
+					'loan': loan.name,
+					'total_payment': total_payment,
+					'interest_amount': amounts['interest_amount'],
+					'principal_amount': amounts['payable_principal_amount'],
+					'loan_account': loan.loan_account,
+					'interest_income_account': loan.interest_income_account
+				})
+
+			self.total_loan_repayment += total_payment
+			self.total_interest_amount += amounts['interest_amount']
+			self.total_principal_amount += amounts['payable_principal_amount']
 
 	def get_loan_details(self):
-		return frappe.db.sql("""select rps.principal_amount, rps.interest_amount, l.name,
-				rps.total_payment, l.loan_account, l.interest_income_account
-			from
-				`tabRepayment Schedule` as rps, `tabLoan` as l
-			where
-				l.name = rps.parent and rps.payment_date between %s and %s and
-				l.repay_from_salary = 1 and l.docstatus = 1 and l.applicant = %s""",
-			(self.start_date, self.end_date, self.employee), as_dict=True) or []
+
+		return frappe.get_all("Loan",
+			fields=["name", "interest_income_account", "loan_account", "loan_type"],
+			filters = {
+				"applicant": self.employee,
+				"docstatus": 1,
+				"repay_from_salary": 1,
+			})
+
 
 	def update_salary_slip_in_additional_salary(self):
 		salary_slip = self.name if self.docstatus==1 else None
@@ -784,6 +798,23 @@
 			where employee=%s and payroll_date between %s and %s and docstatus=1
 		""", (salary_slip, self.employee, self.start_date, self.end_date))
 
+	def make_loan_repayment_entry(self):
+		for loan in self.loans:
+			repayment_entry = create_repayment_entry(loan.loan, self.employee,
+				self.company, self.posting_date, loan.loan_type, "Regular Payment", loan.interest_amount,
+				loan.principal_amount, loan.total_payment)
+
+			repayment_entry.save()
+			repayment_entry.submit()
+
+			loan.loan_repayment_entry = repayment_entry.name
+
+	def cancel_loan_repayment_entry(self):
+		for loan in self.loans:
+			if loan.loan_repayment_entry:
+				repayment_entry = frappe.get_doc("Loan Repayment", loan.loan_repayment_entry)
+				repayment_entry.cancel()
+
 	def email_salary_slip(self):
 		receiver = frappe.db.get_value("Employee", self.employee, "prefered_email")
 		hr_settings = frappe.get_single("HR Settings")
diff --git a/erpnext/hr/doctype/salary_slip/test_salary_slip.py b/erpnext/hr/doctype/salary_slip/test_salary_slip.py
index 16a75f4..9acfd1f 100644
--- a/erpnext/hr/doctype/salary_slip/test_salary_slip.py
+++ b/erpnext/hr/doctype/salary_slip/test_salary_slip.py
@@ -18,8 +18,8 @@
 
 class TestSalarySlip(unittest.TestCase):
 	def setUp(self):
-		make_earning_salary_component(setup=True)
-		make_deduction_salary_component(setup=True)
+		make_earning_salary_component(setup=True, company_list=["_Test Company"])
+		make_deduction_salary_component(setup=True, company_list=["_Test Company"])
 
 		for dt in ["Leave Application", "Leave Allocation", "Salary Slip"]:
 			frappe.db.sql("delete from `tab%s`" % dt)
@@ -50,7 +50,7 @@
 		self.assertEqual(ss.deductions[0].amount, 5000)
 		self.assertEqual(ss.deductions[1].amount, 5000)
 		self.assertEqual(ss.gross_pay, 78000)
-		self.assertEqual(ss.net_pay, 67418.0)
+		self.assertEqual(ss.net_pay, 68000.0)
 
 	def test_salary_slip_with_holidays_excluded(self):
 		no_of_days = self.get_no_of_days()
@@ -70,7 +70,7 @@
 		self.assertEqual(ss.deductions[0].amount, 5000)
 		self.assertEqual(ss.deductions[1].amount, 5000)
 		self.assertEqual(ss.gross_pay, 78000)
-		self.assertEqual(ss.net_pay, 67418.0)
+		self.assertEqual(ss.net_pay, 68000.0)
 
 	def test_payment_days(self):
 		no_of_days = self.get_no_of_days()
@@ -137,21 +137,41 @@
 
 		make_employee("test_employee@salary.com")
 		ss = make_employee_salary_slip("test_employee@salary.com", "Monthly")
+		ss.company = "_Test Company"
+		ss.save()
 		ss.submit()
 
 		email_queue = frappe.db.sql("""select name from `tabEmail Queue`""")
 		self.assertTrue(email_queue)
 
 	def test_loan_repayment_salary_slip(self):
-		from erpnext.hr.doctype.loan.test_loan import create_loan_type, create_loan
-		applicant = make_employee("test_employee@salary.com")
-		create_loan_type("Car Loan", 500000, 6.4)
-		loan = create_loan(applicant, "Car Loan", 11000, "Repay Over Number of Periods", 20)
+		from erpnext.loan_management.doctype.loan.test_loan import create_loan_type, create_loan, make_loan_disbursement_entry, create_loan_accounts
+		from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import make_accrual_interest_entry_for_term_loans
+
+		applicant = make_employee("test_loanemployee@salary.com", company="_Test Company")
+
+		create_loan_accounts()
+
+		create_loan_type("Car Loan", 500000, 8.4,
+			is_term_loan=1,
+			mode_of_payment='Cash',
+			payment_account='Payment Account - _TC',
+			loan_account='Loan Account - _TC',
+			interest_income_account='Interest Income Account - _TC',
+			penalty_income_account='Penalty Income Account - _TC')
+
+		loan = create_loan(applicant, "Car Loan", 11000, "Repay Over Number of Periods", 20, posting_date=add_months(nowdate(), -1))
 		loan.repay_from_salary = 1
 		loan.submit()
-		ss = make_employee_salary_slip("test_employee@salary.com", "Monthly")
+
+		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=add_months(nowdate(), -1))
+
+		make_accrual_interest_entry_for_term_loans(posting_date=nowdate())
+
+		ss = make_employee_salary_slip("test_loanemployee@salary.com", "Monthly")
 		ss.submit()
-		self.assertEqual(ss.total_loan_repayment, 582)
+
+		self.assertEqual(ss.total_loan_repayment, 592)
 		self.assertEqual(ss.net_pay, (flt(ss.gross_pay) - (flt(ss.total_deduction) + flt(ss.total_loan_repayment))))
 
 	def test_payroll_frequency(self):
@@ -321,7 +341,7 @@
 
 	return salary_slip
 
-def make_salary_component(salary_components, test_tax):
+def make_salary_component(salary_components, test_tax, company_list=None):
 	for salary_component in salary_components:
 		if not frappe.db.exists('Salary Component', salary_component["salary_component"]):
 			if test_tax:
@@ -336,17 +356,22 @@
 			salary_component["doctype"] = "Salary Component"
 			salary_component["salary_component_abbr"] = salary_component["abbr"]
 			frappe.get_doc(salary_component).insert()
-		get_salary_component_account(salary_component["salary_component"])
+		get_salary_component_account(salary_component["salary_component"], company_list)
 
-def get_salary_component_account(sal_comp):
+def get_salary_component_account(sal_comp, company_list=None):
 	company = erpnext.get_default_company()
+
+	if company_list and company not in company_list:
+		company_list.append(company)
+
 	sal_comp = frappe.get_doc("Salary Component", sal_comp)
 	if not sal_comp.get("accounts"):
-		sal_comp.append("accounts", {
-			"company": company,
-			"default_account": create_account(company)
-		})
-		sal_comp.save()
+		for d in company_list:
+			sal_comp.append("accounts", {
+				"company": d,
+				"default_account": create_account(d)
+			})
+			sal_comp.save()
 
 def create_account(company):
 	salary_account = frappe.db.get_value("Account", "Salary - " + frappe.get_cached_value('Company',  company,  'abbr'))
@@ -359,7 +384,7 @@
 		}).insert()
 	return salary_account
 
-def make_earning_salary_component(setup=False, test_tax=False):
+def make_earning_salary_component(setup=False, test_tax=False, company_list=None):
 	data = [
 		{
 			"salary_component": 'Basic Salary',
@@ -415,7 +440,7 @@
 			}
 		])
 	if setup or test_tax:
-		make_salary_component(data, test_tax)
+		make_salary_component(data, test_tax, company_list)
 	data.append({
 		"salary_component": 'Basic Salary',
 		"abbr":'BS',
@@ -426,7 +451,7 @@
 	})
 	return data
 
-def make_deduction_salary_component(setup=False, test_tax=False):
+def make_deduction_salary_component(setup=False, test_tax=False, company_list=None):
 	data =  [
 		{
 			"salary_component": 'Professional Tax',
@@ -458,7 +483,7 @@
 			"round_to_the_nearest_integer": 1
 		})
 	if setup or test_tax:
-		make_salary_component(data, test_tax)
+		make_salary_component(data, test_tax, company_list)
 
 	return data
 
diff --git a/erpnext/hr/doctype/salary_slip_loan/salary_slip_loan.json b/erpnext/hr/doctype/salary_slip_loan/salary_slip_loan.json
deleted file mode 100644
index 5d1212b..0000000
--- a/erpnext/hr/doctype/salary_slip_loan/salary_slip_loan.json
+++ /dev/null
@@ -1,263 +0,0 @@
-{
- "allow_copy": 0, 
- "allow_guest_to_view": 0, 
- "allow_import": 0, 
- "allow_rename": 0, 
- "beta": 0, 
- "creation": "2017-11-08 12:51:12.834479", 
- "custom": 0, 
- "docstatus": 0, 
- "doctype": "DocType", 
- "document_type": "", 
- "editable_grid": 1, 
- "engine": "InnoDB", 
- "fields": [
-  {
-   "allow_bulk_edit": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "loan", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Loan", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Loan", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "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": "loan_account", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Loan Account", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Account", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "interest_income_account", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Interest Income Account", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "Account", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "column_break_4", 
-   "fieldtype": "Column Break", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "length": 0, 
-   "no_copy": 0, 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "principal_amount", 
-   "fieldtype": "Currency", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Principal Amount", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "interest_amount", 
-   "fieldtype": "Currency", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Interest Amount", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }, 
-  {
-   "allow_bulk_edit": 0, 
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "total_payment", 
-   "fieldtype": "Currency", 
-   "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": "Total Payment", 
-   "length": 0, 
-   "no_copy": 0, 
-   "options": "", 
-   "permlevel": 0, 
-   "precision": "", 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "translatable": 0, 
-   "unique": 0
-  }
- ], 
- "has_web_view": 0, 
- "hide_heading": 0, 
- "hide_toolbar": 0, 
- "idx": 0, 
- "image_view": 0, 
- "in_create": 0, 
- "is_submittable": 0, 
- "issingle": 0, 
- "istable": 1, 
- "max_attachments": 0, 
- "modified": "2018-02-26 05:24:31.369630", 
- "modified_by": "Administrator", 
- "module": "HR", 
- "name": "Salary Slip Loan", 
- "name_case": "", 
- "owner": "Administrator", 
- "permissions": [], 
- "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
-}
\ No newline at end of file
diff --git a/erpnext/hr/doctype/salary_structure/test_salary_structure.py b/erpnext/hr/doctype/salary_structure/test_salary_structure.py
index 848c3df..6ca6dfd 100644
--- a/erpnext/hr/doctype/salary_structure/test_salary_structure.py
+++ b/erpnext/hr/doctype/salary_structure/test_salary_structure.py
@@ -25,7 +25,6 @@
 		make_employee("test_employee@salary.com")
 		make_employee("test_employee_2@salary.com")
 
-
 	def make_holiday_list(self):
 		if not frappe.db.get_value("Holiday List", "Salary Structure Test Holiday List"):
 			holiday_list = frappe.get_doc({
@@ -38,6 +37,29 @@
 			holiday_list.get_weekly_off_dates()
 			holiday_list.save()
 
+	def test_salary_structure_deduction_based_on_gross_pay(self):
+
+		emp = make_employee("test_employee_3@salary.com")
+
+		sal_struct = make_salary_structure("Salary Structure 2", "Monthly", dont_submit = True)
+
+		sal_struct.earnings = [sal_struct.earnings[0]]
+		sal_struct.earnings[0].amount_based_on_formula = 1
+		sal_struct.earnings[0].formula =  "base"
+
+		sal_struct.deductions = [sal_struct.deductions[0]]
+
+		sal_struct.deductions[0].amount_based_on_formula = 1
+		sal_struct.deductions[0].condition = "gross_pay > 100"
+		sal_struct.deductions[0].formula =  "gross_pay * 0.2"
+
+		sal_struct.submit()
+
+		assignment = create_salary_structure_assignment(emp, "Salary Structure 2")
+		ss = make_salary_slip(sal_struct.name, employee = emp)
+
+		self.assertEqual(assignment.base * 0.2, ss.deductions[0].amount)
+
 	def test_amount_totals(self):
 		frappe.db.set_value("HR Settings", None, "include_holidays_in_total_working_days", 0)
 		sal_slip = frappe.get_value("Salary Slip", {"employee_name":"test_employee_2@salary.com"})
@@ -86,16 +108,17 @@
 		self.assertEqual(salary_structure_assignment.base, 5000)
 		self.assertEqual(salary_structure_assignment.variable, 200)
 
-def make_salary_structure(salary_structure, payroll_frequency, employee=None, dont_submit=False, other_details=None, test_tax=False):
+def make_salary_structure(salary_structure, payroll_frequency, employee=None, dont_submit=False, other_details=None,
+	test_tax=False, company=None):
 	if test_tax:
 		frappe.db.sql("""delete from `tabSalary Structure` where name=%s""",(salary_structure))
 	if not frappe.db.exists('Salary Structure', salary_structure):
 		details = {
 			"doctype": "Salary Structure",
 			"name": salary_structure,
-			"company": erpnext.get_default_company(),
-			"earnings": make_earning_salary_component(test_tax=test_tax),
-			"deductions": make_deduction_salary_component(test_tax=test_tax),
+			"company": company or erpnext.get_default_company(),
+			"earnings": make_earning_salary_component(test_tax=test_tax, company_list=["_Test Company"]),
+			"deductions": make_deduction_salary_component(test_tax=test_tax, company_list=["_Test Company"]),
 			"payroll_frequency": payroll_frequency,
 			"payment_account": get_random("Account")
 		}
@@ -109,11 +132,11 @@
 
 	if employee and not frappe.db.get_value("Salary Structure Assignment",
 		{'employee':employee, 'docstatus': 1}) and salary_structure_doc.docstatus==1:
-			create_salary_structure_assignment(employee, salary_structure)
+			create_salary_structure_assignment(employee, salary_structure, company=company)
 
 	return salary_structure_doc
 
-def create_salary_structure_assignment(employee, salary_structure, from_date=None):
+def create_salary_structure_assignment(employee, salary_structure, from_date=None, company=None):
 	if frappe.db.exists("Salary Structure Assignment", {"employee": employee}):
 		frappe.db.sql("""delete from `tabSalary Structure Assignment` where employee=%s""",(employee))
 	salary_structure_assignment = frappe.new_doc("Salary Structure Assignment")
@@ -122,7 +145,7 @@
 	salary_structure_assignment.variable = 5000
 	salary_structure_assignment.from_date = from_date or add_months(nowdate(), -1)
 	salary_structure_assignment.salary_structure = salary_structure
-	salary_structure_assignment.company = erpnext.get_default_company()
+	salary_structure_assignment.company = company or erpnext.get_default_company()
 	salary_structure_assignment.save(ignore_permissions=True)
 	salary_structure_assignment.submit()
 	return salary_structure_assignment
diff --git a/erpnext/hr/doctype/shift_type/shift_type.py b/erpnext/hr/doctype/shift_type/shift_type.py
index 4988410..d56080e 100644
--- a/erpnext/hr/doctype/shift_type/shift_type.py
+++ b/erpnext/hr/doctype/shift_type/shift_type.py
@@ -75,7 +75,7 @@
 		for date in dates:
 			shift_details = get_employee_shift(employee, date, True)
 			if shift_details and shift_details.shift_type.name == self.name:
-				mark_attendance(employee, date, self.name, 'Absent')
+				mark_attendance(employee, date, 'Absent', self.name)
 
 	def get_assigned_employee(self, from_date=None, consider_default_shift=False):
 		filters = {'date':('>=', from_date), 'shift_type': self.name, 'docstatus': '1'}
diff --git a/erpnext/hr/loan_common.js b/erpnext/hr/loan_common.js
deleted file mode 100644
index 3e754fa..0000000
--- a/erpnext/hr/loan_common.js
+++ /dev/null
@@ -1,27 +0,0 @@
-// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-
-frappe.ui.form.on(cur_frm.doctype, {
-	refresh: function(frm) {
-		if (!frappe.boot.active_domains.includes("Non Profit")) {
-			frm.set_df_property('applicant_type', 'options', ['Employee']);
-			frm.refresh_field('applicant_type');
-		}
-	},
-	applicant_type: function(frm) {
-		frm.set_value("applicant", null);
-		frm.set_value("applicant_name", null);
-	},
-	applicant: function(frm) {
-		if (frm.doc.applicant) {
-			frappe.model.with_doc(frm.doc.applicant_type, frm.doc.applicant, function() {
-				var applicant = frappe.model.get_doc(frm.doc.applicant_type, frm.doc.applicant);
-				frm.set_value("applicant_name",
-					applicant.employee_name || applicant.member_name);
-			});
-		}
-		else {
-			frm.set_value("applicant_name", null);
-		}
-	}
-});
\ No newline at end of file
diff --git a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py
index e967db8..35c8630 100644
--- a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py
+++ b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py
@@ -76,7 +76,7 @@
 				opening = get_leave_balance_on(employee.name, leave_type, filters.from_date)
 
 				# closing balance
-				closing = get_leave_balance_on(employee.name, leave_type, filters.to_date)
+				closing = max(opening - leaves_taken, 0)
 
 				row += [opening, leaves_taken, closing]
 
diff --git a/erpnext/hr/report/loan_repayment/loan_repayment.js b/erpnext/hr/report/loan_repayment/loan_repayment.js
deleted file mode 100644
index 21aa206..0000000
--- a/erpnext/hr/report/loan_repayment/loan_repayment.js
+++ /dev/null
@@ -1,9 +0,0 @@
-// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
-// For license information, please see license.txt
-/* eslint-disable */
-
-frappe.query_reports["Loan Repayment"] = {
-	"filters": [
-
-	]
-}
diff --git a/erpnext/hr/report/loan_repayment/loan_repayment.json b/erpnext/hr/report/loan_repayment/loan_repayment.json
deleted file mode 100644
index b967dfd..0000000
--- a/erpnext/hr/report/loan_repayment/loan_repayment.json
+++ /dev/null
@@ -1,28 +0,0 @@
-{
- "add_total_row": 0, 
- "creation": "2019-03-29 18:58:00.166032", 
- "disable_prepared_report": 0, 
- "disabled": 0, 
- "docstatus": 0, 
- "doctype": "Report", 
- "idx": 0, 
- "is_standard": "Yes", 
- "letter_head": "", 
- "modified": "2019-03-29 18:58:00.166032", 
- "modified_by": "Administrator", 
- "module": "HR", 
- "name": "Loan Repayment", 
- "owner": "Administrator", 
- "prepared_report": 0, 
- "ref_doctype": "Loan", 
- "report_name": "Loan Repayment", 
- "report_type": "Script Report", 
- "roles": [
-  {
-   "role": "HR Manager"
-  }, 
-  {
-   "role": "Employee"
-  }
- ]
-}
diff --git a/erpnext/hr/report/loan_repayment/loan_repayment.py b/erpnext/hr/report/loan_repayment/loan_repayment.py
deleted file mode 100644
index beca776..0000000
--- a/erpnext/hr/report/loan_repayment/loan_repayment.py
+++ /dev/null
@@ -1,95 +0,0 @@
-# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
-# For license information, please see license.txt
-
-from __future__ import unicode_literals
-import frappe
-from frappe import _
-
-def execute(filters=None):
-
-	columns = create_columns()
-	data = get_record()
-	return columns, data
-
-def create_columns():
-	return [
-			{
-				"label": _("Employee"),
-				"fieldtype": "Data",
-				"fieldname": "employee",
-				"options": "Employee",
-				"width": 200
-			},
-			{
-				"label": _("Loan"),
-				"fieldtype": "Link",
-				"fieldname": "loan_name",
-				"options": "Loan",
-				"width": 200
-			},
-			{
-				"label": _("Loan Amount"),
-				"fieldtype": "Currency",
-				"fieldname": "loan_amount",
-				"options": "currency",
-				"width": 100
-			},
-			{
-				"label": _("Interest"),
-				"fieldtype": "Data",
-				"fieldname": "interest",
-				"width": 100
-			},
-			{
-				"label": _("Payable Amount"),
-				"fieldtype": "Currency",
-				"fieldname": "payable_amount",
-				"options": "currency",
-				"width": 100
-			},
-			{
-				"label": _("EMI"),
-				"fieldtype": "Currency",
-				"fieldname": "emi",
-				"options": "currency",
-				"width": 100
-			},
-			{
-				"label": _("Paid Amount"),
-				"fieldtype": "Currency",
-				"fieldname": "paid_amount",
-				"options": "currency",
-				"width": 100
-			},
-			{
-				"label": _("Outstanding Amount"),
-				"fieldtype": "Currency",
-				"fieldname": "out_amt",
-				"options": "currency",
-				"width": 100
-			},
-		]
-
-def get_record():
-	data = []
-	loans = frappe.get_all("Loan",
-		filters=[("status", "=", "Disbursed")],
-		fields=["applicant", "applicant_name", "name", "loan_amount", "rate_of_interest",
-			"total_payment", "monthly_repayment_amount", "total_amount_paid"]
-	)
-
-	for loan in loans:
-		row = {
-			"employee": loan.applicant + ": " + loan.applicant_name,
-			"loan_name": loan.name,
-			"loan_amount": loan.loan_amount,
-			"interest": str(loan.rate_of_interest) + "%",
-			"payable_amount": loan.total_payment,
-			"emi": loan.monthly_repayment_amount,
-			"paid_amount": loan.total_amount_paid,
-			"out_amt": loan.total_payment - loan.total_amount_paid
-		}
-
-		data.append(row)
-
-	return data
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/__init__.py
diff --git a/erpnext/hr/doctype/loan_type/__init__.py b/erpnext/loan_management/doctype/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan_type/__init__.py
copy to erpnext/loan_management/doctype/__init__.py
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/doctype/loan/__init__.py
similarity index 100%
rename from erpnext/hr/doctype/loan/__init__.py
rename to erpnext/loan_management/doctype/loan/__init__.py
diff --git a/erpnext/loan_management/doctype/loan/loan.js b/erpnext/loan_management/doctype/loan/loan.js
new file mode 100644
index 0000000..8b22017
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan/loan.js
@@ -0,0 +1,190 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+{% include 'erpnext/loan_management/loan_common.js' %};
+
+frappe.ui.form.on('Loan', {
+	setup: function(frm) {
+		frm.make_methods = {
+			'Loan Disbursement': function() { frm.trigger('make_loan_disbursement') },
+			'Loan Security Unpledge': function() { frm.trigger('create_loan_security_unpledge') }
+		}
+	},
+	onload: function (frm) {
+		frm.set_query("loan_application", function () {
+			return {
+				"filters": {
+					"applicant": frm.doc.applicant,
+					"docstatus": 1,
+					"status": "Approved"
+				}
+			};
+		});
+
+		$.each(["penalty_income_account", "interest_income_account"], function(i, field) {
+			frm.set_query(field, function () {
+				return {
+					"filters": {
+						"company": frm.doc.company,
+						"root_type": "Income",
+						"is_group": 0
+					}
+				};
+			});
+		});
+
+		$.each(["payment_account", "loan_account"], function (i, field) {
+			frm.set_query(field, function () {
+				return {
+					"filters": {
+						"company": frm.doc.company,
+						"root_type": "Asset",
+						"is_group": 0
+					}
+				};
+			});
+		})
+
+		frm.set_query('loan_security_pledge', function(doc, cdt, cdn) {
+			return {
+				filters: {
+					applicant: frm.doc.applicant,
+					docstatus: 1,
+					loan_application: frm.doc.loan_application || ''
+				}
+			};
+		});
+	},
+
+	refresh: function (frm) {
+		if (frm.doc.docstatus == 1) {
+			if (frm.doc.status == "Sanctioned" || frm.doc.status == 'Partially Disbursed') {
+				frm.add_custom_button(__('Loan Disbursement'), function() {
+					frm.trigger("make_loan_disbursement");
+				},__('Create'));
+			}
+
+			if (["Disbursed", "Partially Disbursed"].includes(frm.doc.status) && (!frm.doc.repay_from_salary)) {
+				frm.add_custom_button(__('Loan Repayment'), function() {
+					frm.trigger("make_repayment_entry");
+				},__('Create'));
+
+			}
+
+			if (frm.doc.status == "Loan Closure Requested") {
+				frm.add_custom_button(__('Loan Security Unpledge'), function() {
+					frm.trigger("create_loan_security_unpledge");
+				},__('Create'));
+			}
+		}
+		frm.trigger("toggle_fields");
+	},
+
+	loan_type: function(frm) {
+		frm.toggle_reqd("repayment_method", frm.doc.is_term_loan);
+		frm.toggle_display("repayment_method", 1 - frm.doc.is_term_loan);
+		frm.toggle_display("repayment_periods", s1 - frm.doc.is_term_loan);
+	},
+
+	is_secured_loan: function(frm) {
+		frm.toggle_reqd("loan_security_pledge", frm.doc.is_secured_loan);
+	},
+
+	make_loan_disbursement: function (frm) {
+		frappe.call({
+			args: {
+				"loan": frm.doc.name,
+				"company": frm.doc.company,
+				"applicant_type": frm.doc.applicant_type,
+				"applicant": frm.doc.applicant,
+				"as_dict": 1
+			},
+			method: "erpnext.loan_management.doctype.loan.loan.make_loan_disbursement",
+			callback: function (r) {
+				if (r.message)
+					var doc = frappe.model.sync(r.message)[0];
+				frappe.set_route("Form", doc.doctype, doc.name);
+			}
+		})
+	},
+
+	make_repayment_entry: function(frm) {
+		frappe.call({
+			args: {
+				"loan": frm.doc.name,
+				"applicant_type": frm.doc.applicant_type,
+				"applicant": frm.doc.applicant,
+				"loan_type": frm.doc.loan_type,
+				"company": frm.doc.company,
+				"as_dict": 1
+			},
+			method: "erpnext.loan_management.doctype.loan.loan.make_repayment_entry",
+			callback: function (r) {
+				if (r.message)
+					var doc = frappe.model.sync(r.message)[0];
+				frappe.set_route("Form", doc.doctype, doc.name);
+			}
+		})
+	},
+
+	create_loan_security_unpledge: function(frm) {
+		frappe.call({
+			method: "erpnext.loan_management.doctype.loan.loan.create_loan_security_unpledge",
+			args : {
+				"loan": frm.doc.name,
+				"applicant_type": frm.doc.applicant_type,
+				"applicant": frm.doc.applicant,
+				"company": frm.doc.company
+			},
+			callback: function(r) {
+				if (r.message)
+					var doc = frappe.model.sync(r.message)[0];
+				frappe.set_route("Form", doc.doctype, doc.name);
+			}
+		})
+	},
+
+	loan_application: function (frm) {
+		if(frm.doc.loan_application){
+			return frappe.call({
+				method: "erpnext.loan_management.doctype.loan.loan.get_loan_application",
+				args: {
+                    "loan_application": frm.doc.loan_application
+                },
+                callback: function (r) {
+                    if (!r.exc && r.message) {
+
+						let loan_fields = ["loan_type", "loan_amount", "repayment_method",
+							"monthly_repayment_amount", "repayment_periods", "rate_of_interest", "is_secured_loan"]
+
+						loan_fields.forEach(field => {
+							frm.set_value(field, r.message[field]);
+						});
+
+						if (frm.doc.is_secured_loan) {
+							$.each(r.message.proposed_pledges, function(i, d) {
+								let row = frm.add_child("securities");
+								row.loan_security = d.loan_security;
+								row.qty = d.qty;
+								row.loan_security_price = d.loan_security_price;
+								row.amount = d.amount;
+								row.haircut = d.haircut;
+							});
+
+							frm.refresh_fields("securities");
+						}
+                    }
+                }
+            });
+        }
+	},
+
+	repayment_method: function (frm) {
+		frm.trigger("toggle_fields")
+	},
+
+	toggle_fields: function (frm) {
+		frm.toggle_enable("monthly_repayment_amount", frm.doc.repayment_method == "Repay Fixed Amount per Period")
+		frm.toggle_enable("repayment_periods", frm.doc.repayment_method == "Repay Over Number of Periods")
+	}
+});
diff --git a/erpnext/hr/doctype/loan/loan.json b/erpnext/loan_management/doctype/loan/loan.json
similarity index 69%
rename from erpnext/hr/doctype/loan/loan.json
rename to erpnext/loan_management/doctype/loan/loan.json
index 2b2d481..2834e5b 100644
--- a/erpnext/hr/doctype/loan/loan.json
+++ b/erpnext/loan_management/doctype/loan/loan.json
@@ -2,7 +2,7 @@
  "actions": [],
  "allow_import": 1,
  "autoname": "ACC-LOAN-.YYYY.-.#####",
- "creation": "2016-12-02 10:11:49.673604",
+ "creation": "2019-08-29 17:29:18.176786",
  "doctype": "DocType",
  "document_type": "Document",
  "editable_grid": 1,
@@ -11,32 +11,41 @@
   "applicant_type",
   "applicant",
   "applicant_name",
-  "loan_type",
   "loan_application",
   "column_break_3",
-  "posting_date",
   "company",
+  "posting_date",
   "status",
   "repay_from_salary",
   "section_break_8",
+  "loan_type",
   "loan_amount",
+  "is_secured_loan",
   "rate_of_interest",
   "disbursement_date",
-  "repayment_start_date",
+  "disbursed_amount",
   "column_break_11",
+  "is_term_loan",
   "repayment_method",
   "repayment_periods",
   "monthly_repayment_amount",
+  "repayment_start_date",
+  "loan_security_details_section",
+  "loan_security_pledge",
+  "column_break_25",
+  "maximum_loan_value",
   "account_info",
   "mode_of_payment",
   "payment_account",
   "column_break_9",
   "loan_account",
   "interest_income_account",
+  "penalty_income_account",
   "section_break_15",
   "repayment_schedule",
   "section_break_17",
   "total_payment",
+  "total_principal_paid",
   "column_break_19",
   "total_interest_payable",
   "total_amount_paid",
@@ -47,7 +56,7 @@
    "fieldname": "applicant_type",
    "fieldtype": "Select",
    "label": "Applicant Type",
-   "options": "Employee\nMember",
+   "options": "Employee\nMember\nCustomer",
    "reqd": 1
   },
   {
@@ -75,6 +84,7 @@
    "fieldname": "loan_type",
    "fieldtype": "Link",
    "in_list_view": 1,
+   "in_standard_filter": 1,
    "label": "Loan Type",
    "options": "Loan Type",
    "reqd": 1
@@ -95,6 +105,7 @@
   {
    "fieldname": "company",
    "fieldtype": "Link",
+   "in_standard_filter": 1,
    "label": "Company",
    "options": "Company",
    "remember_last_selected_value": 1,
@@ -104,9 +115,10 @@
    "default": "Sanctioned",
    "fieldname": "status",
    "fieldtype": "Select",
+   "in_standard_filter": 1,
    "label": "Status",
    "no_copy": 1,
-   "options": "Sanctioned\nDisbursed\nRepaid/Closed",
+   "options": "Sanctioned\nPartially Disbursed\nDisbursed\nLoan Closure Requested\nClosed",
    "read_only": 1
   },
   {
@@ -125,8 +137,7 @@
    "fieldname": "loan_amount",
    "fieldtype": "Currency",
    "label": "Loan Amount",
-   "options": "Company:company:default_currency",
-   "reqd": 1
+   "options": "Company:company:default_currency"
   },
   {
    "fetch_from": "loan_type.rate_of_interest",
@@ -143,29 +154,30 @@
    "label": "Disbursement Date"
   },
   {
+   "depends_on": "is_term_loan",
    "fieldname": "repayment_start_date",
    "fieldtype": "Date",
-   "label": "Repayment Start Date",
-   "reqd": 1
+   "label": "Repayment Start Date"
   },
   {
    "fieldname": "column_break_11",
    "fieldtype": "Column Break"
   },
   {
-   "default": "Repay Over Number of Periods",
+   "depends_on": "is_term_loan",
    "fieldname": "repayment_method",
    "fieldtype": "Select",
    "label": "Repayment Method",
-   "options": "\nRepay Fixed Amount per Period\nRepay Over Number of Periods",
-   "reqd": 1
+   "options": "\nRepay Fixed Amount per Period\nRepay Over Number of Periods"
   },
   {
+   "depends_on": "is_term_loan",
    "fieldname": "repayment_periods",
    "fieldtype": "Int",
    "label": "Repayment Period in Months"
   },
   {
+   "depends_on": "is_term_loan",
    "fieldname": "monthly_repayment_amount",
    "fieldtype": "Currency",
    "label": "Monthly Repayment Amount",
@@ -178,17 +190,21 @@
    "label": "Account Info"
   },
   {
+   "fetch_from": "loan_type.mode_of_payment",
    "fieldname": "mode_of_payment",
    "fieldtype": "Link",
    "label": "Mode of Payment",
    "options": "Mode of Payment",
+   "read_only": 1,
    "reqd": 1
   },
   {
+   "fetch_from": "loan_type.payment_account",
    "fieldname": "payment_account",
    "fieldtype": "Link",
    "label": "Payment Account",
    "options": "Account",
+   "read_only": 1,
    "reqd": 1
   },
   {
@@ -196,25 +212,31 @@
    "fieldtype": "Column Break"
   },
   {
+   "fetch_from": "loan_type.loan_account",
    "fieldname": "loan_account",
    "fieldtype": "Link",
    "label": "Loan Account",
    "options": "Account",
+   "read_only": 1,
    "reqd": 1
   },
   {
+   "fetch_from": "loan_type.interest_income_account",
    "fieldname": "interest_income_account",
    "fieldtype": "Link",
    "label": "Interest Income Account",
    "options": "Account",
+   "read_only": 1,
    "reqd": 1
   },
   {
+   "depends_on": "is_term_loan",
    "fieldname": "section_break_15",
    "fieldtype": "Section Break",
    "label": "Repayment Schedule"
   },
   {
+   "depends_on": "eval:doc.is_term_loan == 1",
    "fieldname": "repayment_schedule",
    "fieldtype": "Table",
    "label": "Repayment Schedule",
@@ -230,7 +252,7 @@
    "default": "0",
    "fieldname": "total_payment",
    "fieldtype": "Currency",
-   "label": "Total Payment",
+   "label": "Total Payable Amount",
    "options": "Company:company:default_currency",
    "read_only": 1
   },
@@ -240,6 +262,7 @@
   },
   {
    "default": "0",
+   "depends_on": "is_term_loan",
    "fieldname": "total_interest_payable",
    "fieldtype": "Currency",
    "label": "Total Interest Payable",
@@ -262,13 +285,74 @@
    "options": "Loan",
    "print_hide": 1,
    "read_only": 1
+  },
+  {
+   "default": "0",
+   "fieldname": "is_secured_loan",
+   "fieldtype": "Check",
+   "label": "Is Secured Loan"
+  },
+  {
+   "depends_on": "is_secured_loan",
+   "fieldname": "loan_security_details_section",
+   "fieldtype": "Section Break",
+   "label": "Loan Security Details"
+  },
+  {
+   "default": "0",
+   "fetch_from": "loan_type.is_term_loan",
+   "fieldname": "is_term_loan",
+   "fieldtype": "Check",
+   "label": "Is Term Loan",
+   "read_only": 1
+  },
+  {
+   "fetch_from": "loan_type.penalty_income_account",
+   "fieldname": "penalty_income_account",
+   "fieldtype": "Link",
+   "label": "Penalty Income Account",
+   "options": "Account",
+   "read_only": 1,
+   "reqd": 1
+  },
+  {
+   "fieldname": "total_principal_paid",
+   "fieldtype": "Currency",
+   "label": "Total Principal Paid",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "loan_security_pledge",
+   "fieldtype": "Link",
+   "label": "Loan Security Pledge",
+   "options": "Loan Security Pledge"
+  },
+  {
+   "fieldname": "disbursed_amount",
+   "fieldtype": "Currency",
+   "label": "Disbursed Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fetch_from": "loan_security_pledge.maximum_loan_value",
+   "fieldname": "maximum_loan_value",
+   "fieldtype": "Currency",
+   "label": "Maximum Loan Value",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "column_break_25",
+   "fieldtype": "Column Break"
   }
  ],
  "is_submittable": 1,
  "links": [],
- "modified": "2019-12-12 14:45:38.823072",
+ "modified": "2020-02-07 01:31:25.172173",
  "modified_by": "Administrator",
- "module": "HR",
+ "module": "Loan Management",
  "name": "Loan",
  "owner": "Administrator",
  "permissions": [
@@ -281,7 +365,7 @@
    "print": 1,
    "read": 1,
    "report": 1,
-   "role": "HR Manager",
+   "role": "Loan Manager",
    "share": 1,
    "submit": 1,
    "write": 1
diff --git a/erpnext/loan_management/doctype/loan/loan.py b/erpnext/loan_management/doctype/loan/loan.py
new file mode 100644
index 0000000..696410b
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan/loan.py
@@ -0,0 +1,254 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe, math, json
+import erpnext
+from frappe import _
+from frappe.utils import flt, rounded, add_months, nowdate, getdate, now_datetime
+
+from erpnext.controllers.accounts_controller import AccountsController
+
+class Loan(AccountsController):
+	def validate(self):
+		self.set_loan_amount()
+
+		self.set_missing_fields()
+		self.validate_accounts()
+		self.validate_loan_security_pledge()
+		self.validate_loan_amount()
+		self.check_sanctioned_amount_limit()
+
+		if self.is_term_loan:
+			validate_repayment_method(self.repayment_method, self.loan_amount, self.monthly_repayment_amount,
+				self.repayment_periods, self.is_term_loan)
+			self.make_repayment_schedule()
+			self.set_repayment_period()
+
+		self.calculate_totals()
+
+	def validate_accounts(self):
+		for fieldname in ['payment_account', 'loan_account', 'interest_income_account', 'penalty_income_account']:
+			company = frappe.get_value("Account", self.get(fieldname), 'company')
+
+			if company != self.company:
+				frappe.throw(_("Account {0} does not belongs to company {1}").format(frappe.bold(self.get(fieldname)),
+					frappe.bold(self.company)))
+
+	def on_submit(self):
+		self.link_loan_security_pledge()
+
+	def on_cancel(self):
+		self.unlink_loan_security_pledge()
+
+	def set_missing_fields(self):
+		if not self.company:
+			self.company = erpnext.get_default_company()
+
+		if not self.posting_date:
+			self.posting_date = nowdate()
+
+		if self.loan_type and not self.rate_of_interest:
+			self.rate_of_interest = frappe.db.get_value("Loan Type", self.loan_type, "rate_of_interest")
+
+		if self.repayment_method == "Repay Over Number of Periods":
+			self.monthly_repayment_amount = get_monthly_repayment_amount(self.repayment_method, self.loan_amount, self.rate_of_interest, self.repayment_periods)
+
+	def validate_loan_security_pledge(self):
+
+		if self.is_secured_loan and not self.loan_security_pledge:
+			frappe.throw(_("Loan Security Pledge is mandatory for secured loan"))
+
+		if self.loan_security_pledge:
+			loan_security_details = frappe.db.get_value("Loan Security Pledge", self.loan_security_pledge,
+					['loan', 'company'], as_dict=1)
+
+			if loan_security_details.loan:
+				frappe.throw(_("Loan Security Pledge already pledged against loan {0}").format(loan_security_details.loan))
+
+			if loan_security_details.company != self.company:
+				frappe.throw(_("Loan Security Pledge Company and Loan Company must be same"))
+
+	def check_sanctioned_amount_limit(self):
+		total_loan_amount = get_total_loan_amount(self.applicant_type, self.applicant, self.company)
+		sanctioned_amount_limit = get_sanctioned_amount_limit(self.applicant_type, self.applicant, self.company)
+
+		if sanctioned_amount_limit and flt(self.loan_amount) + flt(total_loan_amount) > flt(sanctioned_amount_limit):
+			frappe.throw(_("Sanctioned Amount limit crossed for {0} {1}").format(self.applicant_type, frappe.bold(self.applicant)))
+
+	def make_repayment_schedule(self):
+
+		if not self.repayment_start_date:
+			frappe.throw(_("Repayment Start Date is mandatory for term loans"))
+
+		self.repayment_schedule = []
+		payment_date = self.repayment_start_date
+		balance_amount = self.loan_amount
+		while(balance_amount > 0):
+			interest_amount = rounded(balance_amount * flt(self.rate_of_interest) / (12*100))
+			principal_amount = self.monthly_repayment_amount - interest_amount
+			balance_amount = rounded(balance_amount + interest_amount - self.monthly_repayment_amount)
+
+			if balance_amount < 0:
+				principal_amount += balance_amount
+				balance_amount = 0.0
+
+			total_payment = principal_amount + interest_amount
+			self.append("repayment_schedule", {
+				"payment_date": payment_date,
+				"principal_amount": principal_amount,
+				"interest_amount": interest_amount,
+				"total_payment": total_payment,
+				"balance_loan_amount": balance_amount
+			})
+			next_payment_date = add_months(payment_date, 1)
+			payment_date = next_payment_date
+
+	def set_repayment_period(self):
+		if self.repayment_method == "Repay Fixed Amount per Period":
+			repayment_periods = len(self.repayment_schedule)
+
+			self.repayment_periods = repayment_periods
+
+	def calculate_totals(self):
+		self.total_payment = 0
+		self.total_interest_payable = 0
+		self.total_amount_paid = 0
+
+		if self.is_term_loan:
+			for data in self.repayment_schedule:
+				self.total_payment += data.total_payment
+				self.total_interest_payable +=data.interest_amount
+		else:
+			self.total_payment = self.loan_amount
+
+	def set_loan_amount(self):
+
+		if not self.loan_amount and self.is_secured_loan and self.loan_security_pledge:
+			self.loan_amount = self.maximum_loan_value
+
+	def validate_loan_amount(self):
+		if self.is_secured_loan and self.loan_amount > self.maximum_loan_value:
+			msg = _("Loan amount cannot be greater than {0}").format(self.maximum_loan_value)
+			frappe.throw(msg)
+
+		if not self.loan_amount:
+			frappe.throw(_("Loan amount is mandatory"))
+
+	def link_loan_security_pledge(self):
+		frappe.db.sql("""UPDATE `tabLoan Security Pledge` SET
+			loan = %s, status = 'Pledged', pledge_time = %s
+			where name = %s """, (self.name, now_datetime(), self.loan_security_pledge))
+
+	def unlink_loan_security_pledge(self):
+		frappe.db.sql("""UPDATE `tabLoan Security Pledge` SET
+			loan = '', status = 'Unpledged'
+			where name = %s """, (self.loan_security_pledge))
+
+def update_total_amount_paid(doc):
+	total_amount_paid = 0
+	for data in doc.repayment_schedule:
+		if data.paid:
+			total_amount_paid += data.total_payment
+	frappe.db.set_value("Loan", doc.name, "total_amount_paid", total_amount_paid)
+
+def get_total_loan_amount(applicant_type, applicant, company):
+	return frappe.db.get_value('Loan',
+		{'applicant_type': applicant_type, 'company': company, 'applicant': applicant, 'docstatus': 1},
+		'sum(loan_amount)')
+
+def get_sanctioned_amount_limit(applicant_type, applicant, company):
+	return frappe.db.get_value('Sanctioned Loan Amount',
+		{'applicant_type': applicant_type, 'company': company, 'applicant': applicant},
+		'sanctioned_amount_limit')
+
+def validate_repayment_method(repayment_method, loan_amount, monthly_repayment_amount, repayment_periods, is_term_loan):
+
+	if is_term_loan and not repayment_method:
+		frappe.throw(_("Repayment Method is mandatory for term loans"))
+
+	if repayment_method == "Repay Over Number of Periods" and not repayment_periods:
+		frappe.throw(_("Please enter Repayment Periods"))
+
+	if repayment_method == "Repay Fixed Amount per Period":
+		if not monthly_repayment_amount:
+			frappe.throw(_("Please enter repayment Amount"))
+		if monthly_repayment_amount > loan_amount:
+			frappe.throw(_("Monthly Repayment Amount cannot be greater than Loan Amount"))
+
+def get_monthly_repayment_amount(repayment_method, loan_amount, rate_of_interest, repayment_periods):
+	if rate_of_interest:
+		monthly_interest_rate = flt(rate_of_interest) / (12 *100)
+		monthly_repayment_amount = math.ceil((loan_amount * monthly_interest_rate *
+			(1 + monthly_interest_rate)**repayment_periods) \
+			/ ((1 + monthly_interest_rate)**repayment_periods - 1))
+	else:
+		monthly_repayment_amount = math.ceil(flt(loan_amount) / repayment_periods)
+	return monthly_repayment_amount
+
+@frappe.whitelist()
+def get_loan_application(loan_application):
+	loan = frappe.get_doc("Loan Application", loan_application)
+	if loan:
+		return loan.as_dict()
+
+def close_loan(loan, total_amount_paid):
+	frappe.db.set_value("Loan", loan, "total_amount_paid", total_amount_paid)
+	frappe.db.set_value("Loan", loan, "status", "Closed")
+
+@frappe.whitelist()
+def make_loan_disbursement(loan, company, applicant_type, applicant, disbursed_amount=0, as_dict=0):
+	disbursement_entry = frappe.new_doc("Loan Disbursement")
+	disbursement_entry.against_loan = loan
+	disbursement_entry.applicant_type = applicant_type
+	disbursement_entry.applicant = applicant
+	disbursement_entry.company = company
+	disbursement_entry.disbursement_date = nowdate()
+
+	if disbursed_amount:
+		disbursement_entry.disbursed_amount = disbursed_amount
+	if as_dict:
+		return disbursement_entry.as_dict()
+	else:
+		return disbursement_entry
+
+@frappe.whitelist()
+def make_repayment_entry(loan, applicant_type, applicant, loan_type, company, as_dict=0):
+	repayment_entry = frappe.new_doc("Loan Repayment")
+	repayment_entry.against_loan = loan
+	repayment_entry.applicant_type = applicant_type
+	repayment_entry.applicant = applicant
+	repayment_entry.company = company
+	repayment_entry.loan_type = loan_type
+	repayment_entry.posting_date = nowdate()
+
+	if as_dict:
+		return repayment_entry.as_dict()
+	else:
+		return repayment_entry
+
+@frappe.whitelist()
+def create_loan_security_unpledge(loan, applicant_type, applicant, company):
+	loan_security_pledge_details = frappe.db.sql("""
+		SELECT p.parent, p.loan_security, p.qty as qty FROM `tabLoan Security Pledge` lsp , `tabPledge` p
+		WHERE p.parent = lsp.name AND lsp.loan = %s AND lsp.docstatus = 1
+	""",(loan), as_dict=1)
+
+	unpledge_request = frappe.new_doc("Loan Security Unpledge")
+	unpledge_request.applicant_type = applicant_type
+	unpledge_request.applicant = applicant
+	unpledge_request.loan = loan
+	unpledge_request.company = company
+
+	for loan_security in loan_security_pledge_details:
+		unpledge_request.append('securities', {
+			"loan_security": loan_security.loan_security,
+			"qty": loan_security.qty,
+			"against_pledge": loan_security.parent
+		})
+
+	return unpledge_request.as_dict()
+
+
+
diff --git a/erpnext/loan_management/doctype/loan/loan_dashboard.py b/erpnext/loan_management/doctype/loan/loan_dashboard.py
new file mode 100644
index 0000000..90d5ae2
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan/loan_dashboard.py
@@ -0,0 +1,19 @@
+from __future__ import unicode_literals
+from frappe import _
+
+def get_data():
+	return {
+		'fieldname': 'loan',
+		'non_standard_fieldnames': {
+			'Loan Disbursement': 'against_loan',
+			'Loan Repayment': 'against_loan',
+		},
+		'transactions': [
+			{
+				'items': ['Loan Security Pledge', 'Loan Security Shortfall', 'Loan Disbursement']
+			},
+			{
+				'items': ['Loan Repayment', 'Loan Interest Accrual', 'Loan Security Unpledge']
+			}
+		]
+	}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan/test_loan.py b/erpnext/loan_management/doctype/loan/test_loan.py
new file mode 100644
index 0000000..08c2f22
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan/test_loan.py
@@ -0,0 +1,559 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+import frappe
+import erpnext
+import unittest
+from frappe.utils import (nowdate, add_days, getdate, now_datetime, add_to_date, get_datetime,
+	add_months, get_first_day, get_last_day, flt, date_diff)
+from erpnext.selling.doctype.customer.test_customer import get_customer_dict
+from erpnext.hr.doctype.salary_structure.test_salary_structure import make_employee
+from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import process_loan_interest_accrual
+from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import (make_accrual_interest_entry_for_term_loans, days_in_year)
+
+from erpnext.loan_management.doctype.loan_security_shortfall.loan_security_shortfall import check_for_ltv_shortfall
+
+class TestLoan(unittest.TestCase):
+	def setUp(self):
+		create_loan_accounts()
+		create_loan_type("Personal Loan", 500000, 8.4,
+			is_term_loan=1,
+			mode_of_payment='Cash',
+			payment_account='Payment Account - _TC',
+			loan_account='Loan Account - _TC',
+			interest_income_account='Interest Income Account - _TC',
+			penalty_income_account='Penalty Income Account - _TC')
+
+		create_loan_type("Stock Loan", 2000000, 13.5, 25, 1, 5, 'Cash', 'Payment Account - _TC', 'Loan Account - _TC',
+			'Interest Income Account - _TC', 'Penalty Income Account - _TC')
+
+		create_loan_type("Demand Loan", 2000000, 13.5, 25, 0, 5, 'Cash', 'Payment Account - _TC', 'Loan Account - _TC',
+			'Interest Income Account - _TC', 'Penalty Income Account - _TC')
+
+		create_loan_security_type()
+		create_loan_security()
+
+		create_loan_security_price("Test Security 1", 500, "Nos", get_datetime() , get_datetime(add_to_date(nowdate(), hours=24)))
+		create_loan_security_price("Test Security 2", 250, "Nos", get_datetime() , get_datetime(add_to_date(nowdate(), hours=24)))
+
+		self.applicant1 = make_employee("robert_loan@loan.com")
+		if not frappe.db.exists("Customer", "_Test Loan Customer"):
+			frappe.get_doc(get_customer_dict('_Test Loan Customer')).insert(ignore_permissions=True)
+
+		self.applicant2 = frappe.db.get_value("Customer", {'name': '_Test Loan Customer'}, 'name')
+
+		create_loan(self.applicant1, "Personal Loan", 280000, "Repay Over Number of Periods", 20)
+
+	def test_loan(self):
+		loan = frappe.get_doc("Loan", {"applicant":self.applicant1})
+		self.assertEquals(loan.monthly_repayment_amount, 15052)
+		self.assertEquals(loan.total_interest_payable, 21034)
+		self.assertEquals(loan.total_payment, 301034)
+
+		schedule = loan.repayment_schedule
+
+		self.assertEqual(len(schedule), 20)
+
+		for idx, principal_amount, interest_amount, balance_loan_amount in [[3, 13369, 1683, 227079], [19, 14941, 105, 0], [17, 14740, 312, 29785]]:
+			self.assertEqual(schedule[idx].principal_amount, principal_amount)
+			self.assertEqual(schedule[idx].interest_amount, interest_amount)
+			self.assertEqual(schedule[idx].balance_loan_amount, balance_loan_amount)
+
+		loan.repayment_method = "Repay Fixed Amount per Period"
+		loan.monthly_repayment_amount = 14000
+		loan.save()
+
+		self.assertEquals(len(loan.repayment_schedule), 22)
+		self.assertEquals(loan.total_interest_payable, 22712)
+		self.assertEquals(loan.total_payment, 302712)
+
+	def test_loan_with_security(self):
+		pledges = []
+		pledges.append({
+			"loan_security": "Test Security 1",
+			"qty": 4000.00,
+			"haircut": 50,
+			"loan_security_price": 500.00
+		})
+
+		loan_security_pledge = create_loan_security_pledge(self.applicant2, pledges)
+
+		loan = create_loan_with_security(self.applicant2, "Stock Loan", "Repay Over Number of Periods", 12, loan_security_pledge.name)
+
+		self.assertEquals(loan.loan_amount, 1000000)
+
+	def test_loan_disbursement(self):
+		pledges = []
+		pledges.append({
+			"loan_security": "Test Security 1",
+			"qty": 4000.00,
+			"haircut": 50
+		})
+
+		loan_security_pledge = create_loan_security_pledge(self.applicant2, pledges)
+
+		loan = create_loan_with_security(self.applicant2, "Stock Loan", "Repay Over Number of Periods", 12, loan_security_pledge.name)
+		self.assertEquals(loan.loan_amount, 1000000)
+
+		loan.submit()
+
+		loan_disbursement_entry1 = make_loan_disbursement_entry(loan.name, 500000)
+		loan_disbursement_entry2 = make_loan_disbursement_entry(loan.name, 500000)
+
+		loan = frappe.get_doc("Loan", loan.name)
+		gl_entries1 = frappe.db.get_all("GL Entry",
+			fields=["name"],
+			filters = {'voucher_type': 'Loan Disbursement', 'voucher_no': loan_disbursement_entry1.name}
+		)
+
+		gl_entries2 = frappe.db.get_all("GL Entry",
+			fields=["name"],
+			filters = {'voucher_type': 'Loan Disbursement', 'voucher_no': loan_disbursement_entry2.name}
+		)
+
+		self.assertEquals(loan.status, "Disbursed")
+		self.assertEquals(loan.disbursed_amount, 1000000)
+		self.assertTrue(gl_entries1)
+		self.assertTrue(gl_entries2)
+
+	def test_regular_loan_repayment(self):
+		pledges = []
+		pledges.append({
+			"loan_security": "Test Security 1",
+			"qty": 4000.00,
+			"haircut": 50
+		})
+
+		loan_security_pledge = create_loan_security_pledge(self.applicant2, pledges)
+
+		loan = create_demand_loan(self.applicant2, "Demand Loan", loan_security_pledge.name,
+			posting_date=get_first_day(nowdate()))
+
+		loan.submit()
+
+		self.assertEquals(loan.loan_amount, 1000000)
+
+		first_date = '2019-10-01'
+		last_date = '2019-10-30'
+
+		no_of_days = date_diff(last_date, first_date) + 1
+
+		accrued_interest_amount = (loan.loan_amount * loan.rate_of_interest * no_of_days) \
+			/ (days_in_year(get_datetime(first_date).year) * 100)
+
+		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=first_date)
+
+		process_loan_interest_accrual(posting_date = last_date)
+
+		repayment_entry = create_repayment_entry(loan.name, self.applicant2, add_days(last_date, 10), "Regular Payment", 111118.68)
+		repayment_entry.save()
+
+		penalty_amount = (accrued_interest_amount * 5 * 25) / (100 * days_in_year(get_datetime(first_date).year))
+
+		self.assertEquals(flt(repayment_entry.interest_payable, 2), flt(accrued_interest_amount, 2))
+		self.assertEquals(flt(repayment_entry.penalty_amount, 2), flt(penalty_amount, 2))
+
+		repayment_entry.submit()
+
+	def test_loan_closure_repayment(self):
+		pledges = []
+		pledges.append({
+			"loan_security": "Test Security 1",
+			"qty": 4000.00,
+			"haircut": 50
+		})
+
+		loan_security_pledge = create_loan_security_pledge(self.applicant2, pledges)
+		loan = create_demand_loan(self.applicant2, "Demand Loan", loan_security_pledge.name,
+			posting_date=get_first_day(nowdate()))
+		loan.submit()
+
+		self.assertEquals(loan.loan_amount, 1000000)
+
+		first_date = '2019-10-01'
+		last_date = '2019-10-30'
+
+		no_of_days = date_diff(last_date, first_date) + 1
+
+		# Adding 6 since repayment is made 5 days late after due date
+		# and since payment type is loan closure so interest should be considered for those
+		# 6 days as well though in grace period
+		no_of_days += 6
+
+		accrued_interest_amount = (loan.loan_amount * loan.rate_of_interest * no_of_days) \
+			/ (days_in_year(get_datetime(first_date).year) * 100)
+
+		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=first_date)
+		process_loan_interest_accrual(posting_date = last_date)
+
+		repayment_entry = create_repayment_entry(loan.name, self.applicant2, add_days(last_date, 5),
+			"Loan Closure", 13315.0681)
+		repayment_entry.save()
+
+		repayment_entry.amount_paid = repayment_entry.payable_amount
+
+		self.assertEquals(flt(repayment_entry.interest_payable, 3), flt(accrued_interest_amount, 3))
+		self.assertEquals(flt(repayment_entry.penalty_amount, 5), 0)
+
+		repayment_entry.submit()
+		loan.load_from_db()
+		self.assertEquals(loan.status, "Loan Closure Requested")
+
+	def test_loan_repayment_for_term_loan(self):
+		pledges = []
+		pledges.append({
+			"loan_security": "Test Security 2",
+			"qty": 4000.00,
+			"haircut": 50
+		})
+
+		pledges.append({
+			"loan_security": "Test Security 1",
+			"qty": 2000.00,
+			"haircut": 50
+		})
+
+		loan_security_pledge = create_loan_security_pledge(self.applicant2, pledges)
+
+		loan = create_loan_with_security(self.applicant2, "Stock Loan", "Repay Over Number of Periods", 12,
+			loan_security_pledge.name, posting_date=add_months(nowdate(), -1))
+
+		loan.submit()
+
+		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=add_months(nowdate(), -1))
+
+		make_accrual_interest_entry_for_term_loans(posting_date=nowdate())
+
+		repayment_entry = create_repayment_entry(loan.name, self.applicant2, add_days(get_last_day(nowdate()), 5),
+			"Regular Payment", 89768.7534247)
+
+		repayment_entry.save()
+		repayment_entry.submit()
+
+		repayment_entry.load_from_db()
+
+		self.assertEquals(repayment_entry.interest_payable, 11250.00)
+		self.assertEquals(repayment_entry.payable_principal_amount, 78303.00)
+
+	def test_partial_loan_repayment(self):
+		pledges = []
+		pledges.append({
+			"loan_security": "Test Security 1",
+			"qty": 4000.00,
+			"haircut": 50
+		})
+
+		loan_security_pledge = create_loan_security_pledge(self.applicant2, pledges)
+
+		loan = create_demand_loan(self.applicant2, "Demand Loan", loan_security_pledge.name,
+			posting_date=get_first_day(nowdate()))
+
+		loan.submit()
+
+		self.assertEquals(loan.loan_amount, 1000000)
+
+		first_date = '2019-10-01'
+		last_date = '2019-10-30'
+
+		no_of_days = date_diff(last_date, first_date) + 1
+
+		accrued_interest_amount = (loan.loan_amount * loan.rate_of_interest * no_of_days) \
+			/ (days_in_year(get_datetime().year) * 100)
+
+		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=first_date)
+
+		process_loan_interest_accrual(posting_date = add_days(first_date, 15))
+		process_loan_interest_accrual(posting_date = add_days(first_date, 30))
+
+		repayment_entry = create_repayment_entry(loan.name, self.applicant2, add_days(last_date, 1), "Regular Payment", 6500)
+		repayment_entry.save()
+		repayment_entry.submit()
+
+		penalty_amount = (accrued_interest_amount * 4 * 25) / (100 * days_in_year(get_datetime(first_date).year))
+
+		lia = frappe.get_all("Loan Interest Accrual", fields=["is_paid"],
+			filters={"loan": loan.name}, order_by="posting_date")
+
+		self.assertTrue(lia[0].get('is_paid'))
+		self.assertFalse(lia[1].get('is_paid'))
+
+	def test_security_shortfall(self):
+		pledges = []
+		pledges.append({
+			"loan_security": "Test Security 2",
+			"qty": 8000.00,
+			"haircut": 50,
+		})
+
+		loan_security_pledge = create_loan_security_pledge(self.applicant2, pledges)
+
+		loan = create_loan_with_security(self.applicant2, "Stock Loan", "Repay Over Number of Periods", 12, loan_security_pledge.name)
+		loan.submit()
+
+		make_loan_disbursement_entry(loan.name, loan.loan_amount)
+
+		frappe.db.sql(""" UPDATE `tabLoan Security Price` SET loan_security_price = %s
+		where loan_security=%s""", (100, 'Test Security 2'))
+
+		check_for_ltv_shortfall()
+		loan_security_shortfall = frappe.get_doc("Loan Security Shortfall", {"loan": loan.name})
+
+		self.assertTrue(loan_security_shortfall)
+
+		self.assertEquals(loan_security_shortfall.loan_amount, 1000000.00)
+		self.assertEquals(loan_security_shortfall.security_value, 400000.00)
+		self.assertEquals(loan_security_shortfall.shortfall_amount, 600000.00)
+
+def create_loan_accounts():
+	if not frappe.db.exists("Account", "Loans and Advances (Assets) - _TC"):
+		frappe.get_doc({
+			"doctype": "Account",
+			"account_name": "Loans and Advances (Assets)",
+			"company": "_Test Company",
+			"root_type": "Asset",
+			"report_type": "Balance Sheet",
+			"currency": "INR",
+			"parent_account": "Current Assets - _TC",
+			"account_type": "Bank",
+			"is_group": 1
+		}).insert(ignore_permissions=True)
+
+	if not frappe.db.exists("Account", "Loan Account - _TC"):
+		frappe.get_doc({
+			"doctype": "Account",
+			"company": "_Test Company",
+			"account_name": "Loan Account",
+			"root_type": "Asset",
+			"report_type": "Balance Sheet",
+			"currency": "INR",
+			"parent_account": "Loans and Advances (Assets) - _TC",
+			"account_type": "Bank",
+		}).insert(ignore_permissions=True)
+
+	if not frappe.db.exists("Account", "Payment Account - _TC"):
+		frappe.get_doc({
+			"doctype": "Account",
+			"company": "_Test Company",
+			"account_name": "Payment Account",
+			"root_type": "Asset",
+			"report_type": "Balance Sheet",
+			"currency": "INR",
+			"parent_account": "Bank Accounts - _TC",
+			"account_type": "Bank",
+		}).insert(ignore_permissions=True)
+
+	if not frappe.db.exists("Account", "Interest Income Account - _TC"):
+		frappe.get_doc({
+			"doctype": "Account",
+			"company": "_Test Company",
+			"root_type": "Income",
+			"account_name": "Interest Income Account",
+			"report_type": "Profit and Loss",
+			"currency": "INR",
+			"parent_account": "Direct Income - _TC",
+			"account_type": "Income Account",
+		}).insert(ignore_permissions=True)
+
+	if not frappe.db.exists("Account", "Penalty Income Account - _TC"):
+		frappe.get_doc({
+			"doctype": "Account",
+			"company": "_Test Company",
+			"account_name": "Penalty Income Account",
+			"root_type": "Income",
+			"report_type": "Profit and Loss",
+			"currency": "INR",
+			"parent_account": "Direct Income - _TC",
+			"account_type": "Income Account",
+		}).insert(ignore_permissions=True)
+
+def create_loan_type(loan_name, maximum_loan_amount, rate_of_interest, penalty_interest_rate=None, is_term_loan=None, grace_period_in_days=None,
+	mode_of_payment=None, payment_account=None, loan_account=None, interest_income_account=None, penalty_income_account=None,
+	repayment_method=None, repayment_periods=None):
+
+	if not frappe.db.exists("Loan Type", loan_name):
+		loan_type = frappe.get_doc({
+			"doctype": "Loan Type",
+			"company": "_Test Company",
+			"loan_name": loan_name,
+			"is_term_loan": is_term_loan,
+			"maximum_loan_amount": maximum_loan_amount,
+			"rate_of_interest": rate_of_interest,
+			"penalty_interest_rate": penalty_interest_rate,
+			"grace_period_in_days": grace_period_in_days,
+			"mode_of_payment": mode_of_payment,
+			"payment_account": payment_account,
+			"loan_account": loan_account,
+			"interest_income_account": interest_income_account,
+			"penalty_income_account": penalty_income_account,
+			"repayment_method": repayment_method,
+			"repayment_periods": repayment_periods
+		}).insert()
+
+		loan_type.submit()
+
+def create_loan_security_type():
+	if not frappe.db.exists("Loan Security Type", "Stock"):
+		frappe.get_doc({
+			"doctype": "Loan Security Type",
+			"loan_security_type": "Stock",
+			"unit_of_measure": "Nos",
+			"haircut": 50.00
+		}).insert(ignore_permissions=True)
+
+def create_loan_security():
+	if not frappe.db.exists("Loan Security", "Test Security 1"):
+		frappe.get_doc({
+			"doctype": "Loan Security",
+			"loan_security_type": "Stock",
+			"loan_security_code": "532779",
+			"loan_security_name": "Test Security 1",
+			"unit_of_measure": "Nos",
+			"haircut": 50.00,
+		}).insert(ignore_permissions=True)
+
+	if not frappe.db.exists("Loan Security", "Test Security 2"):
+		frappe.get_doc({
+			"doctype": "Loan Security",
+			"loan_security_type": "Stock",
+			"loan_security_code": "531335",
+			"loan_security_name": "Test Security 2",
+			"unit_of_measure": "Nos",
+			"haircut": 50.00,
+		}).insert(ignore_permissions=True)
+
+def create_loan_security_pledge(applicant, pledges):
+
+	lsp = frappe.new_doc("Loan Security Pledge")
+	lsp.applicant_type = 'Customer'
+	lsp.applicant = applicant
+	lsp.company = "_Test Company"
+
+	for pledge in pledges:
+		lsp.append('securities', {
+			"loan_security": pledge['loan_security'],
+			"qty": pledge['qty'],
+			"haircut": pledge['haircut']
+		})
+
+	lsp.save()
+	lsp.submit()
+
+	return lsp
+
+def make_loan_disbursement_entry(loan, amount, disbursement_date=None):
+
+	loan_disbursement_entry = frappe.get_doc({
+		"doctype": "Loan Disbursement",
+		"against_loan": loan,
+		"disbursement_date": disbursement_date,
+		"company": "_Test Company",
+		"disbursed_amount": amount,
+		"cost_center": 'Main - _TC'
+	}).insert(ignore_permissions=True)
+
+	loan_disbursement_entry.save()
+	loan_disbursement_entry.submit()
+
+	return loan_disbursement_entry
+
+def create_loan_security_price(loan_security, loan_security_price, uom, from_date, to_date):
+
+	if not frappe.db.get_value("Loan Security Price",{"loan_security": loan_security,
+		"valid_from": ("<=", from_date), "valid_upto": (">=", to_date)}, 'name'):
+
+		lsp = frappe.get_doc({
+			"doctype": "Loan Security Price",
+			"loan_security": loan_security,
+			"loan_security_price": loan_security_price,
+			"uom": uom,
+			"valid_from":from_date,
+			"valid_upto": to_date
+		}).insert(ignore_permissions=True)
+
+def create_repayment_entry(loan, applicant, posting_date, payment_type, paid_amount):
+
+	lr = frappe.get_doc({
+		"doctype": "Loan Repayment",
+		"against_loan": loan,
+		"payment_type": payment_type,
+		"company": "_Test Company",
+		"posting_date": posting_date or nowdate(),
+		"applicant": applicant,
+		"amount_paid": paid_amount,
+		"loan_type": "Stock Loan"
+	}).insert(ignore_permissions=True)
+
+	return lr
+
+
+def create_loan(applicant, loan_type, loan_amount, repayment_method, repayment_periods,
+	repayment_start_date=None, posting_date=None):
+
+	loan = frappe.get_doc({
+		"doctype": "Loan",
+		"applicant_type": "Employee",
+		"company": "_Test Company",
+		"applicant": applicant,
+		"loan_type": loan_type,
+		"loan_amount": loan_amount,
+		"repayment_method": repayment_method,
+		"repayment_periods": repayment_periods,
+		"repayment_start_date": nowdate(),
+		"is_term_loan": 1,
+		"posting_date": posting_date or nowdate()
+	})
+
+	loan.save()
+	return loan
+
+def create_loan_with_security(applicant, loan_type, repayment_method, repayment_periods, loan_security_pledge,
+	posting_date=None, repayment_start_date=None):
+
+	loan = frappe.get_doc({
+		"doctype": "Loan",
+		"company": "_Test Company",
+		"applicant_type": "Customer",
+		"posting_date": posting_date or nowdate(),
+		"applicant": applicant,
+		"loan_type": loan_type,
+		"is_term_loan": 1,
+		"is_secured_loan": 1,
+		"repayment_method": repayment_method,
+		"repayment_periods": repayment_periods,
+		"repayment_start_date": repayment_start_date or nowdate(),
+		"mode_of_payment": frappe.db.get_value('Mode of Payment', {'type': 'Cash'}, 'name'),
+		"loan_security_pledge": loan_security_pledge,
+		"payment_account": 'Payment Account - _TC',
+		"loan_account": 'Loan Account - _TC',
+		"interest_income_account": 'Interest Income Account - _TC',
+		"penalty_income_account": 'Penalty Income Account - _TC',
+	})
+
+	loan.save()
+
+	return loan
+
+def create_demand_loan(applicant, loan_type, loan_security_pledge, posting_date=None):
+
+	loan = frappe.get_doc({
+		"doctype": "Loan",
+		"company": "_Test Company",
+		"applicant_type": "Customer",
+		"posting_date": posting_date or nowdate(),
+		"applicant": applicant,
+		"loan_type": loan_type,
+		"is_term_loan": 0,
+		"is_secured_loan": 1,
+		"mode_of_payment": frappe.db.get_value('Mode of Payment', {'type': 'Cash'}, 'name'),
+		"loan_security_pledge": loan_security_pledge,
+		"payment_account": 'Payment Account - _TC',
+		"loan_account": 'Loan Account - _TC',
+		"interest_income_account": 'Interest Income Account - _TC',
+		"penalty_income_account": 'Penalty Income Account - _TC',
+	})
+
+	loan.save()
+
+	return loan
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan_application/__init__.py b/erpnext/loan_management/doctype/loan_application/__init__.py
similarity index 100%
rename from erpnext/hr/doctype/loan_application/__init__.py
rename to erpnext/loan_management/doctype/loan_application/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_application/loan_application.js b/erpnext/loan_management/doctype/loan_application/loan_application.js
new file mode 100644
index 0000000..57050d8
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_application/loan_application.js
@@ -0,0 +1,127 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+{% include 'erpnext/loan_management/loan_common.js' %};
+
+frappe.ui.form.on('Loan Application', {
+
+	setup: function(frm) {
+		frm.make_methods = {
+			'Loan': function() { frm.trigger('create_loan') },
+			'Loan Security Pledge': function() { frm.trigger('create_loan_security_pledge') },
+		}
+	},
+	refresh: function(frm) {
+		frm.trigger("toggle_fields");
+		frm.trigger("add_toolbar_buttons");
+	},
+	repayment_method: function(frm) {
+		frm.doc.repayment_amount = frm.doc.repayment_periods = ""
+		frm.trigger("toggle_fields")
+		frm.trigger("toggle_required")
+	},
+	toggle_fields: function(frm) {
+		frm.toggle_enable("repayment_amount", frm.doc.repayment_method=="Repay Fixed Amount per Period")
+		frm.toggle_enable("repayment_periods", frm.doc.repayment_method=="Repay Over Number of Periods")
+	},
+	toggle_required: function(frm){
+		frm.toggle_reqd("repayment_amount", cint(frm.doc.repayment_method=='Repay Fixed Amount per Period'))
+		frm.toggle_reqd("repayment_periods", cint(frm.doc.repayment_method=='Repay Over Number of Periods'))
+	},
+	add_toolbar_buttons: function(frm) {
+		if (frm.doc.status == "Approved") {
+
+			frappe.db.get_value("Loan Security Pledge", {"loan_application": frm.doc.name, "docstatus": 1}, "name", (r) => {
+				if (!r) {
+					frm.add_custom_button(__('Loan Security Pledge'), function() {
+						frm.trigger('create_loan_security_pledge')
+					},__('Create'))
+				}
+			});
+
+			frappe.db.get_value("Loan", {"loan_application": frm.doc.name, "docstatus": 1}, "name", (r) => {
+				if (!r) {
+					frm.add_custom_button(__('Loan'), function() {
+						frm.trigger('create_loan')
+					},__('Create'))
+				} else {
+					frm.set_df_property('status', 'read_only', 1);
+				}
+			});
+		}
+	},
+	create_loan: function(frm) {
+		if (frm.doc.status != "Approved") {
+			frappe.throw(__("Cannot create loan until application is approved"))
+		}
+
+		frappe.model.open_mapped_doc({
+			method: 'erpnext.loan_management.doctype.loan_application.loan_application.create_loan',
+			frm: frm
+		});
+	},
+	create_loan_security_pledge: function(frm) {
+		frappe.call({
+			method: "erpnext.loan_management.doctype.loan_application.loan_application.create_pledge",
+			args: {
+				loan_application: frm.doc.name
+			},
+			callback: function(r) {
+				frappe.set_route("Form", "Loan Security Pledge", r.message);
+			}
+		})
+	},
+	is_term_loan: function(frm) {
+		frm.set_df_property('repayment_method', 'hidden', 1 - frm.doc.is_term_loan);
+		frm.set_df_property('repayment_method', 'reqd', frm.doc.is_term_loan);
+	},
+	is_secured_loan: function(frm) {
+		frm.set_df_property('proposed_pledges', 'reqd', frm.doc.is_secured_loan);
+	},
+
+	calculate_amounts: function(frm, cdt, cdn) {
+		let row = locals[cdt][cdn];
+		if (row.qty) {
+			frappe.model.set_value(cdt, cdn, 'amount', row.qty * row.loan_security_price);
+			frappe.model.set_value(cdt, cdn, 'post_haircut_amount', cint(row.amount - (row.amount * row.haircut/100)));
+		} else if (row.amount) {
+			frappe.model.set_value(cdt, cdn, 'qty', cint(row.amount / row.loan_security_price));
+			frappe.model.set_value(cdt, cdn, 'amount', row.qty * row.loan_security_price);
+			frappe.model.set_value(cdt, cdn, 'post_haircut_amount', cint(row.amount - (row.amount * row.haircut/100)));
+		}
+
+		let maximum_amount = 0;
+
+		$.each(frm.doc.proposed_pledges || [], function(i, item){
+			maximum_amount += item.post_haircut_amount;
+		});
+
+		if (flt(maximum_amount)) {
+			frm.set_value('maximum_loan_amount', flt(maximum_amount));
+		}
+	}
+});
+
+frappe.ui.form.on("Proposed Pledge", {
+	loan_security: function(frm, cdt, cdn) {
+		let row = locals[cdt][cdn];
+		frappe.call({
+			method: "erpnext.loan_management.doctype.loan_security_price.loan_security_price.get_loan_security_price",
+			args: {
+				loan_security: row.loan_security
+			},
+			callback: function(r) {
+				frappe.model.set_value(cdt, cdn, 'loan_security_price', r.message);
+				frm.events.calculate_amounts(frm, cdt, cdn);
+			}
+		})
+	},
+
+	amount: function(frm, cdt, cdn) {
+		frm.events.calculate_amounts(frm, cdt, cdn);
+	},
+
+	qty: function(frm, cdt, cdn) {
+		frm.events.calculate_amounts(frm, cdt, cdn);
+	},
+})
diff --git a/erpnext/loan_management/doctype/loan_application/loan_application.json b/erpnext/loan_management/doctype/loan_application/loan_application.json
new file mode 100644
index 0000000..a353a77
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_application/loan_application.json
@@ -0,0 +1,279 @@
+{
+ "actions": [],
+ "autoname": "ACC-LOAP-.YYYY.-.#####",
+ "creation": "2019-08-29 17:46:49.201740",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "applicant_type",
+  "applicant",
+  "applicant_name",
+  "column_break_2",
+  "company",
+  "posting_date",
+  "status",
+  "section_break_4",
+  "loan_type",
+  "is_term_loan",
+  "loan_amount",
+  "is_secured_loan",
+  "rate_of_interest",
+  "column_break_7",
+  "description",
+  "loan_security_details_section",
+  "proposed_pledges",
+  "maximum_loan_amount",
+  "repayment_info",
+  "repayment_method",
+  "total_payable_amount",
+  "column_break_11",
+  "repayment_periods",
+  "repayment_amount",
+  "total_payable_interest",
+  "amended_from"
+ ],
+ "fields": [
+  {
+   "fieldname": "applicant_type",
+   "fieldtype": "Select",
+   "label": "Applicant Type",
+   "options": "Employee\nMember\nCustomer",
+   "reqd": 1
+  },
+  {
+   "fieldname": "applicant",
+   "fieldtype": "Dynamic Link",
+   "in_global_search": 1,
+   "in_standard_filter": 1,
+   "label": "Applicant",
+   "options": "applicant_type",
+   "reqd": 1
+  },
+  {
+   "depends_on": "applicant",
+   "fieldname": "applicant_name",
+   "fieldtype": "Data",
+   "in_global_search": 1,
+   "label": "Applicant Name",
+   "read_only": 1
+  },
+  {
+   "fieldname": "column_break_2",
+   "fieldtype": "Column Break"
+  },
+  {
+   "default": "Today",
+   "fieldname": "posting_date",
+   "fieldtype": "Date",
+   "label": "Posting Date"
+  },
+  {
+   "allow_on_submit": 1,
+   "fieldname": "status",
+   "fieldtype": "Select",
+   "label": "Status",
+   "no_copy": 1,
+   "options": "Open\nApproved\nRejected",
+   "permlevel": 1
+  },
+  {
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Company",
+   "options": "Company",
+   "reqd": 1
+  },
+  {
+   "fieldname": "section_break_4",
+   "fieldtype": "Section Break",
+   "label": "Loan Info"
+  },
+  {
+   "fieldname": "loan_type",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Loan Type",
+   "options": "Loan Type",
+   "reqd": 1
+  },
+  {
+   "bold": 1,
+   "fieldname": "loan_amount",
+   "fieldtype": "Currency",
+   "in_list_view": 1,
+   "label": "Loan Amount",
+   "options": "Company:company:default_currency"
+  },
+  {
+   "fieldname": "column_break_7",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "description",
+   "fieldtype": "Small Text",
+   "label": "Reason"
+  },
+  {
+   "depends_on": "eval: doc.is_term_loan == 1",
+   "fieldname": "repayment_info",
+   "fieldtype": "Section Break",
+   "label": "Repayment Info"
+  },
+  {
+   "depends_on": "eval: doc.is_term_loan == 1",
+   "fetch_if_empty": 1,
+   "fieldname": "repayment_method",
+   "fieldtype": "Select",
+   "label": "Repayment Method",
+   "options": "\nRepay Fixed Amount per Period\nRepay Over Number of Periods"
+  },
+  {
+   "fetch_from": "loan_type.rate_of_interest",
+   "fieldname": "rate_of_interest",
+   "fieldtype": "Percent",
+   "label": "Rate of Interest",
+   "read_only": 1
+  },
+  {
+   "depends_on": "is_term_loan",
+   "fieldname": "total_payable_interest",
+   "fieldtype": "Currency",
+   "label": "Total Payable Interest",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "column_break_11",
+   "fieldtype": "Column Break"
+  },
+  {
+   "depends_on": "repayment_method",
+   "fieldname": "repayment_amount",
+   "fieldtype": "Currency",
+   "label": "Monthly Repayment Amount",
+   "options": "Company:company:default_currency"
+  },
+  {
+   "depends_on": "repayment_method",
+   "fieldname": "repayment_periods",
+   "fieldtype": "Int",
+   "label": "Repayment Period in Months"
+  },
+  {
+   "fieldname": "total_payable_amount",
+   "fieldtype": "Currency",
+   "label": "Total Payable Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Loan Application",
+   "print_hide": 1,
+   "read_only": 1
+  },
+  {
+   "default": "0",
+   "fieldname": "is_secured_loan",
+   "fieldtype": "Check",
+   "label": "Is Secured Loan"
+  },
+  {
+   "depends_on": "eval:doc.is_secured_loan == 1",
+   "fieldname": "loan_security_details_section",
+   "fieldtype": "Section Break",
+   "label": "Loan Security Details"
+  },
+  {
+   "depends_on": "eval:doc.is_secured_loan == 1",
+   "fieldname": "proposed_pledges",
+   "fieldtype": "Table",
+   "label": "Proposed Pledges",
+   "options": "Proposed Pledge"
+  },
+  {
+   "fieldname": "maximum_loan_amount",
+   "fieldtype": "Currency",
+   "label": "Maximum Loan Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "default": "0",
+   "fetch_from": "loan_type.is_term_loan",
+   "fieldname": "is_term_loan",
+   "fieldtype": "Check",
+   "label": "Is Term Loan",
+   "read_only": 1
+  }
+ ],
+ "is_submittable": 1,
+ "links": [],
+ "modified": "2020-03-01 10:21:44.413353",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Application",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  },
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Employee",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  },
+  {
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "permlevel": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  },
+  {
+   "email": 1,
+   "export": 1,
+   "permlevel": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Employee",
+   "share": 1
+  }
+ ],
+ "search_fields": "applicant_type, applicant, loan_type, loan_amount",
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "timeline_field": "applicant",
+ "title_field": "applicant",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_application/loan_application.py b/erpnext/loan_management/doctype/loan_application/loan_application.py
new file mode 100644
index 0000000..d3b8164
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_application/loan_application.py
@@ -0,0 +1,209 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe, math
+from frappe import _
+from frappe.utils import flt, rounded, cint
+from frappe.model.mapper import get_mapped_doc
+from frappe.model.document import Document
+from erpnext.loan_management.doctype.loan.loan import (get_monthly_repayment_amount, validate_repayment_method,
+		get_total_loan_amount, get_sanctioned_amount_limit)
+from erpnext.loan_management.doctype.loan_security_price.loan_security_price import get_loan_security_price
+import json
+from six import string_types
+
+class LoanApplication(Document):
+	def validate(self):
+
+		validate_repayment_method(self.repayment_method, self.loan_amount, self.repayment_amount,
+			self.repayment_periods, self.is_term_loan)
+
+		self.validate_loan_type()
+		self.set_pledge_amount()
+		self.set_loan_amount()
+		self.validate_loan_amount()
+		self.get_repayment_details()
+		self.check_sanctioned_amount_limit()
+
+	def validate_loan_type(self):
+		company = frappe.get_value("Loan Type", self.loan_type, "company")
+		if company != self.company:
+			frappe.throw(_("Please select Loan Type for company {0}").format(frappe.bold(self.company)))
+
+	def validate_loan_amount(self):
+		if not self.loan_amount:
+			frappe.throw(_("Loan Amount is mandatory"))
+
+		maximum_loan_limit = frappe.db.get_value('Loan Type', self.loan_type, 'maximum_loan_amount')
+		if maximum_loan_limit and self.loan_amount > maximum_loan_limit:
+			frappe.throw(_("Loan Amount cannot exceed Maximum Loan Amount of {0}").format(maximum_loan_limit))
+
+		if self.maximum_loan_amount and self.loan_amount > self.maximum_loan_amount:
+			frappe.throw(_("Loan Amount exceeds maximum loan amount of {0} as per proposed securities").format(self.maximum_loan_amount))
+
+	def check_sanctioned_amount_limit(self):
+		total_loan_amount = get_total_loan_amount(self.applicant_type, self.applicant, self.company)
+		sanctioned_amount_limit = get_sanctioned_amount_limit(self.applicant_type, self.applicant, self.company)
+
+		if sanctioned_amount_limit and flt(self.loan_amount) + flt(total_loan_amount) > flt(sanctioned_amount_limit):
+			frappe.throw(_("Sanctioned Amount limit crossed for {0} {1}").format(self.applicant_type, frappe.bold(self.applicant)))
+
+	def set_pledge_amount(self):
+		for proposed_pledge in self.proposed_pledges:
+
+			if not proposed_pledge.qty and not proposed_pledge.amount:
+				frappe.throw(_("Qty or Amount is mandatroy for loan security"))
+
+			proposed_pledge.loan_security_price = get_loan_security_price(proposed_pledge.loan_security)
+
+			if not proposed_pledge.qty:
+				proposed_pledge.qty = cint(proposed_pledge.amount/proposed_pledge.loan_security_price)
+
+			proposed_pledge.amount = proposed_pledge.qty * proposed_pledge.loan_security_price
+			proposed_pledge.post_haircut_amount = cint(proposed_pledge.amount - (proposed_pledge.amount * proposed_pledge.haircut/100))
+
+	def get_repayment_details(self):
+
+		if self.is_term_loan:
+			if self.repayment_method == "Repay Over Number of Periods":
+				self.repayment_amount = get_monthly_repayment_amount(self.repayment_method, self.loan_amount, self.rate_of_interest, self.repayment_periods)
+
+			if self.repayment_method == "Repay Fixed Amount per Period":
+				monthly_interest_rate = flt(self.rate_of_interest) / (12 *100)
+				if monthly_interest_rate:
+					min_repayment_amount = self.loan_amount*monthly_interest_rate
+					if self.repayment_amount - min_repayment_amount <= 0:
+						frappe.throw(_("Repayment Amount must be greater than " \
+							+ str(flt(min_repayment_amount, 2))))
+					self.repayment_periods = math.ceil((math.log(self.repayment_amount) -
+						math.log(self.repayment_amount - min_repayment_amount)) /(math.log(1 + monthly_interest_rate)))
+				else:
+					self.repayment_periods = self.loan_amount / self.repayment_amount
+
+			self.calculate_payable_amount()
+		else:
+			self.total_payable_amount = self.loan_amount
+
+	def calculate_payable_amount(self):
+		balance_amount = self.loan_amount
+		self.total_payable_amount = 0
+		self.total_payable_interest = 0
+
+		while(balance_amount > 0):
+			interest_amount = rounded(balance_amount * flt(self.rate_of_interest) / (12*100))
+			balance_amount = rounded(balance_amount + interest_amount - self.repayment_amount)
+
+			self.total_payable_interest += interest_amount
+
+		self.total_payable_amount = self.loan_amount + self.total_payable_interest
+
+	def set_loan_amount(self):
+		if self.is_secured_loan and not self.proposed_pledges:
+			frappe.throw(_("Proposed Pledges are mandatory for secured Loans"))
+
+		if not self.loan_amount and self.is_secured_loan and self.proposed_pledges:
+			self.loan_amount = 0
+			for security in self.proposed_pledges:
+				self.loan_amount += security.post_haircut_amount
+
+@frappe.whitelist()
+def create_loan(source_name, target_doc=None, submit=0):
+	def update_accounts(source_doc, target_doc, source_parent):
+		account_details = frappe.get_all("Loan Type",
+		 fields=["mode_of_payment", "payment_account","loan_account", "interest_income_account", "penalty_income_account"],
+		 filters = {'name': source_doc.loan_type}
+		)[0]
+
+		loan_security_pledge = frappe.db.get_value("Loan Security Pledge", {"loan_application": source_name}, 'name')
+
+		target_doc.mode_of_payment = account_details.mode_of_payment
+		target_doc.payment_account = account_details.payment_account
+		target_doc.loan_account = account_details.loan_account
+		target_doc.interest_income_account = account_details.interest_income_account
+		target_doc.penalty_income_account = account_details.penalty_income_account
+
+		if loan_security_pledge:
+			target_doc.is_secured_loan = 1
+			target_doc.loan_security_pledge = loan_security_pledge
+
+	doclist = get_mapped_doc("Loan Application", source_name, {
+		"Loan Application": {
+			"doctype": "Loan",
+			"validation": {
+				"docstatus": ["=", 1]
+			},
+			"postprocess": update_accounts,
+			"field_no_map": [
+				"is_secured_loan"
+			]
+		}
+	}, target_doc)
+
+	if submit:
+		doclist.submit()
+
+	return doclist
+
+@frappe.whitelist()
+def create_pledge(loan_application, loan=None):
+	loan_application_doc = frappe.get_doc("Loan Application", loan_application)
+
+	lsp = frappe.new_doc("Loan Security Pledge")
+	lsp.applicant_type = loan_application_doc.applicant_type
+	lsp.applicant = loan_application_doc.applicant
+	lsp.loan_application = loan_application_doc.name
+	lsp.company = loan_application_doc.company
+
+	if loan:
+		lsp.loan = loan
+
+	for pledge in loan_application_doc.proposed_pledges:
+
+		lsp.append('securities', {
+			"loan_security": pledge.loan_security,
+			"qty": pledge.qty,
+			"loan_security_price": pledge.loan_security_price,
+			"haircut": pledge.haircut
+		})
+
+	lsp.save()
+	lsp.submit()
+
+	message = _("Loan Security Pledge Created : {0}").format(lsp.name)
+	frappe.msgprint(message)
+
+	return lsp.name
+
+#This is a sandbox method to get the proposed pledges
+@frappe.whitelist()
+def get_proposed_pledge(securities):
+	if isinstance(securities, string_types):
+		securities = json.loads(securities)
+
+	proposed_pledges = {
+		'securities': []
+	}
+	maximum_loan_amount = 0
+
+	for security in securities:
+		security = frappe._dict(security)
+		if not security.qty and not security.amount:
+			frappe.throw(_("Qty or Amount is mandatroy for loan security"))
+
+		security.loan_security_price = get_loan_security_price(security.loan_security)
+
+		if not security.qty:
+			security.qty = cint(security.amount/security.loan_security_price)
+
+		security.amount = security.qty * security.loan_security_price
+		security.post_haircut_amount = security.amount - (security.amount * security.haircut/100)
+
+		maximum_loan_amount += security.post_haircut_amount
+
+		proposed_pledges['securities'].append(security)
+
+	proposed_pledges['maximum_loan_amount'] = maximum_loan_amount
+
+	return proposed_pledges
diff --git a/erpnext/hr/doctype/loan_application/loan_application_dashboard.py b/erpnext/loan_management/doctype/loan_application/loan_application_dashboard.py
similarity index 77%
rename from erpnext/hr/doctype/loan_application/loan_application_dashboard.py
rename to erpnext/loan_management/doctype/loan_application/loan_application_dashboard.py
index 232c6e3..bf3f58b 100644
--- a/erpnext/hr/doctype/loan_application/loan_application_dashboard.py
+++ b/erpnext/loan_management/doctype/loan_application/loan_application_dashboard.py
@@ -6,7 +6,7 @@
         'fieldname': 'loan_application',
         'transactions': [
             {
-                'items': ['Loan']
+                'items': ['Loan', 'Loan Security Pledge']
             },
         ],
     }
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_application/test_loan_application.py b/erpnext/loan_management/doctype/loan_application/test_loan_application.py
new file mode 100644
index 0000000..99c807b
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_application/test_loan_application.py
@@ -0,0 +1,46 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+import frappe
+import unittest
+from erpnext.hr.doctype.salary_structure.test_salary_structure import make_employee
+from erpnext.loan_management.doctype.loan.test_loan import create_loan_type, create_loan_accounts
+
+class TestLoanApplication(unittest.TestCase):
+	def setUp(self):
+		create_loan_accounts()
+		create_loan_type("Home Loan", 500000, 9.2, 0, 1, 0, 'Cash', 'Payment Account - _TC', 'Loan Account - _TC',
+			'Interest Income Account - _TC', 'Penalty Income Account - _TC', 'Repay Over Number of Periods', 18)
+		self.applicant = make_employee("kate_loan@loan.com", "_Test Company")
+		self.create_loan_application()
+
+	def create_loan_application(self):
+		loan_application = frappe.new_doc("Loan Application")
+		loan_application.update({
+			"applicant": self.applicant,
+			"loan_type": "Home Loan",
+			"rate_of_interest": 9.2,
+			"loan_amount": 250000,
+			"repayment_method": "Repay Over Number of Periods",
+			"repayment_periods": 18,
+			"company": "_Test Company"
+		})
+		loan_application.insert()
+
+
+	def test_loan_totals(self):
+		loan_application = frappe.get_doc("Loan Application", {"applicant":self.applicant})
+
+		self.assertEqual(loan_application.total_payable_interest, 18599)
+		self.assertEqual(loan_application.total_payable_amount, 268599)
+		self.assertEqual(loan_application.repayment_amount, 14923)
+
+		loan_application.repayment_periods = 24
+		loan_application.save()
+		loan_application.reload()
+
+		self.assertEqual(loan_application.total_payable_interest, 24657)
+		self.assertEqual(loan_application.total_payable_amount, 274657)
+		self.assertEqual(loan_application.repayment_amount, 11445)
diff --git a/erpnext/hr/report/loan_repayment/__init__.py b/erpnext/loan_management/doctype/loan_disbursement/__init__.py
similarity index 100%
copy from erpnext/hr/report/loan_repayment/__init__.py
copy to erpnext/loan_management/doctype/loan_disbursement/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.js b/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.js
new file mode 100644
index 0000000..487ef23
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.js
@@ -0,0 +1,17 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+{% include 'erpnext/loan_management/loan_common.js' %};
+
+frappe.ui.form.on('Loan Disbursement', {
+	refresh: function(frm) {
+		frm.set_query('against_loan', function() {
+			return {
+				'filters': {
+					'docstatus': 1,
+					'status': 'Sanctioned'
+				}
+			}
+		})
+	}
+});
diff --git a/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.json b/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.json
new file mode 100644
index 0000000..72a4ddc
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.json
@@ -0,0 +1,165 @@
+{
+ "autoname": "LM-DIS-.#####",
+ "creation": "2019-09-07 12:44:49.125452",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "against_loan",
+  "disbursement_date",
+  "posting_date",
+  "column_break_4",
+  "company",
+  "applicant_type",
+  "applicant",
+  "section_break_7",
+  "pending_amount_for_disbursal",
+  "disbursed_amount",
+  "accounting_dimensions_section",
+  "cost_center",
+  "section_break_13",
+  "customer_details_section",
+  "bank_account",
+  "amended_from"
+ ],
+ "fields": [
+  {
+   "fieldname": "against_loan",
+   "fieldtype": "Link",
+   "label": "Against Loan ",
+   "options": "Loan"
+  },
+  {
+   "fieldname": "disbursement_date",
+   "fieldtype": "Date",
+   "label": "Disbursement Date"
+  },
+  {
+   "fieldname": "disbursed_amount",
+   "fieldtype": "Currency",
+   "label": "Disbursed Amount",
+   "options": "Company:company:default_currency"
+  },
+  {
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Loan Disbursement",
+   "print_hide": 1,
+   "read_only": 1
+  },
+  {
+   "fetch_from": "against_loan.company",
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "label": "Company",
+   "options": "Company",
+   "read_only": 1
+  },
+  {
+   "fetch_from": "against_loan.applicant",
+   "fieldname": "applicant",
+   "fieldtype": "Dynamic Link",
+   "label": "Applicant",
+   "options": "applicant_type",
+   "read_only": 1
+  },
+  {
+   "fieldname": "accounting_dimensions_section",
+   "fieldtype": "Section Break",
+   "label": "Accounting Dimensions"
+  },
+  {
+   "fieldname": "cost_center",
+   "fieldtype": "Link",
+   "label": "Cost Center",
+   "options": "Cost Center"
+  },
+  {
+   "fieldname": "posting_date",
+   "fieldtype": "Date",
+   "hidden": 1,
+   "label": "Posting Date",
+   "read_only": 1
+  },
+  {
+   "fieldname": "pending_amount_for_disbursal",
+   "fieldtype": "Currency",
+   "label": "Pending Amount For Disbursal",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "column_break_4",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "section_break_7",
+   "fieldtype": "Section Break"
+  },
+  {
+   "fieldname": "section_break_13",
+   "fieldtype": "Section Break"
+  },
+  {
+   "fieldname": "customer_details_section",
+   "fieldtype": "Section Break",
+   "label": "Customer Details"
+  },
+  {
+   "fetch_from": "against_loan.applicant_type",
+   "fieldname": "applicant_type",
+   "fieldtype": "Select",
+   "label": "Applicant Type",
+   "options": "Employee\nMember\nCustomer",
+   "read_only": 1
+  },
+  {
+   "fieldname": "bank_account",
+   "fieldtype": "Link",
+   "label": "Bank Account",
+   "options": "Bank Account"
+  }
+ ],
+ "is_submittable": 1,
+ "modified": "2019-10-24 12:32:32.230881",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Disbursement",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  },
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py b/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py
new file mode 100644
index 0000000..fa7db2d
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py
@@ -0,0 +1,114 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe, erpnext
+from frappe.model.document import Document
+from frappe.utils import nowdate, getdate, add_days, flt
+from erpnext.controllers.accounts_controller import AccountsController
+from erpnext.accounts.general_ledger import make_gl_entries
+from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import process_loan_interest_accrual
+
+class LoanDisbursement(AccountsController):
+
+	def validate(self):
+		self.set_missing_values()
+		self.set_pending_amount_for_disbursal()
+
+	def before_submit(self):
+		self.set_status_and_amounts()
+
+	def on_submit(self):
+		self.make_gl_entries()
+
+	def on_cancel(self):
+		self.make_gl_entries(cancel=1)
+
+	def set_missing_values(self):
+		if not self.disbursement_date:
+			self.disbursement_date = nowdate()
+
+		if not self.cost_center:
+			self.cost_center = erpnext.get_default_cost_center(self.company)
+
+		if not self.posting_date:
+			self.posting_date = self.disbursement_date or nowdate()
+
+		if not self.bank_account and self.applicant_type == "Customer":
+			self.bank_account = frappe.db.get_value("Customer", self.applicant, "default_bank_account")
+
+	def set_pending_amount_for_disbursal(self):
+		loan_amount, disbursed_amount = frappe.db.get_value('Loan',
+			{'name': self.against_loan}, ['loan_amount', 'disbursed_amount'])
+
+		self.pending_amount_for_disbursal = loan_amount - disbursed_amount
+
+	def set_status_and_amounts(self):
+
+		loan_details = frappe.get_all("Loan",
+			fields = ["loan_amount", "disbursed_amount", "total_principal_paid", "status", "is_term_loan"],
+			filters= { "name": self.against_loan }
+		)[0]
+
+		if loan_details.status == "Disbursed" and not loan_details.is_term_loan:
+			process_loan_interest_accrual(posting_date=add_days(self.disbursement_date, -1),
+				loan=self.against_loan)
+
+		disbursed_amount = self.disbursed_amount + loan_details.disbursed_amount
+
+		if flt(disbursed_amount) - flt(loan_details.total_principal_paid) > flt(loan_details.loan_amount):
+			frappe.throw(_("Disbursed Amount cannot be greater than loan amount"))
+
+		if flt(disbursed_amount) > flt(loan_details.loan_amount):
+			total_principal_paid = loan_details.total_principal_paid - (disbursed_amount - loan_details.loan_amount)
+			frappe.db.set_value("Loan", self.against_loan, "total_principal_paid", total_principal_paid)
+
+		if flt(loan_details.loan_amount) == flt(disbursed_amount):
+			frappe.db.set_value("Loan", self.against_loan, "status", "Disbursed")
+		else:
+			frappe.db.set_value("Loan", self.against_loan, "status", "Partially Disbursed")
+
+		frappe.db.set_value("Loan", self.against_loan, {
+			"disbursement_date": self.disbursement_date,
+			"disbursed_amount": disbursed_amount
+		})
+
+	def make_gl_entries(self, cancel=0, adv_adj=0):
+		gle_map = []
+		loan_details = frappe.get_doc("Loan", self.against_loan)
+
+		gle_map.append(
+			self.get_gl_dict({
+				"account": loan_details.loan_account,
+				"against": loan_details.applicant,
+				"debit": self.disbursed_amount,
+				"debit_in_account_currency": self.disbursed_amount,
+				"against_voucher_type": "Loan",
+				"against_voucher": self.against_loan,
+				"remarks": "Against Loan:" + self.against_loan,
+				"cost_center": self.cost_center,
+				"party_type": self.applicant_type,
+				"party": self.applicant,
+				"posting_date": self.disbursement_date
+			})
+		)
+
+		gle_map.append(
+			self.get_gl_dict({
+				"account": loan_details.payment_account,
+				"against": loan_details.applicant,
+				"credit": self.disbursed_amount,
+				"credit_in_account_currency": self.disbursed_amount,
+				"against_voucher_type": "Loan",
+				"against_voucher": self.against_loan,
+				"remarks": "Against Loan:" + self.against_loan,
+				"cost_center": self.cost_center,
+				"party_type": self.applicant_type,
+				"party": self.applicant,
+				"posting_date": self.disbursement_date
+			})
+		)
+
+		if gle_map:
+			make_gl_entries(gle_map, cancel=cancel, adv_adj=adv_adj)
diff --git a/erpnext/loan_management/doctype/loan_disbursement/test_loan_disbursement.py b/erpnext/loan_management/doctype/loan_disbursement/test_loan_disbursement.py
new file mode 100644
index 0000000..968e377
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_disbursement/test_loan_disbursement.py
@@ -0,0 +1,75 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+import frappe
+import unittest
+from frappe.utils import (nowdate, add_days, get_datetime, get_first_day, get_last_day, date_diff, flt, add_to_date)
+from erpnext.loan_management.doctype.loan.test_loan import (create_loan_type, create_loan_security_pledge, create_repayment_entry,
+	make_loan_disbursement_entry, create_loan_accounts, create_loan_security_type, create_loan_security, create_demand_loan, create_loan_security_price)
+from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import process_loan_interest_accrual
+from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import (make_accrual_interest_entry_for_term_loans, days_in_year)
+from erpnext.selling.doctype.customer.test_customer import get_customer_dict
+
+class TestLoanDisbursement(unittest.TestCase):
+
+	def setUp(self):
+		create_loan_accounts()
+
+		create_loan_type("Demand Loan", 2000000, 13.5, 25, 0, 5, 'Cash', 'Payment Account - _TC', 'Loan Account - _TC',
+			'Interest Income Account - _TC', 'Penalty Income Account - _TC')
+
+		create_loan_security_type()
+		create_loan_security()
+
+		create_loan_security_price("Test Security 1", 500, "Nos", get_datetime() , get_datetime(add_to_date(nowdate(), hours=24)))
+		create_loan_security_price("Test Security 2", 250, "Nos", get_datetime() , get_datetime(add_to_date(nowdate(), hours=24)))
+
+		if not frappe.db.exists("Customer", "_Test Loan Customer"):
+			frappe.get_doc(get_customer_dict('_Test Loan Customer')).insert(ignore_permissions=True)
+
+		self.applicant = frappe.db.get_value("Customer", {'name': '_Test Loan Customer'}, 'name')
+
+	def test_loan_topup(self):
+		pledges = []
+		pledges.append({
+			"loan_security": "Test Security 1",
+			"qty": 4000.00,
+			"haircut": 50,
+			"loan_security_price": 500.00
+		})
+
+		loan_security_pledge = create_loan_security_pledge(self.applicant, pledges)
+
+		loan = create_demand_loan(self.applicant, "Demand Loan", loan_security_pledge.name,
+			posting_date=get_first_day(nowdate()))
+
+		loan.submit()
+
+		first_date = get_first_day(nowdate())
+		last_date = get_last_day(nowdate())
+
+		no_of_days = date_diff(last_date, first_date) + 1
+
+		accrued_interest_amount = (loan.loan_amount * loan.rate_of_interest * no_of_days) \
+			/ (days_in_year(get_datetime().year) * 100)
+
+		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=first_date)
+
+		process_loan_interest_accrual(posting_date=add_days(last_date, 1))
+
+		# Paid 511095.89 amount includes 5,00,000 principal amount and 11095.89 interest amount
+		repayment_entry = create_repayment_entry(loan.name, self.applicant, add_days(get_last_day(nowdate()), 5),
+			"Regular Payment", 611095.89)
+		repayment_entry.submit()
+
+		loan.reload()
+
+		make_loan_disbursement_entry(loan.name, 500000, disbursement_date=add_days(last_date, 16))
+
+		total_principal_paid = loan.total_principal_paid
+
+		loan.reload()
+
+		# Loan Topup will result in decreasing the Total Principal Paid
+		self.assertEqual(flt(loan.total_principal_paid, 2), flt(total_principal_paid - 500000, 2))
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/doctype/loan_interest_accrual/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/doctype/loan_interest_accrual/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.js b/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.js
new file mode 100644
index 0000000..177b235
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.js
@@ -0,0 +1,10 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+{% include 'erpnext/loan_management/loan_common.js' %};
+
+frappe.ui.form.on('Loan Interest Accrual', {
+	// refresh: function(frm) {
+
+	// }
+});
diff --git a/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.json b/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.json
new file mode 100644
index 0000000..33f496f
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.json
@@ -0,0 +1,182 @@
+{
+ "actions": [],
+ "autoname": "LM-LIA-.#####",
+ "creation": "2019-09-09 22:34:36.346812",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan",
+  "applicant_type",
+  "applicant",
+  "interest_income_account",
+  "loan_account",
+  "column_break_4",
+  "company",
+  "posting_date",
+  "is_term_loan",
+  "is_paid",
+  "section_break_7",
+  "pending_principal_amount",
+  "payable_principal_amount",
+  "column_break_14",
+  "interest_amount",
+  "section_break_15",
+  "process_loan_interest_accrual",
+  "amended_from"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan",
+   "fieldtype": "Link",
+   "label": "Loan",
+   "options": "Loan"
+  },
+  {
+   "fieldname": "posting_date",
+   "fieldtype": "Date",
+   "label": "Posting Date"
+  },
+  {
+   "fieldname": "pending_principal_amount",
+   "fieldtype": "Currency",
+   "label": "Pending Principal Amount",
+   "options": "Company:company:default_currency"
+  },
+  {
+   "fieldname": "interest_amount",
+   "fieldtype": "Currency",
+   "label": "Interest Amount",
+   "options": "Company:company:default_currency"
+  },
+  {
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Loan Interest Accrual",
+   "print_hide": 1,
+   "read_only": 1
+  },
+  {
+   "fetch_from": "loan.applicant_type",
+   "fieldname": "applicant_type",
+   "fieldtype": "Select",
+   "label": "Applicant Type",
+   "options": "Employee\nMember\nCustomer"
+  },
+  {
+   "fetch_from": "loan.applicant",
+   "fieldname": "applicant",
+   "fieldtype": "Dynamic Link",
+   "label": "Applicant",
+   "options": "applicant_type"
+  },
+  {
+   "fieldname": "column_break_4",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fetch_from": "loan.interest_income_account",
+   "fieldname": "interest_income_account",
+   "fieldtype": "Data",
+   "label": "Interest Income Account"
+  },
+  {
+   "fetch_from": "loan.loan_account",
+   "fieldname": "loan_account",
+   "fieldtype": "Data",
+   "label": "Loan Account"
+  },
+  {
+   "fieldname": "section_break_7",
+   "fieldtype": "Section Break",
+   "label": "Amounts"
+  },
+  {
+   "fetch_from": "loan.company",
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "label": "Company",
+   "options": "Company"
+  },
+  {
+   "default": "0",
+   "fieldname": "is_paid",
+   "fieldtype": "Check",
+   "label": "Is Paid",
+   "read_only": 1
+  },
+  {
+   "default": "0",
+   "fetch_from": "loan.is_term_loan",
+   "fieldname": "is_term_loan",
+   "fieldtype": "Check",
+   "label": "Is Term Loan",
+   "read_only": 1
+  },
+  {
+   "depends_on": "is_term_loan",
+   "fieldname": "payable_principal_amount",
+   "fieldtype": "Currency",
+   "label": "Payable Principal Amount",
+   "options": "Company:company:default_currency"
+  },
+  {
+   "fieldname": "section_break_15",
+   "fieldtype": "Section Break"
+  },
+  {
+   "fieldname": "process_loan_interest_accrual",
+   "fieldtype": "Link",
+   "label": "Process Loan Interest Accrual",
+   "options": "Process Loan Interest Accrual"
+  },
+  {
+   "fieldname": "column_break_14",
+   "fieldtype": "Column Break"
+  }
+ ],
+ "in_create": 1,
+ "is_submittable": 1,
+ "links": [],
+ "modified": "2020-02-07 01:22:06.924125",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Interest Accrual",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  },
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py b/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py
new file mode 100644
index 0000000..a3442e4
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py
@@ -0,0 +1,180 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe, erpnext
+from frappe import _
+from frappe.model.document import Document
+from frappe.utils import (nowdate, getdate, now_datetime, get_datetime, flt, date_diff, get_last_day, cint,
+	get_first_day, get_datetime, add_days)
+from erpnext.controllers.accounts_controller import AccountsController
+from erpnext.accounts.general_ledger import make_gl_entries
+
+class LoanInterestAccrual(AccountsController):
+	def validate(self):
+		if not self.loan:
+			frappe.throw(_("Loan is mandatory"))
+
+		if not self.posting_date:
+			self.posting_date = nowdate()
+
+		if not self.interest_amount:
+			frappe.throw(_("Interest Amount is mandatory"))
+
+
+	def on_submit(self):
+		self.make_gl_entries()
+
+	def on_cancel(self):
+		self.make_gl_entries(cancel=1)
+
+	def make_gl_entries(self, cancel=0, adv_adj=0):
+		gle_map = []
+
+		gle_map.append(
+			self.get_gl_dict({
+				"account": self.loan_account,
+				"party_type": self.applicant_type,
+				"party": self.applicant,
+				"against": self.interest_income_account,
+				"debit": self.interest_amount,
+				"debit_in_account_currency": self.interest_amount,
+				"against_voucher_type": "Loan",
+				"against_voucher": self.loan,
+				"remarks": _("Against Loan:") + self.loan,
+				"cost_center": erpnext.get_default_cost_center(self.company),
+				"posting_date": self.posting_date
+			})
+		)
+
+		gle_map.append(
+			self.get_gl_dict({
+				"account": self.interest_income_account,
+				"party_type": self.applicant_type,
+				"party": self.applicant,
+				"against": self.loan_account,
+				"credit": self.interest_amount,
+				"credit_in_account_currency":  self.interest_amount,
+				"against_voucher_type": "Loan",
+				"against_voucher": self.loan,
+				"remarks": _("Against Loan:") + self.loan,
+				"cost_center": erpnext.get_default_cost_center(self.company),
+				"posting_date": self.posting_date
+			})
+		)
+
+		if gle_map:
+			make_gl_entries(gle_map, cancel=cancel, adv_adj=adv_adj)
+
+
+# For Eg: If Loan disbursement date is '01-09-2019' and disbursed amount is 1000000 and
+# rate of interest is 13.5 then first loan interest accural will be on '01-10-2019'
+# which means interest will be accrued for 30 days which should be equal to 11095.89
+def calculate_accrual_amount_for_demand_loans(loan, posting_date, process_loan_interest):
+	no_of_days = get_no_of_days_for_interest_accural(loan, posting_date)
+
+	if no_of_days <= 0:
+		return
+
+	pending_principal_amount = loan.total_payment - loan.total_interest_payable \
+		- loan.total_amount_paid
+
+	interest_per_day = (pending_principal_amount * loan.rate_of_interest) / (days_in_year(get_datetime(posting_date).year) * 100)
+	payable_interest = interest_per_day * no_of_days
+
+	make_loan_interest_accrual_entry(loan.name, loan.applicant_type, loan.applicant,loan.interest_income_account,
+		loan.loan_account, pending_principal_amount, payable_interest, process_loan_interest = process_loan_interest,
+		 posting_date=posting_date)
+
+def make_accrual_interest_entry_for_demand_loans(posting_date, process_loan_interest, open_loans=None, loan_type=None):
+	query_filters = {
+		"status": "Disbursed",
+		"docstatus": 1
+	}
+
+	if loan_type:
+		query_filters.update({
+			"loan_type": loan_type
+		})
+
+	if not open_loans:
+		open_loans = frappe.get_all("Loan",
+			fields=["name", "total_payment", "total_amount_paid", "loan_account", "interest_income_account", "is_term_loan",
+				"disbursement_date", "applicant_type", "applicant", "rate_of_interest", "total_interest_payable", "repayment_start_date"],
+			filters=query_filters)
+
+	for loan in open_loans:
+		calculate_accrual_amount_for_demand_loans(loan, posting_date, process_loan_interest)
+
+def make_accrual_interest_entry_for_term_loans(posting_date=None):
+	curr_date = posting_date or add_days(nowdate(), 1)
+
+	term_loans = frappe.db.sql("""SELECT l.name, l.total_payment, l.total_amount_paid, l.loan_account,
+		l.interest_income_account, l.is_term_loan, l.disbursement_date, l.applicant_type, l.applicant,
+		l.rate_of_interest, l.total_interest_payable, l.repayment_start_date, rs.name as payment_entry,
+		rs.payment_date, rs.principal_amount, rs.interest_amount, rs.is_accrued , rs.balance_loan_amount
+		FROM `tabLoan` l, `tabRepayment Schedule` rs
+		WHERE rs.parent = l.name
+		AND l.docstatus=1
+		AND l.is_term_loan =1
+		AND rs.payment_date <= %s
+		AND rs.is_accrued=0
+		AND l.status = 'Disbursed'""", (curr_date), as_dict=1)
+
+	accrued_entries = []
+
+	for loan in term_loans:
+		accrued_entries.append(loan.payment_entry)
+		make_loan_interest_accrual_entry(loan.name, loan.applicant_type, loan.applicant,loan.interest_income_account,
+			loan.loan_account, loan.principal_amount + loan.balance_loan_amount, loan.interest_amount,
+			payable_principal = loan.principal_amount , posting_date=posting_date)
+
+	frappe.db.sql("""UPDATE `tabRepayment Schedule`
+		SET is_accrued = 1 where name in (%s)""" #nosec
+		% ", ".join(['%s']*len(accrued_entries)), tuple(accrued_entries))
+
+def make_loan_interest_accrual_entry(loan, applicant_type, applicant, interest_income_account, loan_account,
+	pending_principal_amount, interest_amount, payable_principal=None, process_loan_interest=None, posting_date=None):
+		loan_interest_accrual = frappe.new_doc("Loan Interest Accrual")
+		loan_interest_accrual.loan = loan
+		loan_interest_accrual.applicant_type = applicant_type
+		loan_interest_accrual.applicant = applicant
+		loan_interest_accrual.interest_income_account = interest_income_account
+		loan_interest_accrual.loan_account = loan_account
+		loan_interest_accrual.pending_principal_amount = flt(pending_principal_amount, 2)
+		loan_interest_accrual.interest_amount = flt(interest_amount, 2)
+		loan_interest_accrual.posting_date = posting_date or nowdate()
+		loan_interest_accrual.process_loan_interest_accrual = process_loan_interest
+
+		if payable_principal:
+			loan_interest_accrual.payable_principal_amount = payable_principal
+
+		loan_interest_accrual.save()
+		loan_interest_accrual.submit()
+
+
+def get_no_of_days_for_interest_accural(loan, posting_date):
+	last_interest_accrual_date = get_last_accural_date_in_current_month(loan)
+
+	no_of_days = date_diff(posting_date or nowdate(), last_interest_accrual_date) + 1
+
+	return no_of_days
+
+def get_last_accural_date_in_current_month(loan):
+	last_posting_date = frappe.db.sql(""" SELECT MAX(posting_date) from `tabLoan Interest Accrual`
+		WHERE loan = %s""", (loan.name))
+
+	if last_posting_date[0][0]:
+		return last_posting_date[0][0]
+	else:
+		return loan.disbursement_date
+
+def days_in_year(year):
+	days = 365
+
+	if (year % 4 == 0) and (year % 100 != 0) or (year % 400 == 0):
+		days = 366
+
+	return days
+
diff --git a/erpnext/loan_management/doctype/loan_interest_accrual/test_loan_interest_accrual.py b/erpnext/loan_management/doctype/loan_interest_accrual/test_loan_interest_accrual.py
new file mode 100644
index 0000000..e681ae4
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_interest_accrual/test_loan_interest_accrual.py
@@ -0,0 +1,61 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+import frappe
+import unittest
+from frappe.utils import (nowdate, add_days, get_datetime, get_first_day, get_last_day, date_diff, flt, add_to_date)
+from erpnext.loan_management.doctype.loan.test_loan import (create_loan_type, create_loan_security_pledge, create_loan_security_price,
+	make_loan_disbursement_entry, create_loan_accounts, create_loan_security_type, create_loan_security, create_demand_loan)
+from erpnext.loan_management.doctype.process_loan_interest_accrual.process_loan_interest_accrual import process_loan_interest_accrual
+from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import (make_accrual_interest_entry_for_term_loans, days_in_year)
+from erpnext.selling.doctype.customer.test_customer import get_customer_dict
+
+class TestLoanInterestAccrual(unittest.TestCase):
+	def setUp(self):
+		create_loan_accounts()
+
+		create_loan_type("Demand Loan", 2000000, 13.5, 25, 0, 5, 'Cash', 'Payment Account - _TC', 'Loan Account - _TC',
+			'Interest Income Account - _TC', 'Penalty Income Account - _TC')
+
+		create_loan_security_type()
+		create_loan_security()
+
+		create_loan_security_price("Test Security 1", 500, "Nos", get_datetime() , get_datetime(add_to_date(nowdate(), hours=24)))
+
+		if not frappe.db.exists("Customer", "_Test Loan Customer"):
+			frappe.get_doc(get_customer_dict('_Test Loan Customer')).insert(ignore_permissions=True)
+
+		self.applicant = frappe.db.get_value("Customer", {'name': '_Test Loan Customer'}, 'name')
+
+	def test_loan_interest_accural(self):
+		pledges = []
+		pledges.append({
+			"loan_security": "Test Security 1",
+			"qty": 4000.00,
+			"haircut": 50,
+			"loan_security_price": 500.00
+		})
+
+		loan_security_pledge = create_loan_security_pledge(self.applicant, pledges)
+
+		loan = create_demand_loan(self.applicant, "Demand Loan", loan_security_pledge.name,
+			posting_date=get_first_day(nowdate()))
+
+		loan.submit()
+
+		first_date = '2019-10-01'
+		last_date = '2019-10-30'
+
+		no_of_days = date_diff(last_date, first_date) + 1
+
+		accrued_interest_amount = (loan.loan_amount * loan.rate_of_interest * no_of_days) \
+			/ (days_in_year(get_datetime(first_date).year) * 100)
+
+		make_loan_disbursement_entry(loan.name, loan.loan_amount, disbursement_date=first_date)
+
+		process_loan_interest_accrual(posting_date=last_date)
+
+		loan_interest_accural = frappe.get_doc("Loan Interest Accrual", {'loan': loan.name})
+
+		self.assertEquals(flt(loan_interest_accural.interest_amount, 2), flt(accrued_interest_amount, 2))
diff --git a/erpnext/hr/report/loan_repayment/__init__.py b/erpnext/loan_management/doctype/loan_repayment/__init__.py
similarity index 100%
rename from erpnext/hr/report/loan_repayment/__init__.py
rename to erpnext/loan_management/doctype/loan_repayment/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_repayment/loan_repayment.js b/erpnext/loan_management/doctype/loan_repayment/loan_repayment.js
new file mode 100644
index 0000000..82a2d80
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_repayment/loan_repayment.js
@@ -0,0 +1,64 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+{% include 'erpnext/loan_management/loan_common.js' %};
+
+frappe.ui.form.on('Loan Repayment', {
+	// refresh: function(frm) {
+
+	// }
+	onload: function(frm) {
+		frm.set_query('against_loan', function() {
+			return {
+				'filters': {
+					'docstatus': 1
+				}
+			};
+		});
+
+		if (frm.doc.against_loan && frm.doc.posting_date && frm.doc.docstatus == 0) {
+			frm.trigger('calculate_repayment_amounts');
+		}
+	},
+
+	posting_date : function(frm) {
+		frm.trigger('calculate_repayment_amounts');
+	},
+
+	against_loan: function(frm) {
+		if (frm.doc.posting_date) {
+			frm.trigger('calculate_repayment_amounts');
+		}
+	},
+
+	payment_type: function(frm) {
+		if (frm.doc.posting_date) {
+			frm.trigger('calculate_repayment_amounts');
+		}
+	},
+
+	calculate_repayment_amounts: function(frm) {
+		frappe.call({
+			method: 'erpnext.loan_management.doctype.loan_repayment.loan_repayment.calculate_amounts',
+			args: {
+				'against_loan': frm.doc.against_loan,
+				'posting_date': frm.doc.posting_date,
+				'payment_type': frm.doc.payment_type
+			},
+			callback: function(r) {
+				let amounts = r.message;
+				frm.set_value('amount_paid', 0.0);
+				frm.set_df_property('amount_paid', 'read_only', frm.doc.payment_type == "Loan Closure" ? 1:0);
+
+				frm.set_value('pending_principal_amount', amounts['pending_principal_amount']);
+				if (frm.doc.is_term_loan || frm.doc.payment_type == "Loan Closure") {
+					frm.set_value('payable_principal_amount', amounts['payable_principal_amount']);
+					frm.set_value('amount_paid', amounts['payable_amount']);
+				}
+				frm.set_value('interest_payable', amounts['interest_amount']);
+				frm.set_value('penalty_amount', amounts['penalty_amount']);
+				frm.set_value('payable_amount', amounts['payable_amount']);
+			}
+		});
+	}
+});
diff --git a/erpnext/loan_management/doctype/loan_repayment/loan_repayment.json b/erpnext/loan_management/doctype/loan_repayment/loan_repayment.json
new file mode 100644
index 0000000..4b930c5
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_repayment/loan_repayment.json
@@ -0,0 +1,271 @@
+{
+ "actions": [],
+ "autoname": "LM-REP-.####",
+ "creation": "2019-09-03 14:44:39.977266",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "against_loan",
+  "applicant_type",
+  "applicant",
+  "loan_type",
+  "payment_type",
+  "column_break_3",
+  "company",
+  "posting_date",
+  "is_term_loan",
+  "payment_details_section",
+  "due_date",
+  "pending_principal_amount",
+  "interest_payable",
+  "payable_amount",
+  "column_break_9",
+  "payable_principal_amount",
+  "penalty_amount",
+  "amount_paid",
+  "accounting_dimensions_section",
+  "cost_center",
+  "references_section",
+  "reference_number",
+  "column_break_21",
+  "reference_date",
+  "paid_accrual_entries",
+  "partial_paid_entry",
+  "principal_amount_paid",
+  "amended_from"
+ ],
+ "fields": [
+  {
+   "fieldname": "against_loan",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Against Loan",
+   "options": "Loan",
+   "reqd": 1
+  },
+  {
+   "fieldname": "posting_date",
+   "fieldtype": "Datetime",
+   "in_list_view": 1,
+   "label": "Posting Date",
+   "reqd": 1
+  },
+  {
+   "fieldname": "payment_details_section",
+   "fieldtype": "Section Break",
+   "label": "Payment Details"
+  },
+  {
+   "fieldname": "penalty_amount",
+   "fieldtype": "Currency",
+   "label": "Penalty Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "interest_payable",
+   "fieldtype": "Currency",
+   "label": "Interest Payable",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "column_break_3",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fetch_from": "against_loan.applicant",
+   "fieldname": "applicant",
+   "fieldtype": "Dynamic Link",
+   "in_list_view": 1,
+   "label": "Applicant",
+   "options": "applicant_type",
+   "read_only": 1,
+   "reqd": 1
+  },
+  {
+   "fetch_from": "against_loan.loan_type",
+   "fieldname": "loan_type",
+   "fieldtype": "Link",
+   "label": "Loan Type",
+   "options": "Loan Type",
+   "read_only": 1
+  },
+  {
+   "fieldname": "column_break_9",
+   "fieldtype": "Column Break"
+  },
+  {
+   "default": "Regular Payment",
+   "fieldname": "payment_type",
+   "fieldtype": "Select",
+   "in_list_view": 1,
+   "label": "Payment Type",
+   "options": "\nRegular Payment\nLoan Closure",
+   "reqd": 1
+  },
+  {
+   "fieldname": "payable_amount",
+   "fieldtype": "Currency",
+   "label": "Payable Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "bold": 1,
+   "fieldname": "amount_paid",
+   "fieldtype": "Currency",
+   "label": "Amount Paid",
+   "options": "Company:company:default_currency",
+   "reqd": 1
+  },
+  {
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Loan Repayment",
+   "print_hide": 1,
+   "read_only": 1
+  },
+  {
+   "fieldname": "accounting_dimensions_section",
+   "fieldtype": "Section Break",
+   "label": "Accounting Dimensions"
+  },
+  {
+   "fieldname": "cost_center",
+   "fieldtype": "Link",
+   "label": "Cost Center",
+   "options": "Cost Center"
+  },
+  {
+   "fetch_from": "against_loan.company",
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "label": "Company",
+   "options": "Company",
+   "read_only": 1
+  },
+  {
+   "fieldname": "pending_principal_amount",
+   "fieldtype": "Currency",
+   "label": "Pending Principal Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "paid_accrual_entries",
+   "fieldtype": "Text",
+   "hidden": 1,
+   "label": "Paid Accrual Entries",
+   "read_only": 1
+  },
+  {
+   "default": "0",
+   "fetch_from": "against_loan.is_term_loan",
+   "fieldname": "is_term_loan",
+   "fieldtype": "Check",
+   "label": "Is Term Loan",
+   "read_only": 1
+  },
+  {
+   "depends_on": "eval:doc.payment_type==\"Loan Closure\" || doc.is_term_loan",
+   "fieldname": "payable_principal_amount",
+   "fieldtype": "Currency",
+   "label": "Payable Principal Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "references_section",
+   "fieldtype": "Section Break",
+   "label": "References"
+  },
+  {
+   "fieldname": "reference_number",
+   "fieldtype": "Data",
+   "label": "Reference Number"
+  },
+  {
+   "fieldname": "reference_date",
+   "fieldtype": "Date",
+   "label": "Reference Date"
+  },
+  {
+   "fieldname": "column_break_21",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "partial_paid_entry",
+   "fieldtype": "Text",
+   "hidden": 1,
+   "label": "Partial Paid Entry",
+   "read_only": 1
+  },
+  {
+   "default": "0.0",
+   "fieldname": "principal_amount_paid",
+   "fieldtype": "Currency",
+   "hidden": 1,
+   "label": "Principal Amount Paid",
+   "read_only": 1
+  },
+  {
+   "fetch_from": "against_loan.applicant_type",
+   "fieldname": "applicant_type",
+   "fieldtype": "Select",
+   "label": "Applicant Type",
+   "options": "Employee\nMember\nCustomer",
+   "read_only": 1
+  },
+  {
+   "fieldname": "due_date",
+   "fieldtype": "Date",
+   "label": "Due Date",
+   "read_only": 1
+  }
+ ],
+ "is_submittable": 1,
+ "links": [],
+ "modified": "2020-02-26 06:18:54.934538",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Repayment",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  },
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py b/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py
new file mode 100644
index 0000000..a70e312
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py
@@ -0,0 +1,315 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe, erpnext
+import json
+from frappe import _
+from frappe.utils import flt, getdate
+from six import iteritems
+from frappe.model.document import Document
+from frappe.utils import date_diff, add_days, getdate, add_months, get_first_day, get_datetime
+from erpnext.controllers.accounts_controller import AccountsController
+from erpnext.accounts.general_ledger import make_gl_entries
+from erpnext.loan_management.doctype.loan_security_shortfall.loan_security_shortfall import update_shortfall_status
+
+class LoanRepayment(AccountsController):
+
+	def validate(self):
+		amounts = calculate_amounts(self.against_loan, self.posting_date, self.payment_type)
+		self.set_missing_values(amounts)
+
+	def before_submit(self):
+		self.mark_as_paid()
+
+	def on_submit(self):
+		self.make_gl_entries()
+
+	def on_cancel(self):
+		self.mark_as_unpaid()
+		self.make_gl_entries(cancel=1)
+
+	def set_missing_values(self, amounts):
+		if not self.posting_date:
+			self.posting_date = get_datetime()
+
+		if not self.cost_center:
+			self.cost_center = erpnext.get_default_cost_center(self.company)
+
+		if not self.interest_payable:
+			self.interest_payable = amounts['interest_amount']
+
+		if not self.penalty_amount:
+			self.penalty_amount = amounts['penalty_amount']
+
+		if not self.pending_principal_amount:
+			self.pending_principal_amount = amounts['pending_principal_amount']
+
+		if not self.payable_principal_amount and self.is_term_loan:
+			self.payable_principal_amount = amounts['payable_principal_amount']
+
+		if not self.payable_amount:
+			self.payable_amount = amounts['payable_amount']
+
+		if amounts.get('paid_accrual_entries'):
+			self.paid_accrual_entries = frappe.as_json(amounts.get('paid_accrual_entries'))
+
+		if amounts.get('due_date'):
+			self.due_date = amounts.get('due_date')
+
+	def mark_as_paid(self):
+		paid_entries = []
+		paid_amount = self.amount_paid
+		interest_paid = paid_amount
+
+		if not paid_amount:
+			frappe.throw(_("Amount paid cannot be zero"))
+
+		if self.amount_paid < self.penalty_amount:
+			msg = _("Paid amount cannot be less than {0}").format(self.penalty_amount)
+			frappe.throw(msg)
+
+		if self.payment_type == "Loan Closure" and flt(self.amount_paid, 2) < flt(self.payable_amount, 2):
+			msg = _("Amount of {0} is required for Loan closure").format(self.payable_amount)
+			frappe.throw(msg)
+
+		loan = frappe.get_doc("Loan", self.against_loan)
+
+		if self.paid_accrual_entries:
+			paid_accrual_entries = json.loads(self.paid_accrual_entries)
+
+		if paid_amount - self.penalty_amount > 0 and self.paid_accrual_entries:
+
+			interest_paid = paid_amount - self.penalty_amount
+
+			for lia, interest_amount in iteritems(paid_accrual_entries):
+				if interest_amount <= interest_paid:
+					paid_entries.append(lia)
+					interest_paid -= interest_amount
+				elif interest_paid:
+					self.partial_paid_entry = frappe.as_json({"name": lia, "interest_amount": interest_amount})
+					frappe.db.set_value("Loan Interest Accrual", lia, "interest_amount",
+						interest_amount - interest_paid)
+					interest_paid = 0
+
+		if paid_entries:
+			self.paid_accrual_entries = frappe.as_json(paid_entries)
+		else:
+			self.paid_accrual_entries = ""
+
+		if interest_paid:
+			self.principal_amount_paid = interest_paid
+
+		if paid_entries:
+			frappe.db.sql("""UPDATE `tabLoan Interest Accrual`
+				SET is_paid = 1 where name in (%s)""" #nosec
+				% ", ".join(['%s']*len(paid_entries)), tuple(paid_entries))
+
+		if flt(loan.total_principal_paid + self.principal_amount_paid, 2) >= flt(loan.total_payment, 2):
+			frappe.db.set_value("Loan", self.against_loan, "status", "Loan Closure Requested")
+
+		frappe.db.sql(""" UPDATE `tabLoan` SET total_amount_paid = %s, total_principal_paid = %s
+			WHERE name = %s """, (loan.total_amount_paid + self.amount_paid,
+			loan.total_principal_paid + self.principal_amount_paid, self.against_loan))
+
+		update_shortfall_status(self.against_loan, self.principal_amount_paid)
+
+	def mark_as_unpaid(self):
+
+		loan = frappe.get_doc("Loan", self.against_loan)
+
+		if self.paid_accrual_entries:
+			paid_accrual_entries = json.loads(self.paid_accrual_entries)
+
+		if self.paid_accrual_entries:
+			frappe.db.sql("""UPDATE `tabLoan Interest Accrual`
+				SET is_paid = 0 where name in (%s)""" #nosec
+				% ", ".join(['%s']*len(paid_accrual_entries)), tuple(paid_accrual_entries))
+
+		if self.partial_paid_entry:
+			partial_paid_entry = json.loads(self.partial_paid_entry)
+			frappe.db.set_value("Loan Interest Accrual", partial_paid_entry["name"], "interest_amount",
+				partial_paid_entry["interest_amount"])
+
+		frappe.db.sql(""" UPDATE `tabLoan` SET total_amount_paid = %s, total_principal_paid = %s
+			WHERE name = %s """, (loan.total_amount_paid - self.amount_paid,
+			loan.total_principal_paid - self.principal_amount_paid, self.against_loan))
+
+		if loan.status == "Loan Closure Requested":
+			frappe.db.set_value("Loan", self.against_loan, "status", "Disbursed")
+
+	def make_gl_entries(self, cancel=0, adv_adj=0):
+		gle_map = []
+		loan_details = frappe.get_doc("Loan", self.against_loan)
+
+		if self.penalty_amount:
+			gle_map.append(
+				self.get_gl_dict({
+					"account": loan_details.loan_account,
+					"against": loan_details.payment_account,
+					"debit": self.penalty_amount,
+					"debit_in_account_currency": self.penalty_amount,
+					"against_voucher_type": "Loan",
+					"against_voucher": self.against_loan,
+					"remarks": _("Against Loan:") + self.against_loan,
+					"cost_center": self.cost_center,
+					"party_type": self.applicant_type,
+					"party": self.applicant,
+					"posting_date": getdate(self.posting_date)
+				})
+			)
+
+			gle_map.append(
+				self.get_gl_dict({
+					"account": loan_details.penalty_income_account,
+					"against": loan_details.payment_account,
+					"credit": self.penalty_amount,
+					"credit_in_account_currency": self.penalty_amount,
+					"against_voucher_type": "Loan",
+					"against_voucher": self.against_loan,
+					"remarks": _("Against Loan:") + self.against_loan,
+					"cost_center": self.cost_center,
+					"party_type": self.applicant_type,
+					"party": self.applicant,
+					"posting_date": getdate(self.posting_date)
+				})
+			)
+
+		gle_map.append(
+			self.get_gl_dict({
+				"account": loan_details.payment_account,
+				"against": loan_details.loan_account + ", " + loan_details.interest_income_account
+						+ ", " + loan_details.penalty_income_account,
+				"debit": self.amount_paid,
+				"debit_in_account_currency": self.amount_paid ,
+				"against_voucher_type": "Loan",
+				"against_voucher": self.against_loan,
+				"remarks": _("Against Loan:") + self.against_loan,
+				"cost_center": self.cost_center,
+				"party_type": self.applicant_type,
+				"party": self.applicant,
+				"posting_date": getdate(self.posting_date)
+			})
+		)
+
+		gle_map.append(
+			self.get_gl_dict({
+				"account": loan_details.loan_account,
+				"party_type": loan_details.applicant_type,
+				"party": loan_details.applicant,
+				"against": loan_details.payment_account,
+				"credit": self.amount_paid,
+				"credit_in_account_currency": self.amount_paid,
+				"against_voucher_type": "Loan",
+				"against_voucher": self.against_loan,
+				"remarks": _("Against Loan:") + self.against_loan,
+				"cost_center": self.cost_center,
+				"posting_date": getdate(self.posting_date)
+			})
+		)
+
+		if gle_map:
+			make_gl_entries(gle_map, cancel=cancel, adv_adj=adv_adj)
+
+def create_repayment_entry(loan, applicant, company, posting_date, loan_type,
+	payment_type, interest_payable, payable_principal_amount, amount_paid, penalty_amount=None):
+
+	lr = frappe.get_doc({
+		"doctype": "Loan Repayment",
+		"against_loan": loan,
+		"payment_type": payment_type,
+		"company": company,
+		"posting_date": posting_date,
+		"applicant": applicant,
+		"penalty_amount": penalty_amount,
+		"interets_payable": interest_payable,
+		"payable_principal_amount": payable_principal_amount,
+		"amount_paid": amount_paid,
+		"loan_type": loan_type
+	}).insert()
+
+	return lr
+
+def get_accrued_interest_entries(against_loan):
+	accrued_interest_entries = frappe.get_all("Loan Interest Accrual",
+		fields=["name", "interest_amount", "posting_date", "payable_principal_amount"],
+		filters = {
+			"loan": against_loan,
+			"is_paid": 0
+		}, order_by="posting_date")
+
+	return accrued_interest_entries
+
+# This function returns the amounts that are payable at the time of loan repayment based on posting date
+# So it pulls all the unpaid Loan Interest Accrual Entries and calculates the penalty if applicable
+
+def get_amounts(amounts, against_loan, posting_date, payment_type):
+
+	against_loan_doc = frappe.get_doc("Loan", against_loan)
+	loan_type_details = frappe.get_doc("Loan Type", against_loan_doc.loan_type)
+	accrued_interest_entries = get_accrued_interest_entries(against_loan_doc.name)
+
+	pending_accrual_entries = {}
+
+	total_pending_interest = 0
+	penalty_amount = 0
+	payable_principal_amount = 0
+	final_due_date = ''
+
+	for entry in accrued_interest_entries:
+		# Loan repayment due date is one day after the loan interest is accrued
+		# no of late days are calculated based on loan repayment posting date
+		# and if no_of_late days are positive then penalty is levied
+
+		due_date = add_days(entry.posting_date, 1)
+		no_of_late_days = date_diff(posting_date,
+					add_days(due_date, loan_type_details.grace_period_in_days)) + 1
+
+		if no_of_late_days > 0 and (not against_loan_doc.repay_from_salary):
+			penalty_amount += (entry.interest_amount * (loan_type_details.penalty_interest_rate / 100) * no_of_late_days)/365
+
+		total_pending_interest += entry.interest_amount
+		payable_principal_amount += entry.payable_principal_amount
+
+		pending_accrual_entries.setdefault(entry.name, entry.interest_amount)
+		final_due_date = due_date
+
+	pending_principal_amount = against_loan_doc.total_payment - against_loan_doc.total_principal_paid - against_loan_doc.total_interest_payable
+
+	if payment_type == "Loan Closure" and not payable_principal_amount:
+		pending_days = date_diff(posting_date, entry.posting_date) + 1
+		payable_principal_amount = pending_principal_amount
+		per_day_interest = (payable_principal_amount * (loan_type_details.rate_of_interest / 100))/365
+		total_pending_interest += (pending_days * per_day_interest)
+
+	amounts["pending_principal_amount"] = pending_principal_amount
+	amounts["payable_principal_amount"] = payable_principal_amount
+	amounts["interest_amount"] = total_pending_interest
+	amounts["penalty_amount"] = penalty_amount
+	amounts["payable_amount"] = payable_principal_amount + total_pending_interest + penalty_amount
+	amounts["paid_accrual_entries"] = pending_accrual_entries
+
+	if final_due_date:
+		amounts["due_date"] = final_due_date
+
+	return amounts
+
+@frappe.whitelist()
+def calculate_amounts(against_loan, posting_date, payment_type):
+
+	amounts = {
+		'penalty_amount': 0.0,
+		'interest_amount': 0.0,
+		'pending_principal_amount': 0.0,
+		'payable_principal_amount': 0.0,
+		'payable_amount': 0.0,
+		'due_date': ''
+	}
+
+	amounts = get_amounts(amounts, against_loan, posting_date, payment_type)
+
+	return amounts
+
+
+
diff --git a/erpnext/loan_management/doctype/loan_repayment/test_loan_repayment.py b/erpnext/loan_management/doctype/loan_repayment/test_loan_repayment.py
new file mode 100644
index 0000000..73585a5
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_repayment/test_loan_repayment.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestLoanRepayment(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/doctype/loan_security/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/doctype/loan_security/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_security/loan_security.js b/erpnext/loan_management/doctype/loan_security/loan_security.js
new file mode 100644
index 0000000..0e815af
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security/loan_security.js
@@ -0,0 +1,8 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Loan Security', {
+	// refresh: function(frm) {
+
+	// }
+});
diff --git a/erpnext/loan_management/doctype/loan_security/loan_security.json b/erpnext/loan_management/doctype/loan_security/loan_security.json
new file mode 100644
index 0000000..e6984ee
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security/loan_security.json
@@ -0,0 +1,95 @@
+{
+ "autoname": "field:loan_security_name",
+ "creation": "2019-09-02 15:07:08.885593",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan_security_type",
+  "loan_security_code",
+  "loan_security_name",
+  "unit_of_measure",
+  "column_break_3",
+  "haircut",
+  "disabled"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan_security_name",
+   "fieldtype": "Data",
+   "label": "Loan Security Name",
+   "unique": 1
+  },
+  {
+   "fetch_from": "loan_security_type.haircut",
+   "fieldname": "haircut",
+   "fieldtype": "Percent",
+   "label": "Haircut %"
+  },
+  {
+   "fieldname": "column_break_3",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "loan_security_type",
+   "fieldtype": "Link",
+   "label": "Loan Security Type",
+   "options": "Loan Security Type"
+  },
+  {
+   "fieldname": "loan_security_code",
+   "fieldtype": "Data",
+   "label": "Loan Security Code",
+   "unique": 1
+  },
+  {
+   "default": "0",
+   "fieldname": "disabled",
+   "fieldtype": "Check",
+   "label": "Disabled"
+  },
+  {
+   "fetch_from": "loan_security_type.unit_of_measure",
+   "fieldname": "unit_of_measure",
+   "fieldtype": "Link",
+   "label": "Unit Of Measure",
+   "options": "UOM"
+  }
+ ],
+ "modified": "2019-11-16 11:36:37.901656",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Security",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "write": 1
+  },
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "search_fields": "loan_security_code",
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan_type/loan_type.py b/erpnext/loan_management/doctype/loan_security/loan_security.py
similarity index 60%
copy from erpnext/hr/doctype/loan_type/loan_type.py
copy to erpnext/loan_management/doctype/loan_security/loan_security.py
index 2714e20..800ad12 100644
--- a/erpnext/hr/doctype/loan_type/loan_type.py
+++ b/erpnext/loan_management/doctype/loan_security/loan_security.py
@@ -1,10 +1,10 @@
 # -*- coding: utf-8 -*-
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and contributors
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
 # For license information, please see license.txt
 
 from __future__ import unicode_literals
-import frappe
+# import frappe
 from frappe.model.document import Document
 
-class LoanType(Document):
+class LoanSecurity(Document):
 	pass
diff --git a/erpnext/loan_management/doctype/loan_security/loan_security_dashboard.py b/erpnext/loan_management/doctype/loan_security/loan_security_dashboard.py
new file mode 100644
index 0000000..878b3fd
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security/loan_security_dashboard.py
@@ -0,0 +1,15 @@
+from __future__ import unicode_literals
+from frappe import _
+
+def get_data():
+	return {
+		'fieldname': 'loan_security',
+		'transactions': [
+			{
+				'items': ['Loan Application', 'Loan Security Price']
+			},
+			{
+				'items': ['Loan Security Pledge', 'Loan Security Unpledge']
+			}
+		]
+	}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_security/test_loan_security.py b/erpnext/loan_management/doctype/loan_security/test_loan_security.py
new file mode 100644
index 0000000..24dbc68
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security/test_loan_security.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestLoanSecurity(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/doctype/loan_security_pledge/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/doctype/loan_security_pledge/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.js b/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.js
new file mode 100644
index 0000000..82837b3
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.js
@@ -0,0 +1,40 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Loan Security Pledge', {
+	calculate_amounts: function(frm, cdt, cdn) {
+		let row = locals[cdt][cdn];
+		frappe.model.set_value(cdt, cdn, 'amount', row.qty * row.loan_security_price);
+		frappe.model.set_value(cdt, cdn, 'post_haircut_amount', cint(row.amount - (row.amount * row.haircut/100)));
+
+		let amount = 0;
+		let maximum_amount = 0;
+		$.each(frm.doc.securities || [], function(i, item){
+			amount += item.amount;
+			maximum_amount += item.post_haircut_amount;
+		});
+
+		frm.set_value('total_security_value', amount);
+		frm.set_value('maximum_loan_value', maximum_amount);
+	}
+});
+
+frappe.ui.form.on("Pledge", {
+	loan_security: function(frm, cdt, cdn) {
+		let row = locals[cdt][cdn];
+		frappe.call({
+			method: "erpnext.loan_management.doctype.loan_security_price.loan_security_price.get_loan_security_price",
+			args: {
+				loan_security: row.loan_security
+			},
+			callback: function(r) {
+				frappe.model.set_value(cdt, cdn, 'loan_security_price', r.message);
+				frm.events.calculate_amounts(frm, cdt, cdn);
+			}
+		});
+	},
+
+	qty: function(frm, cdt, cdn) {
+		frm.events.calculate_amounts(frm, cdt, cdn);
+	},
+});
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.json b/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.json
new file mode 100644
index 0000000..1553844
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.json
@@ -0,0 +1,176 @@
+{
+ "autoname": "LS-.{applicant}.-.#####",
+ "creation": "2019-08-29 18:48:51.371674",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan_details_section",
+  "loan_application",
+  "loan",
+  "applicant_type",
+  "applicant",
+  "column_break_3",
+  "company",
+  "pledge_time",
+  "status",
+  "loan_security_details_section",
+  "securities",
+  "section_break_10",
+  "total_security_value",
+  "column_break_11",
+  "maximum_loan_value",
+  "amended_from"
+ ],
+ "fields": [
+  {
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Loan Security Pledge",
+   "print_hide": 1,
+   "read_only": 1
+  },
+  {
+   "fetch_from": "loan_application.applicant",
+   "fieldname": "applicant",
+   "fieldtype": "Dynamic Link",
+   "in_list_view": 1,
+   "in_standard_filter": 1,
+   "label": "Applicant",
+   "options": "applicant_type",
+   "reqd": 1
+  },
+  {
+   "fieldname": "loan_security_details_section",
+   "fieldtype": "Section Break",
+   "label": "Loan Security Details"
+  },
+  {
+   "fieldname": "column_break_3",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "loan",
+   "fieldtype": "Link",
+   "label": "Loan",
+   "options": "Loan",
+   "read_only": 1
+  },
+  {
+   "fieldname": "loan_application",
+   "fieldtype": "Link",
+   "label": "Loan Application",
+   "options": "Loan Application",
+   "read_only": 1
+  },
+  {
+   "fieldname": "total_security_value",
+   "fieldtype": "Currency",
+   "label": "Total Security Value",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "maximum_loan_value",
+   "fieldtype": "Currency",
+   "label": "Maximum Loan Value",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "loan_details_section",
+   "fieldtype": "Section Break",
+   "label": "Loan  Details"
+  },
+  {
+   "default": "Requested",
+   "fieldname": "status",
+   "fieldtype": "Select",
+   "in_list_view": 1,
+   "in_standard_filter": 1,
+   "label": "Status",
+   "options": "Requested\nUnpledged\nPledged\nPartially Pledged",
+   "read_only": 1
+  },
+  {
+   "fieldname": "pledge_time",
+   "fieldtype": "Datetime",
+   "label": "Pledge Time",
+   "read_only": 1
+  },
+  {
+   "fieldname": "securities",
+   "fieldtype": "Table",
+   "label": "Securities",
+   "options": "Pledge",
+   "reqd": 1
+  },
+  {
+   "fieldname": "column_break_11",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "section_break_10",
+   "fieldtype": "Section Break",
+   "label": "Totals"
+  },
+  {
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "label": "Company",
+   "options": "Company",
+   "reqd": 1
+  },
+  {
+   "fetch_from": "loan.applicant_type",
+   "fieldname": "applicant_type",
+   "fieldtype": "Select",
+   "label": "Applicant Type",
+   "options": "Employee\nMember\nCustomer",
+   "reqd": 1
+  }
+ ],
+ "is_submittable": 1,
+ "modified": "2019-10-10 13:22:53.297519",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Security Pledge",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  },
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "search_fields": "applicant",
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py b/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py
new file mode 100644
index 0000000..b405cca
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py
@@ -0,0 +1,51 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe import _
+from frappe.utils import now_datetime, cint
+from frappe.model.document import Document
+from erpnext.loan_management.doctype.loan_security_shortfall.loan_security_shortfall import update_shortfall_status
+from erpnext.loan_management.doctype.loan_security_price.loan_security_price import get_loan_security_price
+
+class LoanSecurityPledge(Document):
+	def validate(self):
+		self.set_pledge_amount()
+
+	def on_submit(self):
+		if self.loan:
+			self.db_set("status", "Pledged")
+			self.db_set("pledge_time", now_datetime())
+			update_shortfall_status(self.loan, self.total_security_value)
+			update_loan(self.loan, self.maximum_loan_value)
+
+	def set_pledge_amount(self):
+		total_security_value = 0
+		maximum_loan_value = 0
+
+		for pledge in self.securities:
+
+			if not pledge.qty and not pledge.amount:
+				frappe.throw(_("Qty or Amount is mandatroy for loan security"))
+
+			pledge.loan_security_price = get_loan_security_price(pledge.loan_security)
+
+			if not pledge.qty:
+				pledge.qty = cint(pledge.amount/pledge.loan_security_price)
+
+			pledge.amount = pledge.qty * pledge.loan_security_price
+			pledge.post_haircut_amount = cint(pledge.amount - (pledge.amount * pledge.haircut/100))
+
+			total_security_value += pledge.amount
+			maximum_loan_value += pledge.post_haircut_amount
+
+		self.total_security_value = total_security_value
+		self.maximum_loan_value = maximum_loan_value
+
+def update_loan(loan, maximum_value_against_pledge):
+	maximum_loan_value = frappe.db.get_value('Loan', {'name': loan}, ['maximum_loan_value'])
+
+	frappe.db.sql(""" UPDATE `tabLoan` SET maximum_loan_value=%s, is_secured_loan=1
+		WHERE name=%s""", (maximum_loan_value + maximum_value_against_pledge, loan))
diff --git a/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge_list.js b/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge_list.js
new file mode 100644
index 0000000..174d1b0
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge_list.js
@@ -0,0 +1,15 @@
+// Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
+// License: GNU General Public License v3. See license.txt
+
+// render
+frappe.listview_settings['Loan Security Pledge'] = {
+	add_fields: ["status"],
+	get_indicator: function(doc) {
+		var status_color = {
+			"Unpledged": "orange",
+			"Pledged": "green",
+			"Partially Pledged": "green"
+		};
+		return [__(doc.status), status_color[doc.status], "status,=,"+doc.status];
+	}
+};
diff --git a/erpnext/loan_management/doctype/loan_security_pledge/test_loan_security_pledge.py b/erpnext/loan_management/doctype/loan_security_pledge/test_loan_security_pledge.py
new file mode 100644
index 0000000..d2347c0
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_pledge/test_loan_security_pledge.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestLoanSecurityPledge(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/doctype/loan_security_price/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/doctype/loan_security_price/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_security_price/loan_security_price.js b/erpnext/loan_management/doctype/loan_security_price/loan_security_price.js
new file mode 100644
index 0000000..31b4ec7
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_price/loan_security_price.js
@@ -0,0 +1,8 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Loan Security Price', {
+	// refresh: function(frm) {
+
+	// }
+});
diff --git a/erpnext/loan_management/doctype/loan_security_price/loan_security_price.json b/erpnext/loan_management/doctype/loan_security_price/loan_security_price.json
new file mode 100644
index 0000000..db260a4
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_price/loan_security_price.json
@@ -0,0 +1,117 @@
+{
+ "autoname": "LM-LSP-.####",
+ "creation": "2019-09-03 18:20:31.382887",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan_security",
+  "loan_security_type",
+  "column_break_2",
+  "uom",
+  "section_break_4",
+  "loan_security_price",
+  "section_break_6",
+  "valid_from",
+  "column_break_8",
+  "valid_upto"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan_security",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Loan Security",
+   "options": "Loan Security",
+   "reqd": 1
+  },
+  {
+   "fieldname": "column_break_2",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fetch_from": "loan_security.unit_of_measure",
+   "fieldname": "uom",
+   "fieldtype": "Link",
+   "label": "UOM",
+   "options": "UOM",
+   "read_only": 1
+  },
+  {
+   "fieldname": "section_break_4",
+   "fieldtype": "Section Break"
+  },
+  {
+   "fieldname": "loan_security_price",
+   "fieldtype": "Currency",
+   "in_list_view": 1,
+   "label": "Loan Security Price",
+   "reqd": 1
+  },
+  {
+   "fieldname": "section_break_6",
+   "fieldtype": "Section Break"
+  },
+  {
+   "fieldname": "valid_from",
+   "fieldtype": "Datetime",
+   "in_list_view": 1,
+   "label": "Valid From",
+   "reqd": 1
+  },
+  {
+   "fieldname": "column_break_8",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "valid_upto",
+   "fieldtype": "Datetime",
+   "in_list_view": 1,
+   "label": "Valid Upto",
+   "reqd": 1
+  },
+  {
+   "fetch_from": "loan_security.loan_security_type",
+   "fieldname": "loan_security_type",
+   "fieldtype": "Link",
+   "label": "Loan Security Type",
+   "options": "Loan Security Type",
+   "read_only": 1
+  }
+ ],
+ "modified": "2019-10-26 09:46:46.069667",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Security Price",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "write": 1
+  },
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py b/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py
new file mode 100644
index 0000000..2855b52
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py
@@ -0,0 +1,51 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe import _
+from frappe.model.document import Document
+from frappe.utils import getdate, now_datetime, add_to_date, get_datetime, get_timestamp, get_datetime_str
+from six import iteritems
+
+class LoanSecurityPrice(Document):
+	def validate(self):
+		self.validate_dates()
+
+	def validate_dates(self):
+
+		if self.valid_from > self.valid_upto:
+			frappe.throw(_("Valid From Time must be lesser than Valid Upto Time."))
+
+		existing_loan_security = frappe.db.sql(""" SELECT name from `tabLoan Security Price`
+			WHERE loan_security = %s AND name != %s AND (valid_from BETWEEN %s and %s OR valid_upto BETWEEN %s and %s) """,
+			(self.loan_security, self.name, self.valid_from, self.valid_upto, self.valid_from, self.valid_upto))
+
+		if existing_loan_security:
+			frappe.throw(_("Loan Security Price overlapping with {0}").format(existing_loan_security[0][0]))
+
+@frappe.whitelist()
+def get_loan_security_price(loan_security, valid_time=None):
+	if not valid_time:
+		valid_time = get_datetime()
+
+	loan_security_price = frappe.db.get_value("Loan Security Price", {
+		'loan_security': loan_security,
+		'valid_from': ("<=",valid_time),
+		'valid_upto': (">=", valid_time)
+	}, 'loan_security_price')
+
+	if not loan_security_price:
+		frappe.throw(_("No valid <b>Loan Security Price</b> found for {0}").format(frappe.bold(loan_security)))
+	else:
+		return loan_security_price
+
+
+
+
+
+
+
+
+
diff --git a/erpnext/loan_management/doctype/loan_security_price/test_loan_security_price.py b/erpnext/loan_management/doctype/loan_security_price/test_loan_security_price.py
new file mode 100644
index 0000000..2fe0bd5
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_price/test_loan_security_price.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestLoanSecurityPrice(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/doctype/loan_security_shortfall/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/doctype/loan_security_shortfall/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js b/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js
new file mode 100644
index 0000000..f26c138
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js
@@ -0,0 +1,25 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Loan Security Shortfall', {
+	refresh: function(frm) {
+		frm.add_custom_button(__("Add Loan Security"), function() {
+			frm.trigger('shortfall_action');
+		});
+	},
+
+	shortfall_action: function(frm) {
+		frappe.call({
+			method: "erpnext.loan_management.doctype.loan_security_shortfall.loan_security_shortfall.add_security",
+			args: {
+				'loan': frm.doc.loan
+			},
+			callback: function(r) {
+				if (r.message) {
+					let doc = frappe.model.sync(r.message)[0];
+					frappe.set_route("Form", doc.doctype, doc.name);
+				}
+			}
+		});
+	}
+});
diff --git a/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.json b/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.json
new file mode 100644
index 0000000..102bc0d
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.json
@@ -0,0 +1,126 @@
+{
+ "autoname": "LM-LSS-.#####",
+ "creation": "2019-09-06 11:33:34.709540",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan",
+  "status",
+  "column_break_3",
+  "shortfall_time",
+  "section_break_3",
+  "loan_amount",
+  "shortfall_amount",
+  "column_break_8",
+  "security_value",
+  "section_break_8",
+  "process_loan_security_shortfall"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan",
+   "fieldtype": "Link",
+   "label": "Loan ",
+   "options": "Loan",
+   "read_only": 1
+  },
+  {
+   "fieldname": "loan_amount",
+   "fieldtype": "Currency",
+   "label": "Loan Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "security_value",
+   "fieldtype": "Currency",
+   "label": "Security Value ",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "shortfall_amount",
+   "fieldtype": "Currency",
+   "label": "Shortfall Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "section_break_3",
+   "fieldtype": "Section Break"
+  },
+  {
+   "description": "America/New_York",
+   "fieldname": "shortfall_time",
+   "fieldtype": "Datetime",
+   "label": "Shortfall Time",
+   "read_only": 1
+  },
+  {
+   "default": "Pending",
+   "fieldname": "status",
+   "fieldtype": "Select",
+   "in_list_view": 1,
+   "in_standard_filter": 1,
+   "label": "Status",
+   "options": "\nPending\nCompleted",
+   "read_only": 1
+  },
+  {
+   "fieldname": "section_break_8",
+   "fieldtype": "Section Break"
+  },
+  {
+   "fieldname": "process_loan_security_shortfall",
+   "fieldtype": "Link",
+   "label": "Process Loan Security Shortfall",
+   "options": "Process Loan Security Shortfall",
+   "read_only": 1
+  },
+  {
+   "fieldname": "column_break_3",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "column_break_8",
+   "fieldtype": "Column Break"
+  }
+ ],
+ "in_create": 1,
+ "modified": "2019-10-24 06:24:26.128997",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Security Shortfall",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "write": 1
+  },
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.py b/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.py
new file mode 100644
index 0000000..b7be84f
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.py
@@ -0,0 +1,98 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe.utils import get_datetime
+from frappe.model.document import Document
+from six import iteritems
+
+class LoanSecurityShortfall(Document):
+	pass
+
+def update_shortfall_status(loan, security_value):
+	loan_security_shortfall = frappe.db.get_value("Loan Security Shortfall",
+		{"loan": loan, "status": "Pending"}, ['name', 'shortfall_amount'], as_dict=1)
+
+	if not loan_security_shortfall:
+		return
+
+	if security_value >= loan_security_shortfall.shortfall_amount:
+		frappe.db.set_value("Loan Security Shortfall", loan_security_shortfall.name, "status", "Completed")
+	else:
+		frappe.db.set_value("Loan Security Shortfall", loan_security_shortfall.name,
+			"shortfall_amount", loan_security_shortfall.shortfall_amount - security_value)
+
+
+@frappe.whitelist()
+def add_security(loan):
+	loan_details = frappe.db.get_value("Loan", loan, ['applicant', 'company', 'applicant_type'], as_dict=1)
+
+	loan_security_pledge = frappe.new_doc("Loan Security Pledge")
+	loan_security_pledge.loan = loan
+	loan_security_pledge.company = loan_details.company
+	loan_security_pledge.applicant_type = loan_details.applicant_type
+	loan_security_pledge.applicant = loan_details.applicant
+
+	return loan_security_pledge.as_dict()
+
+def check_for_ltv_shortfall(process_loan_security_shortfall=None):
+
+	update_time = get_datetime()
+
+	if not process_loan_security_shortfall:
+		process = frappe.new_doc("Process Loan Security Shortfall")
+		process.update_time = update_time
+		process.submit()
+
+		process_loan_security_shortfall = process.name
+
+	loan_security_price_map = frappe._dict(frappe.get_all("Loan Security Price",
+		fields=["loan_security", "loan_security_price"],
+		filters = {
+			"valid_from": ("<=", update_time),
+			"valid_upto": (">=", update_time)
+		}, as_list=1))
+
+	ltv_ratio_map = frappe._dict(frappe.get_all("Loan Security Type",
+		fields=["name", "loan_to_value_ratio"], as_list=1))
+
+	loans = frappe.db.sql(""" SELECT l.name, l.loan_amount, l.total_principal_paid, lp.loan_security, lp.haircut, lp.qty, lp.loan_security_type
+		FROM `tabLoan` l, `tabPledge` lp , `tabLoan Security Pledge`p WHERE lp.parent = p.name and p.loan = l.name and l.docstatus = 1
+		and l.is_secured_loan and l.status = 'Disbursed' and p.status in ('Pledged', 'Partially Unpledged')""", as_dict=1)
+
+	loan_security_map = {}
+
+	for loan in loans:
+		loan_security_map.setdefault(loan.name, {
+			"loan_amount": loan.loan_amount - loan.total_principal_paid,
+			"security_value": 0.0
+		})
+
+		current_loan_security_amount = loan_security_price_map.get(loan.loan_security, 0) * loan.qty
+		ltv_ratio = ltv_ratio_map.get(loan.loan_security_type)
+
+		loan_security_map[loan.name]['security_value'] += current_loan_security_amount - (current_loan_security_amount * loan.haircut/100)
+
+	for loan, value in iteritems(loan_security_map):
+		if (value["security_value"]/value["loan_amount"]) < ltv_ratio:
+			create_loan_security_shortfall(loan, value, process_loan_security_shortfall)
+
+def create_loan_security_shortfall(loan, value, process_loan_security_shortfall):
+
+	existing_shortfall = frappe.db.get_value("Loan Security Shortfall", {"loan": loan, "status": "Pending"}, "name")
+
+	if existing_shortfall:
+		ltv_shortfall = frappe.get_doc("Loan Security Shortfall", existing_shortfall)
+	else:
+		ltv_shortfall = frappe.new_doc("Loan Security Shortfall")
+		ltv_shortfall.loan = loan
+
+	ltv_shortfall.shortfall_time = get_datetime()
+	ltv_shortfall.loan_amount = value["loan_amount"]
+	ltv_shortfall.security_value = value["security_value"]
+	ltv_shortfall.shortfall_amount = value["loan_amount"] - value["security_value"]
+	ltv_shortfall.process_loan_security_shortfall = process_loan_security_shortfall
+	ltv_shortfall.save()
+
diff --git a/erpnext/loan_management/doctype/loan_security_shortfall/test_loan_security_shortfall.py b/erpnext/loan_management/doctype/loan_security_shortfall/test_loan_security_shortfall.py
new file mode 100644
index 0000000..b82f3d2
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_shortfall/test_loan_security_shortfall.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestLoanSecurityShortfall(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan_type/__init__.py b/erpnext/loan_management/doctype/loan_security_type/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan_type/__init__.py
copy to erpnext/loan_management/doctype/loan_security_type/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_security_type/loan_security_type.js b/erpnext/loan_management/doctype/loan_security_type/loan_security_type.js
new file mode 100644
index 0000000..3a1e068
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_type/loan_security_type.js
@@ -0,0 +1,8 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Loan Security Type', {
+	// refresh: function(frm) {
+
+	// },
+});
diff --git a/erpnext/loan_management/doctype/loan_security_type/loan_security_type.json b/erpnext/loan_management/doctype/loan_security_type/loan_security_type.json
new file mode 100644
index 0000000..5f29609
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_type/loan_security_type.json
@@ -0,0 +1,86 @@
+{
+ "actions": [],
+ "autoname": "field:loan_security_type",
+ "creation": "2019-08-29 18:46:07.322056",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan_security_type",
+  "unit_of_measure",
+  "haircut",
+  "disabled",
+  "column_break_5",
+  "loan_to_value_ratio"
+ ],
+ "fields": [
+  {
+   "default": "0",
+   "fieldname": "disabled",
+   "fieldtype": "Check",
+   "label": "Disabled"
+  },
+  {
+   "fieldname": "loan_security_type",
+   "fieldtype": "Data",
+   "label": "Loan Security Type",
+   "unique": 1
+  },
+  {
+   "fieldname": "haircut",
+   "fieldtype": "Percent",
+   "label": "Haircut %"
+  },
+  {
+   "fieldname": "unit_of_measure",
+   "fieldtype": "Link",
+   "label": "Unit Of Measure",
+   "options": "UOM"
+  },
+  {
+   "fieldname": "column_break_5",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "loan_to_value_ratio",
+   "fieldtype": "Percent",
+   "label": "Loan To Value Ratio"
+  }
+ ],
+ "links": [],
+ "modified": "2020-02-28 12:43:20.364447",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Security Type",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "write": 1
+  },
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_security_type/loan_security_type.py b/erpnext/loan_management/doctype/loan_security_type/loan_security_type.py
new file mode 100644
index 0000000..cb8a50a
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_type/loan_security_type.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+# import frappe
+from frappe.model.document import Document
+
+class LoanSecurityType(Document):
+	pass
diff --git a/erpnext/loan_management/doctype/loan_security_type/loan_security_type_dashboard.py b/erpnext/loan_management/doctype/loan_security_type/loan_security_type_dashboard.py
new file mode 100644
index 0000000..ac33589
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_type/loan_security_type_dashboard.py
@@ -0,0 +1,15 @@
+from __future__ import unicode_literals
+from frappe import _
+
+def get_data():
+	return {
+		'fieldname': 'loan_security_type',
+		'transactions': [
+			{
+				'items': ['Loan Security', 'Loan Security Price']
+			},
+			{
+				'items': ['Loan Security Pledge', 'Loan Security Unpledge']
+			}
+		]
+	}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_security_type/test_loan_security_type.py b/erpnext/loan_management/doctype/loan_security_type/test_loan_security_type.py
new file mode 100644
index 0000000..f7d845a
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_type/test_loan_security_type.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestLoanSecurityType(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan_type/__init__.py b/erpnext/loan_management/doctype/loan_security_unpledge/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan_type/__init__.py
copy to erpnext/loan_management/doctype/loan_security_unpledge/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.js b/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.js
new file mode 100644
index 0000000..72c5f38
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.js
@@ -0,0 +1,13 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Loan Security Unpledge', {
+	refresh: function(frm) {
+
+		frm.set_query("against_pledge", "securities", () => {
+			return {
+				filters : [["status", "in", ["Pledged", "Partially Pledged"]]]
+			};
+		});
+	}
+});
diff --git a/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.json b/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.json
new file mode 100644
index 0000000..ba94855
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.json
@@ -0,0 +1,159 @@
+{
+ "autoname": "LSU-.{applicant}.-.#####",
+ "creation": "2019-09-21 13:23:16.117028",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan_details_section",
+  "loan",
+  "applicant_type",
+  "applicant",
+  "column_break_3",
+  "company",
+  "unpledge_time",
+  "status",
+  "loan_security_details_section",
+  "securities",
+  "unpledge_type",
+  "amended_from"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan_details_section",
+   "fieldtype": "Section Break",
+   "label": "Loan  Details"
+  },
+  {
+   "fetch_from": "loan_application.applicant",
+   "fieldname": "applicant",
+   "fieldtype": "Dynamic Link",
+   "in_list_view": 1,
+   "label": "Applicant",
+   "options": "applicant_type",
+   "reqd": 1
+  },
+  {
+   "fieldname": "column_break_3",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "loan",
+   "fieldtype": "Link",
+   "label": "Loan",
+   "options": "Loan",
+   "reqd": 1
+  },
+  {
+   "allow_on_submit": 1,
+   "default": "Requested",
+   "fieldname": "status",
+   "fieldtype": "Select",
+   "label": "Status",
+   "options": "Requested\nApproved",
+   "permlevel": 1
+  },
+  {
+   "fieldname": "unpledge_time",
+   "fieldtype": "Datetime",
+   "label": "Unpledge Time",
+   "read_only": 1
+  },
+  {
+   "fieldname": "loan_security_details_section",
+   "fieldtype": "Section Break",
+   "label": "Loan Security Details"
+  },
+  {
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Loan Security Unpledge",
+   "print_hide": 1,
+   "read_only": 1
+  },
+  {
+   "fieldname": "securities",
+   "fieldtype": "Table",
+   "label": "Securities",
+   "options": "Unpledge",
+   "reqd": 1
+  },
+  {
+   "fieldname": "unpledge_type",
+   "fieldtype": "Data",
+   "hidden": 1,
+   "label": "Unpledge Type",
+   "read_only": 1
+  },
+  {
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "label": "Company",
+   "options": "Company",
+   "reqd": 1
+  },
+  {
+   "fetch_from": "loan.applicant_type",
+   "fieldname": "applicant_type",
+   "fieldtype": "Select",
+   "label": "Applicant Type",
+   "options": "Employee\nMember\nCustomer",
+   "reqd": 1
+  }
+ ],
+ "is_submittable": 1,
+ "modified": "2019-10-28 07:41:47.084882",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Security Unpledge",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  },
+  {
+   "cancel": 1,
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "submit": 1,
+   "write": 1
+  },
+  {
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "permlevel": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "search_fields": "applicant",
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py b/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py
new file mode 100644
index 0000000..02b1ecb
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py
@@ -0,0 +1,85 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe import _
+from frappe.model.document import Document
+from frappe.utils import get_datetime, flt
+import json
+from erpnext.loan_management.doctype.loan_security_price.loan_security_price import get_loan_security_price
+
+class LoanSecurityUnpledge(Document):
+	def validate(self):
+		self.validate_pledges()
+
+	def validate_pledges(self):
+		pledge_details = self.get_pledge_details()
+
+		loan = frappe.get_doc("Loan", self.loan)
+
+		pledge_qty_map = {}
+		remaining_qty = 0
+		unpledge_value = 0
+
+		for pledge in pledge_details:
+			pledge_qty_map.setdefault((pledge.parent, pledge.loan_security), pledge.qty)
+
+		for security in self.securities:
+			pledged_qty = pledge_qty_map.get((security.against_pledge, security.loan_security), 0)
+			if not pledged_qty:
+				frappe.throw(_("Zero qty of {0} pledged against loan {0}").format(frappe.bold(security.loan_security),
+					frappe.bold(self.loan)))
+
+			unpledge_qty = pledged_qty - security.qty
+			security_price = security.qty * get_loan_security_price(security.loan_security)
+
+			if unpledge_qty < 0:
+				frappe.throw(_("Cannot unpledge more than {0} qty of {0}").format(frappe.bold(pledged_qty),
+					frappe.bold(security.loan_security)))
+
+			remaining_qty += unpledge_qty
+			unpledge_value += security_price - flt(security_price * security.haircut/100)
+
+		if unpledge_value > loan.total_principal_paid:
+			frappe.throw(_("Cannot Unpledge, loan security value is greater than the repaid amount"))
+
+		if not remaining_qty:
+			self.db_set('unpledge_type', 'Unpledged')
+		else:
+			self.db_set('unpledge_type', 'Partially Pledged')
+
+
+	def get_pledge_details(self):
+		pledge_details = frappe.db.sql("""
+			SELECT p.parent, p.loan_security, p.qty as qty FROM
+				`tabLoan Security Pledge` lsp,
+				`tabPledge` p
+			WHERE
+				p.parent = lsp.name
+				AND lsp.loan = %s
+				AND lsp.docstatus = 1
+				AND lsp.status = "Pledged"
+		""",(self.loan), as_dict=1)
+
+		return pledge_details
+
+	def on_update_after_submit(self):
+		if self.status == "Approved":
+			frappe.db.sql("""
+				UPDATE
+					`tabPledge` p, `tabUnpledge` u, `tabLoan Security Pledge` lsp,
+					`tabLoan Security Unpledge` lsu SET p.qty = (p.qty - u.qty)
+				WHERE
+					lsp.loan = %s
+					AND lsu.status = 'Requested'
+					AND u.parent = %s
+					AND p.parent = u.against_pledge
+					AND p.loan_security = u.loan_security""",(self.loan, self.name))
+
+			frappe.db.sql("""UPDATE `tabLoan Security Pledge`
+				SET status = %s WHERE loan = %s""", (self.unpledge_type, self.loan))
+
+			if self.unpledge_type == 'Unpledged':
+				frappe.db.set_value("Loan", self.loan, 'status', 'Closed')
diff --git a/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge_list.js b/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge_list.js
new file mode 100644
index 0000000..196ebbb
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge_list.js
@@ -0,0 +1,14 @@
+// Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
+// License: GNU General Public License v3. See license.txt
+
+// render
+frappe.listview_settings['Loan Security Unpledge'] = {
+	add_fields: ["status"],
+	get_indicator: function(doc) {
+		var status_color = {
+			"Requested": "orange",
+			"Approved": "green",
+		};
+		return [__(doc.status), status_color[doc.status], "status,=,"+doc.status];
+	}
+};
diff --git a/erpnext/loan_management/doctype/loan_security_unpledge/test_loan_security_unpledge.py b/erpnext/loan_management/doctype/loan_security_unpledge/test_loan_security_unpledge.py
new file mode 100644
index 0000000..5b5c205
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_security_unpledge/test_loan_security_unpledge.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestLoanSecurityUnpledge(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan_type/__init__.py b/erpnext/loan_management/doctype/loan_type/__init__.py
similarity index 100%
rename from erpnext/hr/doctype/loan_type/__init__.py
rename to erpnext/loan_management/doctype/loan_type/__init__.py
diff --git a/erpnext/loan_management/doctype/loan_type/loan_type.js b/erpnext/loan_management/doctype/loan_type/loan_type.js
new file mode 100644
index 0000000..04c89c4
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_type/loan_type.js
@@ -0,0 +1,30 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Loan Type', {
+	onload: function(frm) {
+		$.each(["penalty_income_account", "interest_income_account"], function (i, field) {
+			frm.set_query(field, function () {
+				return {
+					"filters": {
+						"company": frm.doc.company,
+						"root_type": "Income",
+						"is_group": 0
+					}
+				};
+			});
+		});
+
+		$.each(["payment_account", "loan_account"], function (i, field) {
+			frm.set_query(field, function () {
+				return {
+					"filters": {
+						"company": frm.doc.company,
+						"root_type": "Asset",
+						"is_group": 0
+					}
+				};
+			});
+		});
+	}
+});
diff --git a/erpnext/loan_management/doctype/loan_type/loan_type.json b/erpnext/loan_management/doctype/loan_type/loan_type.json
new file mode 100644
index 0000000..a3525db
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_type/loan_type.json
@@ -0,0 +1,170 @@
+{
+ "actions": [],
+ "autoname": "field:loan_name",
+ "creation": "2019-08-29 18:08:38.159726",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan_name",
+  "maximum_loan_amount",
+  "rate_of_interest",
+  "penalty_interest_rate",
+  "grace_period_in_days",
+  "column_break_2",
+  "company",
+  "is_term_loan",
+  "disabled",
+  "description",
+  "account_details_section",
+  "mode_of_payment",
+  "payment_account",
+  "loan_account",
+  "column_break_12",
+  "interest_income_account",
+  "penalty_income_account",
+  "amended_from"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan_name",
+   "fieldtype": "Data",
+   "in_list_view": 1,
+   "label": "Loan Name",
+   "reqd": 1,
+   "unique": 1
+  },
+  {
+   "fieldname": "maximum_loan_amount",
+   "fieldtype": "Currency",
+   "label": "Maximum Loan Amount",
+   "options": "Company:company:default_currency"
+  },
+  {
+   "fieldname": "rate_of_interest",
+   "fieldtype": "Percent",
+   "label": "Rate of Interest (%) Yearly",
+   "reqd": 1
+  },
+  {
+   "fieldname": "column_break_2",
+   "fieldtype": "Column Break"
+  },
+  {
+   "allow_on_submit": 1,
+   "default": "0",
+   "fieldname": "disabled",
+   "fieldtype": "Check",
+   "label": "Disabled"
+  },
+  {
+   "fieldname": "description",
+   "fieldtype": "Text",
+   "label": "Description"
+  },
+  {
+   "fieldname": "account_details_section",
+   "fieldtype": "Section Break",
+   "label": "Account Details"
+  },
+  {
+   "fieldname": "mode_of_payment",
+   "fieldtype": "Link",
+   "label": "Mode of Payment",
+   "options": "Mode of Payment",
+   "reqd": 1
+  },
+  {
+   "fieldname": "payment_account",
+   "fieldtype": "Link",
+   "label": "Payment Account",
+   "options": "Account",
+   "reqd": 1
+  },
+  {
+   "fieldname": "loan_account",
+   "fieldtype": "Link",
+   "label": "Loan Account",
+   "options": "Account",
+   "reqd": 1
+  },
+  {
+   "fieldname": "column_break_12",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "interest_income_account",
+   "fieldtype": "Link",
+   "label": "Interest Income Account",
+   "options": "Account",
+   "reqd": 1
+  },
+  {
+   "fieldname": "penalty_income_account",
+   "fieldtype": "Link",
+   "label": "Penalty Income Account",
+   "options": "Account",
+   "reqd": 1
+  },
+  {
+   "default": "0",
+   "fieldname": "is_term_loan",
+   "fieldtype": "Check",
+   "label": "Is Term Loan"
+  },
+  {
+   "description": "Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ",
+   "fieldname": "penalty_interest_rate",
+   "fieldtype": "Percent",
+   "label": "Penalty Interest Rate (%) Per Day"
+  },
+  {
+   "fieldname": "grace_period_in_days",
+   "fieldtype": "Int",
+   "label": "Grace Period in Days"
+  },
+  {
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Loan Type",
+   "print_hide": 1,
+   "read_only": 1
+  },
+  {
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "label": "Company",
+   "options": "Company",
+   "reqd": 1
+  }
+ ],
+ "is_submittable": 1,
+ "links": [],
+ "modified": "2020-02-03 05:03:00.334813",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Type",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  },
+  {
+   "read": 1,
+   "role": "Employee"
+  }
+ ],
+ "sort_field": "modified",
+ "sort_order": "DESC"
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_type/loan_type.py b/erpnext/loan_management/doctype/loan_type/loan_type.py
new file mode 100644
index 0000000..14b18ab
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_type/loan_type.py
@@ -0,0 +1,21 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe import _
+from frappe.model.document import Document
+
+class LoanType(Document):
+	def validate(self):
+		self.validate_accounts()
+
+	def validate_accounts(self):
+		for fieldname in ['payment_account', 'loan_account', 'interest_income_account', 'penalty_income_account']:
+			company = frappe.get_value("Account", self.get(fieldname), 'company')
+
+			if company and company != self.company:
+				frappe.throw(_("Account {0} does not belong to company {1}").format(frappe.bold(self.get(fieldname)),
+					frappe.bold(self.company)))
+
diff --git a/erpnext/loan_management/doctype/loan_type/loan_type_dashboard.py b/erpnext/loan_management/doctype/loan_type/loan_type_dashboard.py
new file mode 100644
index 0000000..58c6689
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_type/loan_type_dashboard.py
@@ -0,0 +1,15 @@
+from __future__ import unicode_literals
+from frappe import _
+
+def get_data():
+	return {
+		'fieldname': 'loan_type',
+		'transactions': [
+			{
+				'items': ['Loan Repayment', 'Loan']
+			},
+			{
+				'items': ['Loan Application']
+			}
+		]
+	}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/loan_type/test_loan_type.py b/erpnext/loan_management/doctype/loan_type/test_loan_type.py
new file mode 100644
index 0000000..5877ab6
--- /dev/null
+++ b/erpnext/loan_management/doctype/loan_type/test_loan_type.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestLoanType(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan_type/__init__.py b/erpnext/loan_management/doctype/pledge/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan_type/__init__.py
copy to erpnext/loan_management/doctype/pledge/__init__.py
diff --git a/erpnext/loan_management/doctype/pledge/pledge.js b/erpnext/loan_management/doctype/pledge/pledge.js
new file mode 100644
index 0000000..fb6ab10
--- /dev/null
+++ b/erpnext/loan_management/doctype/pledge/pledge.js
@@ -0,0 +1,8 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Pledge', {
+	// refresh: function(frm) {
+
+	// }
+});
diff --git a/erpnext/loan_management/doctype/pledge/pledge.json b/erpnext/loan_management/doctype/pledge/pledge.json
new file mode 100644
index 0000000..f22a21e
--- /dev/null
+++ b/erpnext/loan_management/doctype/pledge/pledge.json
@@ -0,0 +1,99 @@
+{
+ "creation": "2019-09-09 17:06:16.756573",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan_security",
+  "loan_security_type",
+  "loan_security_code",
+  "uom",
+  "column_break_5",
+  "qty",
+  "haircut",
+  "loan_security_price",
+  "amount",
+  "post_haircut_amount"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan_security",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Loan Security",
+   "options": "Loan Security",
+   "reqd": 1
+  },
+  {
+   "fetch_from": "loan_security.loan_security_type",
+   "fieldname": "loan_security_type",
+   "fieldtype": "Link",
+   "label": "Loan Security Type",
+   "options": "Loan Security Type",
+   "read_only": 1
+  },
+  {
+   "fetch_from": "loan_security.loan_security_code",
+   "fieldname": "loan_security_code",
+   "fieldtype": "Data",
+   "label": "Loan Security Code"
+  },
+  {
+   "fetch_from": "loan_security.unit_of_measure",
+   "fieldname": "uom",
+   "fieldtype": "Link",
+   "label": "UOM",
+   "options": "UOM"
+  },
+  {
+   "fieldname": "qty",
+   "fieldtype": "Float",
+   "in_list_view": 1,
+   "label": "Quantity"
+  },
+  {
+   "fieldname": "loan_security_price",
+   "fieldtype": "Currency",
+   "in_list_view": 1,
+   "label": "Loan Security Price",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fetch_from": "loan_security.haircut",
+   "fieldname": "haircut",
+   "fieldtype": "Percent",
+   "label": "Haircut %",
+   "read_only": 1
+  },
+  {
+   "fieldname": "amount",
+   "fieldtype": "Currency",
+   "in_list_view": 1,
+   "label": "Amount",
+   "options": "Company:company:default_currency"
+  },
+  {
+   "fieldname": "column_break_5",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "post_haircut_amount",
+   "fieldtype": "Currency",
+   "label": "Post Haircut Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  }
+ ],
+ "istable": 1,
+ "modified": "2019-12-03 10:59:58.001421",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Pledge",
+ "owner": "Administrator",
+ "permissions": [],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan_type/loan_type.py b/erpnext/loan_management/doctype/pledge/pledge.py
similarity index 61%
rename from erpnext/hr/doctype/loan_type/loan_type.py
rename to erpnext/loan_management/doctype/pledge/pledge.py
index 2714e20..0457ad7 100644
--- a/erpnext/hr/doctype/loan_type/loan_type.py
+++ b/erpnext/loan_management/doctype/pledge/pledge.py
@@ -1,10 +1,10 @@
 # -*- coding: utf-8 -*-
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and contributors
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
 # For license information, please see license.txt
 
 from __future__ import unicode_literals
-import frappe
+# import frappe
 from frappe.model.document import Document
 
-class LoanType(Document):
+class Pledge(Document):
 	pass
diff --git a/erpnext/loan_management/doctype/pledge/test_pledge.py b/erpnext/loan_management/doctype/pledge/test_pledge.py
new file mode 100644
index 0000000..2e01dc1
--- /dev/null
+++ b/erpnext/loan_management/doctype/pledge/test_pledge.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestPledge(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/doctype/process_loan_interest_accrual/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/doctype/process_loan_interest_accrual/__init__.py
diff --git a/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.js b/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.js
new file mode 100644
index 0000000..c596be2
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.js
@@ -0,0 +1,8 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Process Loan Interest Accrual', {
+	// refresh: function(frm) {
+
+	// }
+});
diff --git a/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.json b/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.json
new file mode 100644
index 0000000..7f79cb1
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.json
@@ -0,0 +1,81 @@
+{
+ "actions": [],
+ "autoname": "LM-PLA-.#####",
+ "creation": "2019-09-19 06:08:12.363640",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "posting_date",
+  "loan_type",
+  "loan",
+  "amended_from"
+ ],
+ "fields": [
+  {
+   "fieldname": "posting_date",
+   "fieldtype": "Date",
+   "in_list_view": 1,
+   "label": "Posting Date",
+   "reqd": 1
+  },
+  {
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Process Loan Interest Accrual",
+   "print_hide": 1,
+   "read_only": 1
+  },
+  {
+   "fieldname": "loan_type",
+   "fieldtype": "Link",
+   "label": "Loan Type",
+   "options": "Loan Type"
+  },
+  {
+   "fieldname": "loan",
+   "fieldtype": "Link",
+   "label": "Loan ",
+   "options": "Loan"
+  }
+ ],
+ "is_submittable": 1,
+ "links": [],
+ "modified": "2020-02-01 08:14:33.978636",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Process Loan Interest Accrual",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "write": 1
+  },
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  }
+ ],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.py b/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.py
new file mode 100644
index 0000000..0f33da9
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual.py
@@ -0,0 +1,29 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe.utils import nowdate
+from frappe.model.document import Document
+from erpnext.loan_management.doctype.loan_interest_accrual.loan_interest_accrual import make_accrual_interest_entry_for_demand_loans
+
+class ProcessLoanInterestAccrual(Document):
+	def on_submit(self):
+		open_loans = []
+
+		if self.loan:
+			loan_doc = frappe.get_doc('Loan', self.loan)
+			open_loans.append(loan_doc)
+
+		make_accrual_interest_entry_for_demand_loans(self.posting_date, self.name,
+			open_loans = open_loans, loan_type = self.loan_type)
+
+def process_loan_interest_accrual(posting_date=None, loan_type=None, loan=None):
+	loan_process = frappe.new_doc('Process Loan Interest Accrual')
+	loan_process.posting_date = posting_date or nowdate()
+	loan_process.loan_type = loan_type
+	loan_process.loan = loan
+
+	loan_process.submit()
+
diff --git a/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual_dashboard.py b/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual_dashboard.py
new file mode 100644
index 0000000..243a7a3
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_interest_accrual/process_loan_interest_accrual_dashboard.py
@@ -0,0 +1,12 @@
+from __future__ import unicode_literals
+from frappe import _
+
+def get_data():
+	return {
+		'fieldname': 'process_loan_interest_accrual',
+		'transactions': [
+			{
+				'items': ['Loan Interest Accrual']
+			}
+		]
+	}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/process_loan_interest_accrual/test_process_loan_interest_accrual.py b/erpnext/loan_management/doctype/process_loan_interest_accrual/test_process_loan_interest_accrual.py
new file mode 100644
index 0000000..6bfd3f4
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_interest_accrual/test_process_loan_interest_accrual.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestProcessLoanInterestAccrual(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/doctype/process_loan_security_shortfall/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/doctype/process_loan_security_shortfall/__init__.py
diff --git a/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.js b/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.js
new file mode 100644
index 0000000..645e3ad
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.js
@@ -0,0 +1,8 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Process Loan Security Shortfall', {
+	onload: function(frm) {
+		frm.set_value('update_time', frappe.datetime.now_datetime());
+	}
+});
diff --git a/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.json b/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.json
new file mode 100644
index 0000000..ffc3671
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.json
@@ -0,0 +1,67 @@
+{
+ "actions": [],
+ "autoname": "LM-PLS-.#####",
+ "creation": "2019-09-19 06:43:26.742336",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "update_time",
+  "amended_from"
+ ],
+ "fields": [
+  {
+   "fieldname": "amended_from",
+   "fieldtype": "Link",
+   "label": "Amended From",
+   "no_copy": 1,
+   "options": "Process Loan Security Shortfall",
+   "print_hide": 1,
+   "read_only": 1
+  },
+  {
+   "fieldname": "update_time",
+   "fieldtype": "Datetime",
+   "in_list_view": 1,
+   "label": "Update Time",
+   "read_only": 1,
+   "reqd": 1
+  }
+ ],
+ "is_submittable": 1,
+ "links": [],
+ "modified": "2020-02-01 08:14:05.845161",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Process Loan Security Shortfall",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "write": 1
+  },
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  }
+ ],
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.py b/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.py
new file mode 100644
index 0000000..417e367
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall.py
@@ -0,0 +1,17 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe.utils import get_datetime
+from frappe import _
+from frappe.model.document import Document
+from erpnext.loan_management.doctype.loan_security_shortfall.loan_security_shortfall import check_for_ltv_shortfall
+
+class ProcessLoanSecurityShortfall(Document):
+	def onload(self):
+		self.set_onload('update_time', get_datetime())
+
+	def on_submit(self):
+		check_for_ltv_shortfall(process_loan_security_shortfall = self.name)
diff --git a/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall_dashboard.py b/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall_dashboard.py
new file mode 100644
index 0000000..dc9bd81
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_security_shortfall/process_loan_security_shortfall_dashboard.py
@@ -0,0 +1,12 @@
+from __future__ import unicode_literals
+from frappe import _
+
+def get_data():
+	return {
+		'fieldname': 'process_loan_security_shortfall',
+		'transactions': [
+			{
+				'items': ['Loan Security Shortfall']
+			}
+		]
+	}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/process_loan_security_shortfall/test_process_loan_security_shortfall.py b/erpnext/loan_management/doctype/process_loan_security_shortfall/test_process_loan_security_shortfall.py
new file mode 100644
index 0000000..cd379a1
--- /dev/null
+++ b/erpnext/loan_management/doctype/process_loan_security_shortfall/test_process_loan_security_shortfall.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestProcessLoanSecurityShortfall(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan_type/__init__.py b/erpnext/loan_management/doctype/proposed_pledge/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan_type/__init__.py
copy to erpnext/loan_management/doctype/proposed_pledge/__init__.py
diff --git a/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.json b/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.json
new file mode 100644
index 0000000..aee7c2c
--- /dev/null
+++ b/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.json
@@ -0,0 +1,70 @@
+{
+ "creation": "2019-08-29 22:29:37.628178",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan_security",
+  "qty",
+  "loan_security_price",
+  "amount",
+  "haircut",
+  "post_haircut_amount"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan_security_price",
+   "fieldtype": "Currency",
+   "in_list_view": 1,
+   "label": "Loan Security Price",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "amount",
+   "fieldtype": "Currency",
+   "in_list_view": 1,
+   "label": "Amount",
+   "options": "Company:company:default_currency"
+  },
+  {
+   "fetch_from": "loan_security.haircut",
+   "fieldname": "haircut",
+   "fieldtype": "Percent",
+   "label": "Haircut %",
+   "read_only": 1
+  },
+  {
+   "fetch_from": "loan_security_pledge.qty",
+   "fieldname": "qty",
+   "fieldtype": "Float",
+   "in_list_view": 1,
+   "label": "Quantity"
+  },
+  {
+   "fieldname": "loan_security",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Loan Security",
+   "options": "Loan Security"
+  },
+  {
+   "fieldname": "post_haircut_amount",
+   "fieldtype": "Currency",
+   "label": "Post Haircut Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  }
+ ],
+ "istable": 1,
+ "modified": "2019-12-02 10:23:11.498308",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Proposed Pledge",
+ "owner": "Administrator",
+ "permissions": [],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.py b/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.py
new file mode 100644
index 0000000..dfa5c79
--- /dev/null
+++ b/erpnext/loan_management/doctype/proposed_pledge/proposed_pledge.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+# import frappe
+from frappe.model.document import Document
+
+class ProposedPledge(Document):
+	pass
diff --git a/erpnext/hr/doctype/repayment_schedule/__init__.py b/erpnext/loan_management/doctype/repayment_schedule/__init__.py
similarity index 100%
rename from erpnext/hr/doctype/repayment_schedule/__init__.py
rename to erpnext/loan_management/doctype/repayment_schedule/__init__.py
diff --git a/erpnext/hr/doctype/repayment_schedule/repayment_schedule.json b/erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.json
similarity index 88%
rename from erpnext/hr/doctype/repayment_schedule/repayment_schedule.json
rename to erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.json
index 5bb2d37..7f71beb 100644
--- a/erpnext/hr/doctype/repayment_schedule/repayment_schedule.json
+++ b/erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.json
@@ -1,5 +1,5 @@
 {
- "creation": "2016-12-20 15:32:25.078334",
+ "creation": "2019-09-12 12:57:07.940159",
  "doctype": "DocType",
  "editable_grid": 1,
  "engine": "InnoDB",
@@ -9,11 +9,10 @@
   "interest_amount",
   "total_payment",
   "balance_loan_amount",
-  "paid"
+  "is_accrued"
  ],
  "fields": [
   {
-   "allow_on_submit": 1,
    "columns": 2,
    "fieldname": "payment_date",
    "fieldtype": "Date",
@@ -61,17 +60,17 @@
   },
   {
    "default": "0",
-   "fieldname": "paid",
+   "fieldname": "is_accrued",
    "fieldtype": "Check",
    "in_list_view": 1,
-   "label": "Paid",
+   "label": "Is Accrued",
    "read_only": 1
   }
  ],
  "istable": 1,
- "modified": "2019-10-29 11:45:10.694557",
+ "modified": "2019-09-12 12:57:07.940159",
  "modified_by": "Administrator",
- "module": "HR",
+ "module": "Loan Management",
  "name": "Repayment Schedule",
  "owner": "Administrator",
  "permissions": [],
diff --git a/erpnext/hr/doctype/repayment_schedule/repayment_schedule.py b/erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.py
similarity index 71%
rename from erpnext/hr/doctype/repayment_schedule/repayment_schedule.py
rename to erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.py
index 8abee5e..2aa27b0 100644
--- a/erpnext/hr/doctype/repayment_schedule/repayment_schedule.py
+++ b/erpnext/loan_management/doctype/repayment_schedule/repayment_schedule.py
@@ -1,9 +1,9 @@
 # -*- coding: utf-8 -*-
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and contributors
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
 # For license information, please see license.txt
 
 from __future__ import unicode_literals
-import frappe
+# import frappe
 from frappe.model.document import Document
 
 class RepaymentSchedule(Document):
diff --git a/erpnext/hr/doctype/salary_slip_loan/__init__.py b/erpnext/loan_management/doctype/salary_slip_loan/__init__.py
similarity index 100%
rename from erpnext/hr/doctype/salary_slip_loan/__init__.py
rename to erpnext/loan_management/doctype/salary_slip_loan/__init__.py
diff --git a/erpnext/loan_management/doctype/salary_slip_loan/salary_slip_loan.json b/erpnext/loan_management/doctype/salary_slip_loan/salary_slip_loan.json
new file mode 100644
index 0000000..ce020ff
--- /dev/null
+++ b/erpnext/loan_management/doctype/salary_slip_loan/salary_slip_loan.json
@@ -0,0 +1,96 @@
+{
+ "creation": "2019-08-29 18:11:36.829526",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan",
+  "loan_type",
+  "loan_account",
+  "interest_income_account",
+  "column_break_4",
+  "principal_amount",
+  "interest_amount",
+  "total_payment",
+  "loan_repayment_entry"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Loan",
+   "options": "Loan",
+   "read_only": 1,
+   "reqd": 1
+  },
+  {
+   "fieldname": "loan_account",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Loan Account",
+   "options": "Account",
+   "read_only": 1
+  },
+  {
+   "fieldname": "interest_income_account",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Interest Income Account",
+   "options": "Account",
+   "read_only": 1
+  },
+  {
+   "fieldname": "column_break_4",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "principal_amount",
+   "fieldtype": "Currency",
+   "in_list_view": 1,
+   "label": "Principal Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "interest_amount",
+   "fieldtype": "Currency",
+   "in_list_view": 1,
+   "label": "Interest Amount",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "total_payment",
+   "fieldtype": "Currency",
+   "label": "Total Payment",
+   "options": "Company:company:default_currency",
+   "read_only": 1
+  },
+  {
+   "fieldname": "loan_repayment_entry",
+   "fieldtype": "Link",
+   "label": "Loan Repayment Entry",
+   "options": "Loan Repayment",
+   "read_only": 1
+  },
+  {
+   "fetch_from": "loan.loan_type",
+   "fieldname": "loan_type",
+   "fieldtype": "Link",
+   "label": "Loan Type",
+   "options": "Loan Type"
+  }
+ ],
+ "istable": 1,
+ "modified": "2019-10-28 09:15:31.174244",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Salary Slip Loan",
+ "owner": "Administrator",
+ "permissions": [],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/hr/doctype/salary_slip_loan/salary_slip_loan.py b/erpnext/loan_management/doctype/salary_slip_loan/salary_slip_loan.py
similarity index 71%
rename from erpnext/hr/doctype/salary_slip_loan/salary_slip_loan.py
rename to erpnext/loan_management/doctype/salary_slip_loan/salary_slip_loan.py
index 83908ce..9ee0b96 100644
--- a/erpnext/hr/doctype/salary_slip_loan/salary_slip_loan.py
+++ b/erpnext/loan_management/doctype/salary_slip_loan/salary_slip_loan.py
@@ -1,9 +1,9 @@
 # -*- coding: utf-8 -*-
-# Copyright (c) 2017, Frappe Technologies Pvt. Ltd. and contributors
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
 # For license information, please see license.txt
 
 from __future__ import unicode_literals
-import frappe
+# import frappe
 from frappe.model.document import Document
 
 class SalarySlipLoan(Document):
diff --git a/erpnext/hr/report/loan_repayment/__init__.py b/erpnext/loan_management/doctype/sanctioned_loan_amount/__init__.py
similarity index 100%
copy from erpnext/hr/report/loan_repayment/__init__.py
copy to erpnext/loan_management/doctype/sanctioned_loan_amount/__init__.py
diff --git a/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.js b/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.js
new file mode 100644
index 0000000..5361e7c
--- /dev/null
+++ b/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.js
@@ -0,0 +1,8 @@
+// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on('Sanctioned Loan Amount', {
+	// refresh: function(frm) {
+
+	// }
+});
diff --git a/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.json b/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.json
new file mode 100644
index 0000000..0447cd9
--- /dev/null
+++ b/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.json
@@ -0,0 +1,88 @@
+{
+ "actions": [],
+ "autoname": "LM-SLA-.####",
+ "creation": "2019-11-23 10:19:06.179736",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "applicant_type",
+  "applicant",
+  "column_break_3",
+  "company",
+  "sanctioned_amount_limit"
+ ],
+ "fields": [
+  {
+   "fieldname": "applicant_type",
+   "fieldtype": "Select",
+   "in_list_view": 1,
+   "label": "Applicant Type",
+   "options": "Employee\nMember\nCustomer",
+   "reqd": 1
+  },
+  {
+   "fieldname": "applicant",
+   "fieldtype": "Dynamic Link",
+   "in_list_view": 1,
+   "label": "Applicant",
+   "options": "applicant_type",
+   "reqd": 1
+  },
+  {
+   "fieldname": "column_break_3",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "company",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Company",
+   "options": "Company",
+   "reqd": 1
+  },
+  {
+   "fieldname": "sanctioned_amount_limit",
+   "fieldtype": "Currency",
+   "in_list_view": 1,
+   "label": "Sanctioned Amount Limit",
+   "options": "Company:company:default_currency",
+   "reqd": 1
+  }
+ ],
+ "links": [],
+ "modified": "2020-02-25 05:10:52.421193",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Sanctioned Loan Amount",
+ "owner": "Administrator",
+ "permissions": [
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "System Manager",
+   "share": 1,
+   "write": 1
+  },
+  {
+   "create": 1,
+   "delete": 1,
+   "email": 1,
+   "export": 1,
+   "print": 1,
+   "read": 1,
+   "report": 1,
+   "role": "Loan Manager",
+   "share": 1,
+   "write": 1
+  }
+ ],
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py b/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py
new file mode 100644
index 0000000..74a1310
--- /dev/null
+++ b/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py
@@ -0,0 +1,16 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe.model.document import Document
+
+class SanctionedLoanAmount(Document):
+	def validate(self):
+		sanctioned_doc = frappe.db.exists('Sanctioned Loan Amount', {'applicant': self.applicant, 'company': self.company})
+
+		if sanctioned_doc and sanctioned_doc != self.name:
+			frappe.throw(_("Sanctioned Loan Amount already exists for {0} against company {1}").format(
+				frappe.bold(self.applicant), frappe.bold(self.company)
+			))
diff --git a/erpnext/loan_management/doctype/sanctioned_loan_amount/test_sanctioned_loan_amount.py b/erpnext/loan_management/doctype/sanctioned_loan_amount/test_sanctioned_loan_amount.py
new file mode 100644
index 0000000..ba1372f
--- /dev/null
+++ b/erpnext/loan_management/doctype/sanctioned_loan_amount/test_sanctioned_loan_amount.py
@@ -0,0 +1,10 @@
+# -*- coding: utf-8 -*-
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors
+# See license.txt
+from __future__ import unicode_literals
+
+# import frappe
+import unittest
+
+class TestSanctionedLoanAmount(unittest.TestCase):
+	pass
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/doctype/unpledge/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/doctype/unpledge/__init__.py
diff --git a/erpnext/loan_management/doctype/unpledge/unpledge.json b/erpnext/loan_management/doctype/unpledge/unpledge.json
new file mode 100644
index 0000000..9e6277d
--- /dev/null
+++ b/erpnext/loan_management/doctype/unpledge/unpledge.json
@@ -0,0 +1,84 @@
+{
+ "creation": "2019-09-21 13:22:19.793797",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "loan_security",
+  "against_pledge",
+  "loan_security_type",
+  "loan_security_code",
+  "haircut",
+  "uom",
+  "column_break_5",
+  "qty"
+ ],
+ "fields": [
+  {
+   "fieldname": "loan_security",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Loan Security",
+   "options": "Loan Security",
+   "reqd": 1
+  },
+  {
+   "fetch_from": "loan_security.loan_security_type",
+   "fieldname": "loan_security_type",
+   "fieldtype": "Link",
+   "label": "Loan Security Type",
+   "options": "Loan Security Type",
+   "read_only": 1
+  },
+  {
+   "fetch_from": "loan_security.loan_security_code",
+   "fieldname": "loan_security_code",
+   "fieldtype": "Data",
+   "label": "Loan Security Code"
+  },
+  {
+   "fetch_from": "loan_security.unit_of_measure",
+   "fieldname": "uom",
+   "fieldtype": "Link",
+   "label": "UOM",
+   "options": "UOM"
+  },
+  {
+   "fieldname": "column_break_5",
+   "fieldtype": "Column Break"
+  },
+  {
+   "fieldname": "qty",
+   "fieldtype": "Float",
+   "in_list_view": 1,
+   "label": "Quantity",
+   "reqd": 1
+  },
+  {
+   "fieldname": "against_pledge",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "Against Pledge",
+   "options": "Loan Security Pledge",
+   "reqd": 1
+  },
+  {
+   "fetch_from": "loan_security.haircut",
+   "fieldname": "haircut",
+   "fieldtype": "Percent",
+   "label": "Haircut",
+   "read_only": 1
+  }
+ ],
+ "istable": 1,
+ "modified": "2019-10-02 12:48:18.588236",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Unpledge",
+ "owner": "Administrator",
+ "permissions": [],
+ "quick_entry": 1,
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
+}
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan_type/loan_type.py b/erpnext/loan_management/doctype/unpledge/unpledge.py
similarity index 61%
copy from erpnext/hr/doctype/loan_type/loan_type.py
copy to erpnext/loan_management/doctype/unpledge/unpledge.py
index 2714e20..205230a 100644
--- a/erpnext/hr/doctype/loan_type/loan_type.py
+++ b/erpnext/loan_management/doctype/unpledge/unpledge.py
@@ -1,10 +1,10 @@
 # -*- coding: utf-8 -*-
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and contributors
+# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors
 # For license information, please see license.txt
 
 from __future__ import unicode_literals
-import frappe
+# import frappe
 from frappe.model.document import Document
 
-class LoanType(Document):
+class Unpledge(Document):
 	pass
diff --git a/erpnext/loan_management/loan_common.js b/erpnext/loan_management/loan_common.js
new file mode 100644
index 0000000..3a47a88
--- /dev/null
+++ b/erpnext/loan_management/loan_common.js
@@ -0,0 +1,40 @@
+// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.ui.form.on(cur_frm.doctype, {
+	refresh: function(frm) {
+		if (!frappe.boot.active_domains.includes("Non Profit")) {
+			frm.set_df_property('applicant_type', 'options', ['Employee', 'Customer']);
+			frm.refresh_field('applicant_type');
+		}
+
+		if (['Loan Disbursement', 'Loan Repayment', 'Loan Interest Accrual'].includes(frm.doc.doctype)
+			&& frm.doc.docstatus == 1) {
+
+			frm.add_custom_button(__("Accounting Ledger"), function() {
+				frappe.route_options = {
+					voucher_no: frm.doc.name,
+					company: frm.doc.company
+				};
+
+				frappe.set_route("query-report", "General Ledger");
+			},__("View"));
+		}
+	},
+	applicant: function(frm) {
+		if (!["Loan Application", "Loan"].includes(frm.doc.doctype)) {
+			return;
+		}
+
+		if (frm.doc.applicant) {
+			frappe.model.with_doc(frm.doc.applicant_type, frm.doc.applicant, function() {
+				var applicant = frappe.model.get_doc(frm.doc.applicant_type, frm.doc.applicant);
+				frm.set_value("applicant_name",
+					applicant.employee_name || applicant.member_name);
+			});
+		}
+		else {
+			frm.set_value("applicant_name", null);
+		}
+	}
+});
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/report/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/report/__init__.py
diff --git a/erpnext/hr/doctype/loan_type/__init__.py b/erpnext/loan_management/report/loan_repayment_and_closure/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan_type/__init__.py
copy to erpnext/loan_management/report/loan_repayment_and_closure/__init__.py
diff --git a/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js b/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js
new file mode 100644
index 0000000..ed5e937
--- /dev/null
+++ b/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js
@@ -0,0 +1,41 @@
+// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+/* eslint-disable */
+
+frappe.query_reports["Loan Repayment and Closure"] = {
+	"filters": [
+		{
+			"fieldname":"company",
+			"label": __("Company"),
+			"fieldtype": "Link",
+			"options": "Company",
+			"reqd": 1,
+			"default": frappe.defaults.get_user_default("Company")
+		},
+		{
+			"fieldname":"applicant_type",
+			"label": __("Applicant Type"),
+			"fieldtype": "Select",
+			"options": ["Customer", "Employee"],
+			"reqd": 1,
+			"default": "Customer",
+			on_change: function() {
+				frappe.query_report.set_filter_value('applicant', "");
+			}
+		},
+		{
+			"fieldname": "applicant",
+			"label": __("Applicant"),
+			"fieldtype": "Dynamic Link",
+			"get_options": function() {
+				var applicant_type = frappe.query_report.get_filter_value('applicant_type');
+				var applicant = frappe.query_report.get_filter_value('applicant');
+				if(applicant && !applicant_type) {
+					frappe.throw(__("Please select Applicant Type first"));
+				}
+				return applicant_type;
+			}
+
+		},
+	]
+};
diff --git a/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.json b/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.json
new file mode 100644
index 0000000..52d5b2c
--- /dev/null
+++ b/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.json
@@ -0,0 +1,27 @@
+{
+ "add_total_row": 0,
+ "creation": "2019-09-03 16:54:55.616593",
+ "disable_prepared_report": 0,
+ "disabled": 0,
+ "docstatus": 0,
+ "doctype": "Report",
+ "idx": 0,
+ "is_standard": "Yes",
+ "modified": "2020-02-25 07:16:47.696994",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Repayment and Closure",
+ "owner": "Administrator",
+ "prepared_report": 0,
+ "ref_doctype": "Loan Repayment",
+ "report_name": "Loan Repayment and Closure",
+ "report_type": "Script Report",
+ "roles": [
+  {
+   "role": "System Manager"
+  },
+  {
+   "role": "Loan Manager"
+  }
+ ]
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.py b/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.py
new file mode 100644
index 0000000..b63cc8e
--- /dev/null
+++ b/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.py
@@ -0,0 +1,129 @@
+# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe import _
+
+def execute(filters=None):
+	columns = get_columns()
+	data = get_data(filters)
+	return columns, data
+
+def get_columns():
+	return [
+			{
+				"label": _("Posting Date"),
+				"fieldtype": "Date",
+				"fieldname": "posting_date",
+				"width": 100
+			},
+			{
+				"label": _("Loan Repayment"),
+				"fieldtype": "Link",
+				"fieldname": "loan_repayment",
+				"options": "Loan Repayment",
+				"width": 100
+			},
+			{
+				"label": _("Against Loan"),
+				"fieldtype": "Link",
+				"fieldname": "against_loan",
+				"options": "Loan",
+				"width": 200
+			},
+			{
+				"label": _("Applicant"),
+				"fieldtype": "Data",
+				"fieldname": "applicant",
+				"width": 150
+			},
+			{
+				"label": _("Payment Type"),
+				"fieldtype": "Data",
+				"fieldname": "payment_type",
+				"width": 150
+			},
+			{
+				"label": _("Principal Amount"),
+				"fieldtype": "Currency",
+				"fieldname": "principal_amount",
+				"options": "currency",
+				"width": 100
+			},
+			{
+				"label": _("Interest Amount"),
+				"fieldtype": "Currency",
+				"fieldname": "interest",
+				"options": "currency",
+				"width": 100
+			},
+			{
+				"label": _("Penalty Amount"),
+				"fieldtype": "Currency",
+				"fieldname": "penalty",
+				"options": "currency",
+				"width": 100
+			},
+			{
+				"label": _("Payable Amount"),
+				"fieldtype": "Currency",
+				"fieldname": "payable_amount",
+				"options": "currency",
+				"width": 100
+			},
+			{
+				"label": _("Paid Amount"),
+				"fieldtype": "Currency",
+				"fieldname": "paid_amount",
+				"options": "currency",
+				"width": 100
+			},
+			{
+				"label": _("Currency"),
+				"fieldtype": "Link",
+				"fieldname": "currency",
+				"options": "Currency",
+				"width": 100
+			}
+		]
+
+def get_data(filters):
+	data = []
+
+	query_filters = {
+		"docstatus": 1,
+		"company": filters.get('company'),
+	}
+
+	if filters.get('applicant'):
+		query_filters.update({
+			"applicant": filters.get('applicant')
+		})
+
+	loan_repayments = frappe.get_all("Loan Repayment",
+		filters = query_filters,
+		fields=["posting_date", "applicant", "name", "against_loan", "payment_type", "payable_amount",
+			"pending_principal_amount", "interest_payable", "penalty_amount", "amount_paid"]
+	)
+
+	default_currency = frappe.get_cached_value("Company", filters.get("company"), "default_currency")
+
+	for repayment in loan_repayments:
+		row = {
+			"posting_date": repayment.posting_date,
+			"loan_repayment": repayment.name,
+			"applicant": repayment.applicant,
+			"payment_type": repayment.payment_type,
+			"against_loan": repayment.against_loan,
+			"principal_amount": repayment.pending_principal_amount,
+			"interest": repayment.interest_payable,
+			"penalty": repayment.penalty_amount,
+			"payable_amount": repayment.payable_amount,
+			"paid_amount": repayment.amount_paid,
+			"currency": default_currency
+		}
+
+		data.append(row)
+
+	return data
\ No newline at end of file
diff --git a/erpnext/hr/doctype/loan/__init__.py b/erpnext/loan_management/report/loan_security_status/__init__.py
similarity index 100%
copy from erpnext/hr/doctype/loan/__init__.py
copy to erpnext/loan_management/report/loan_security_status/__init__.py
diff --git a/erpnext/loan_management/report/loan_security_status/loan_security_status.js b/erpnext/loan_management/report/loan_security_status/loan_security_status.js
new file mode 100644
index 0000000..6e6191c
--- /dev/null
+++ b/erpnext/loan_management/report/loan_security_status/loan_security_status.js
@@ -0,0 +1,46 @@
+// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+/* eslint-disable */
+
+frappe.query_reports["Loan Security Status"] = {
+	"filters": [
+		{
+			"fieldname":"company",
+			"label": __("Company"),
+			"fieldtype": "Link",
+			"options": "Company",
+			"reqd": 1,
+			"default": frappe.defaults.get_user_default("Company")
+		},
+		{
+			"fieldname":"applicant_type",
+			"label": __("Applicant Type"),
+			"fieldtype": "Select",
+			"options": ["Customer", "Employee"],
+			"reqd": 1,
+			"default": "Customer",
+			on_change: function() {
+				frappe.query_report.set_filter_value('applicant', "");
+			}
+		},
+		{
+			"fieldname": "applicant",
+			"label": __("Applicant"),
+			"fieldtype": "Dynamic Link",
+			"get_options": function() {
+				var applicant_type = frappe.query_report.get_filter_value('applicant_type');
+				var applicant = frappe.query_report.get_filter_value('applicant');
+				if(applicant && !applicant_type) {
+					frappe.throw(__("Please select Applicant Type first"));
+				}
+				return applicant_type;
+			}
+		},
+		{
+			"fieldname":"pledge_status",
+			"label": __("Pledge Status"),
+			"fieldtype": "Select",
+			"options": ["", "Requested", "Pledged", "Partially Pledged", "Unpledged"],
+		},
+	]
+};
diff --git a/erpnext/loan_management/report/loan_security_status/loan_security_status.json b/erpnext/loan_management/report/loan_security_status/loan_security_status.json
new file mode 100644
index 0000000..9eb948d
--- /dev/null
+++ b/erpnext/loan_management/report/loan_security_status/loan_security_status.json
@@ -0,0 +1,27 @@
+{
+ "add_total_row": 1,
+ "creation": "2019-10-07 05:57:33.435705",
+ "disable_prepared_report": 0,
+ "disabled": 0,
+ "docstatus": 0,
+ "doctype": "Report",
+ "idx": 0,
+ "is_standard": "Yes",
+ "modified": "2019-10-07 13:45:46.793949",
+ "modified_by": "Administrator",
+ "module": "Loan Management",
+ "name": "Loan Security Status",
+ "owner": "Administrator",
+ "prepared_report": 0,
+ "ref_doctype": "Loan Security",
+ "report_name": "Loan Security Status",
+ "report_type": "Script Report",
+ "roles": [
+  {
+   "role": "System Manager"
+  },
+  {
+   "role": "Loan Manager"
+  }
+ ]
+}
\ No newline at end of file
diff --git a/erpnext/loan_management/report/loan_security_status/loan_security_status.py b/erpnext/loan_management/report/loan_security_status/loan_security_status.py
new file mode 100644
index 0000000..ea6a2ee6
--- /dev/null
+++ b/erpnext/loan_management/report/loan_security_status/loan_security_status.py
@@ -0,0 +1,135 @@
+# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe import _
+
+def execute(filters=None):
+	columns = get_columns(filters)
+	data = get_data(filters)
+	return columns, data
+
+def get_columns(filters):
+	columns= [
+		{
+			"label": _("Loan Security Pledge"),
+			"fieldtype": "Link",
+			"fieldname": "loan_security_pledge",
+			"options": "Loan Security Pledge",
+			"width": 200
+		},
+		{
+			"label": _("Loan"),
+			"fieldtype": "Link",
+			"fieldname": "loan",
+			"options": "Loan",
+			"width": 200
+		},
+		{
+			"label": _("Applicant"),
+			"fieldtype": "Data",
+			"fieldname": "applicant",
+			"width": 200
+		},
+		{
+			"label": _("Status"),
+			"fieldtype": "Data",
+			"fieldname": "status",
+			"width": 100
+		},
+		{
+			"label": _("Pledge Time"),
+			"fieldtype": "Data",
+			"fieldname": "pledge_time",
+			"width": 150
+		},
+		{
+			"label": _("Loan Security"),
+			"fieldtype": "Link",
+			"fieldname": "loan_security",
+			"options": "Loan Security",
+			"width": 150
+		},
+		{
+			"label": _("Quantity"),
+			"fieldtype": "Float",
+			"fieldname": "qty",
+			"width": 100
+		},
+		{
+			"label": _("Loan Security Price"),
+			"fieldtype": "Currency",
+			"fieldname": "loan_security_price",
+			"options": "currency",
+			"width": 200
+		},
+		{
+			"label": _("Loan Security Value"),
+			"fieldtype": "Currency",
+			"fieldname": "loan_security_value",
+			"options": "currency",
+			"width": 200
+		},
+		{
+			"label": _("Currency"),
+			"fieldtype": "Link",
+			"fieldname": "currency",
+			"options": "Currency",
+			"width": 50
+		}
+	]
+
+	return columns
+
+def get_data(filters):
+
+	loan_security_price_map = frappe._dict(frappe.get_all("Loan Security",
+		fields=["name", "loan_security_price"], as_list=1
+	))
+
+	data = []
+	conditions = get_conditions(filters)
+
+	loan_security_pledges = frappe.db.sql("""
+		SELECT
+			p.name, p.applicant, p.loan, p.status, p.pledge_time,
+			c.loan_security, c.qty
+		FROM
+			`tabLoan Security Pledge` p, `tabPledge` c
+		WHERE
+			p.docstatus = 1
+			AND c.parent = p.name
+			AND p.company = %(company)s
+			{conditions}
+	""".format(conditions = conditions), (filters), as_dict=1) #nosec
+
+	default_currency = frappe.get_cached_value("Company", filters.get("company"), "default_currency")
+
+	for pledge in loan_security_pledges:
+		row = {}
+		row["loan_security_pledge"] = pledge.name
+		row["loan"] = pledge.loan
+		row["applicant"] = pledge.applicant
+		row["status"] = pledge.status
+		row["pledge_time"] = pledge.pledge_time
+		row["loan_security"] = pledge.loan_security
+		row["qty"] = pledge.qty
+		row["loan_security_price"] = loan_security_price_map.get(pledge.loan_security)
+		row["loan_security_value"] = row["loan_security_price"] * pledge.qty
+		row["currency"] = default_currency
+
+		data.append(row)
+
+	return data
+
+def get_conditions(filters):
+	conditions = []
+
+	if filters.get("applicant"):
+		conditions.append("p.applicant = %(applicant)s")
+
+	if filters.get("pledge_status"):
+		conditions.append(" p.status = %(pledge_status)s")
+
+	return "AND {}".format(" AND ".join(conditions)) if conditions else ""
diff --git a/erpnext/manufacturing/doctype/production_plan/production_plan.js b/erpnext/manufacturing/doctype/production_plan/production_plan.js
index 2b168d1..96e5cd5 100644
--- a/erpnext/manufacturing/doctype/production_plan/production_plan.js
+++ b/erpnext/manufacturing/doctype/production_plan/production_plan.js
@@ -296,3 +296,11 @@
 		}
 	}
 });
+
+cur_frm.fields_dict['sales_orders'].grid.get_field("sales_order").get_query = function() {
+	return{
+		filters: [
+			['Sales Order','docstatus', '=' ,1]
+		]
+	}
+};
\ No newline at end of file
diff --git a/erpnext/modules.txt b/erpnext/modules.txt
index 316d6de..3b34758 100644
--- a/erpnext/modules.txt
+++ b/erpnext/modules.txt
@@ -23,4 +23,5 @@
 Hotels
 Hub Node
 Quality Management
-Communication
\ No newline at end of file
+Communication
+Loan Management
\ No newline at end of file
diff --git a/erpnext/patches.txt b/erpnext/patches.txt
index 42d537a..b0fc7ea 100644
--- a/erpnext/patches.txt
+++ b/erpnext/patches.txt
@@ -510,7 +510,6 @@
 erpnext.patches.v11_0.merge_land_unit_with_location
 erpnext.patches.v11_0.add_index_on_nestedset_doctypes
 erpnext.patches.v11_0.remove_modules_setup_page
-erpnext.patches.v11_0.rename_employee_loan_to_loan
 erpnext.patches.v11_0.move_leave_approvers_from_employee #13-06-2018
 erpnext.patches.v11_0.update_department_lft_rgt
 erpnext.patches.v11_0.add_default_email_template_for_leave
@@ -634,6 +633,7 @@
 erpnext.patches.v12_0.add_default_dashboards
 erpnext.patches.v12_0.remove_bank_remittance_custom_fields
 erpnext.patches.v12_0.generate_leave_ledger_entries
+execute:frappe.delete_doc_if_exists("Report", "Loan Repayment")
 erpnext.patches.v12_0.move_credit_limit_to_customer_credit_limit
 erpnext.patches.v12_0.add_variant_of_in_item_attribute_table
 erpnext.patches.v12_0.rename_bank_account_field_in_journal_entry_account
diff --git a/erpnext/patches/v11_0/rename_employee_loan_to_loan.py b/erpnext/patches/v11_0/rename_employee_loan_to_loan.py
deleted file mode 100644
index b2ff6b8..0000000
--- a/erpnext/patches/v11_0/rename_employee_loan_to_loan.py
+++ /dev/null
@@ -1,28 +0,0 @@
-from __future__ import unicode_literals
-import frappe
-from frappe.model.utils.rename_field import rename_field
-
-def execute():
-	if frappe.db.table_exists("Employee Loan Application") and not frappe.db.table_exists("Loan Application"):
-		frappe.rename_doc("DocType", "Employee Loan Application", "Loan Application", force=True)
-
-	if frappe.db.table_exists("Employee Loan") and not frappe.db.table_exists("Loan"):
-		frappe.rename_doc("DocType", "Employee Loan", "Loan", force=True)
-
-	frappe.reload_doc("hr", "doctype", "loan_application")
-	frappe.reload_doc("hr", "doctype", "loan")
-	frappe.reload_doc("hr", "doctype", "salary_slip_loan")
-
-	for doctype in ['Loan', 'Salary Slip Loan']:
-		if frappe.db.has_column(doctype, 'employee_loan_account'):
-			rename_field(doctype, "employee_loan_account", "loan_account")
-
-	columns = {'employee': 'applicant', 'employee_name': 'applicant_name'}
-	for doctype in ['Loan Application', 'Loan']:
-		frappe.db.sql(""" update `tab{doctype}` set applicant_type = 'Employee' """
-			.format(doctype=doctype))
-		for column, new_column in columns.items():
-			if frappe.db.has_column(doctype, column):
-				rename_field(doctype, column, new_column)
-
-		frappe.delete_doc('DocType', doctype)
\ No newline at end of file
diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py
index d56bb23..1cb2c50 100755
--- a/erpnext/projects/doctype/task/task.py
+++ b/erpnext/projects/doctype/task/task.py
@@ -212,10 +212,10 @@
 		task.save()
 
 def set_tasks_as_overdue():
-	tasks = frappe.get_all("Task", filters={'status':['not in',['Cancelled', 'Closed']]})
+	tasks = frappe.get_all("Task", filters={"status": ["not in", ["Cancelled", "Completed"]]}, fields=["name", "status", "review_date"])
 	for task in tasks:
-		if frappe.db.get_value("Task", task.name, "status") in 'Pending Review':
-			if getdate(frappe.db.get_value("Task", task.name, "review_date")) < getdate(today()):
+		if task.status == "Pending Review":
+			if getdate(task.review_date) > getdate(today()):
 				continue
 		frappe.get_doc("Task", task.name).update_status()
 
diff --git a/erpnext/public/js/controllers/taxes_and_totals.js b/erpnext/public/js/controllers/taxes_and_totals.js
index a51c2f0..9a5b750 100644
--- a/erpnext/public/js/controllers/taxes_and_totals.js
+++ b/erpnext/public/js/controllers/taxes_and_totals.js
@@ -39,6 +39,11 @@
 			this.calculate_total_advance(update_paid_amount);
 		}
 
+		if (this.frm.doc.doctype == "Sales Invoice" && this.frm.doc.is_pos &&
+			this.frm.doc.is_return) {
+			this.update_paid_amount_for_return();
+		}
+
 		// Sales person's commission
 		if(in_list(["Quotation", "Sales Order", "Delivery Note", "Sales Invoice"], this.frm.doc.doctype)) {
 			this.calculate_commission();
@@ -635,23 +640,58 @@
 		}
 	},
 
-	set_default_payment: function(total_amount_to_pay, update_paid_amount){
+	update_paid_amount_for_return: function() {
+		var grand_total = this.frm.doc.rounded_total || this.frm.doc.grand_total;
+
+		if(this.frm.doc.party_account_currency == this.frm.doc.currency) {
+			var total_amount_to_pay = flt((grand_total - this.frm.doc.total_advance
+				- this.frm.doc.write_off_amount), precision("grand_total"));
+		} else {
+			var total_amount_to_pay = flt(
+				(flt(grand_total*this.frm.doc.conversion_rate, precision("grand_total"))
+					- this.frm.doc.total_advance - this.frm.doc.base_write_off_amount),
+				precision("base_grand_total")
+			);
+		}
+
+		frappe.db.get_value('Sales Invoice Payment', {'parent': this.frm.doc.pos_profile, 'default': 1},
+			['mode_of_payment', 'account', 'type'], (value) => {
+				if (this.frm.is_dirty()) {
+					frappe.model.clear_table(this.frm.doc, 'payments');
+					if (value) {
+						let row = frappe.model.add_child(this.frm.doc, 'Sales Invoice Payment', 'payments');
+						row.mode_of_payment = value.mode_of_payment;
+						row.type = value.type;
+						row.account = value.account;
+						row.default = 1;
+						row.amount = total_amount_to_pay;
+					} else {
+						this.frm.set_value('is_pos', 1);
+					}
+					this.frm.refresh_fields();
+				}
+			}, 'Sales Invoice');
+
+		this.calculate_paid_amount();
+	},
+
+	set_default_payment: function(total_amount_to_pay, update_paid_amount) {
 		var me = this;
 		var payment_status = true;
-		if(this.frm.doc.is_pos && (update_paid_amount===undefined || update_paid_amount)){
-			$.each(this.frm.doc['payments'] || [], function(index, data){
+		if(this.frm.doc.is_pos && (update_paid_amount===undefined || update_paid_amount)) {
+			$.each(this.frm.doc['payments'] || [], function(index, data) {
 				if(data.default && payment_status && total_amount_to_pay > 0) {
 					data.base_amount = flt(total_amount_to_pay, precision("base_amount"));
 					data.amount = flt(total_amount_to_pay / me.frm.doc.conversion_rate, precision("amount"));
 					payment_status = false;
-				}else if(me.frm.doc.paid_amount){
+				} else if(me.frm.doc.paid_amount) {
 					data.amount = 0.0;
 				}
 			});
 		}
 	},
 
-	calculate_paid_amount: function(){
+	calculate_paid_amount: function() {
 		var me = this;
 		var paid_amount = 0.0;
 		var base_paid_amount = 0.0;
diff --git a/erpnext/public/js/utils.js b/erpnext/public/js/utils.js
index 35dc842..4eb3175 100755
--- a/erpnext/public/js/utils.js
+++ b/erpnext/public/js/utils.js
@@ -439,12 +439,13 @@
 	const dialog = new frappe.ui.Dialog({
 		title: __("Update Items"),
 		fields: [
-			{fieldtype:'Section Break', label: __('Items')},
 			{
 				fieldname: "trans_items",
 				fieldtype: "Table",
+				label: "Items",
 				cannot_add_rows: cannot_add_row,
 				in_place_edit: true,
+				reqd: 1,
 				data: this.data,
 				get_data: () => {
 					return this.data;
diff --git a/erpnext/public/js/utils/dimension_tree_filter.js b/erpnext/public/js/utils/dimension_tree_filter.js
index 7abe4a7..8b6de0f 100644
--- a/erpnext/public/js/utils/dimension_tree_filter.js
+++ b/erpnext/public/js/utils/dimension_tree_filter.js
@@ -35,11 +35,13 @@
 							}
 						}
 
-						if (frm.doc.items && frm.doc.items.length) {
+						if (frm.doc.items && frm.doc.items.length && frm.doc.docstatus === 0
+							&& (!frm.doc.items[0][dimension['fieldname']])) {
 							frm.doc.items[0][dimension['fieldname']] = erpnext.default_dimensions[frm.doc.company][dimension['document_type']];
 						}
 
-						if (frm.doc.accounts && frm.doc.accounts.length) {
+						if (frm.doc.accounts && frm.doc.accounts.length && frm.doc.docstatus === 0
+							&& (!frm.doc.items[0][dimension['fieldname']])) {
 							frm.doc.accounts[0][dimension['fieldname']] = erpnext.default_dimensions[frm.doc.company][dimension['document_type']];
 						}
 					}
diff --git a/erpnext/regional/report/gst_itemised_purchase_register/gst_itemised_purchase_register.py b/erpnext/regional/report/gst_itemised_purchase_register/gst_itemised_purchase_register.py
index 3ce2547..b5948f9 100644
--- a/erpnext/regional/report/gst_itemised_purchase_register/gst_itemised_purchase_register.py
+++ b/erpnext/regional/report/gst_itemised_purchase_register/gst_itemised_purchase_register.py
@@ -13,9 +13,9 @@
 		dict(fieldtype='Data', label='GST Category', fieldname="gst_category", width=120),
 		dict(fieldtype='Data', label='Export Type', fieldname="export_type", width=120),
 		dict(fieldtype='Data', label='E-Commerce GSTIN', fieldname="ecommerce_gstin", width=130),
-		dict(fieldtype='Data', label='HSN Code', fieldname="hsn_code", width=120),
-		dict(fieldtype='Data', label='Supplier Invoice No', fieldname="supplier_invoice_no", width=120),
-		dict(fieldtype='Date', label='Supplier Invoice Date', fieldname="supplier_invoice_date", width=100)
+		dict(fieldtype='Data', label='HSN Code', fieldname="gst_hsn_code", width=120),
+		dict(fieldtype='Data', label='Supplier Invoice No', fieldname="bill_no", width=120),
+		dict(fieldtype='Date', label='Supplier Invoice Date', fieldname="bill_date", width=100)
 	], additional_query_columns=[
 		'supplier_gstin',
 		'company_gstin',
diff --git a/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.py b/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.py
index ab523e7..e13f509 100644
--- a/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.py
+++ b/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.py
@@ -15,7 +15,7 @@
 		dict(fieldtype='Data', label='GST Category', fieldname="gst_category", width=120),
 		dict(fieldtype='Data', label='Export Type', fieldname="export_type", width=120),
 		dict(fieldtype='Data', label='E-Commerce GSTIN', fieldname="ecommerce_gstin", width=130),
-		dict(fieldtype='Data', label='HSN Code', fieldname="hsn_code", width=120)
+		dict(fieldtype='Data', label='HSN Code', fieldname="gst_hsn_code", width=120)
 	], additional_query_columns=[
 		'customer_gstin',
 		'billing_address_gstin',
diff --git a/erpnext/regional/turkey/setup.py b/erpnext/regional/turkey/setup.py
new file mode 100644
index 0000000..ebf3b2b
--- /dev/null
+++ b/erpnext/regional/turkey/setup.py
@@ -0,0 +1,4 @@
+from __future__ import unicode_literals
+
+def setup(company=None, patch=True):
+    pass
\ No newline at end of file
diff --git a/erpnext/selling/doctype/product_bundle_item/product_bundle_item.json b/erpnext/selling/doctype/product_bundle_item/product_bundle_item.json
index 38f51de..dc071e4 100644
--- a/erpnext/selling/doctype/product_bundle_item/product_bundle_item.json
+++ b/erpnext/selling/doctype/product_bundle_item/product_bundle_item.json
@@ -1,189 +1,76 @@
 {
- "allow_copy": 0, 
- "allow_import": 0, 
- "allow_rename": 0, 
- "beta": 0, 
- "creation": "2013-05-23 16:55:51", 
- "custom": 0, 
- "docstatus": 0, 
- "doctype": "DocType", 
- "editable_grid": 1, 
- "engine": "InnoDB", 
+ "actions": [],
+ "creation": "2013-05-23 16:55:51",
+ "doctype": "DocType",
+ "editable_grid": 1,
+ "engine": "InnoDB",
+ "field_order": [
+  "item_code",
+  "qty",
+  "description",
+  "rate",
+  "uom"
+ ],
  "fields": [
   {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "item_code", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 1, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Item", 
-   "length": 0, 
-   "no_copy": 0, 
-   "oldfieldname": "item_code", 
-   "oldfieldtype": "Link", 
-   "options": "Item", 
-   "permlevel": 0, 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "item_code",
+   "fieldtype": "Link",
+   "in_global_search": 1,
+   "in_list_view": 1,
+   "label": "Item",
+   "oldfieldname": "item_code",
+   "oldfieldtype": "Link",
+   "options": "Item",
+   "reqd": 1
+  },
   {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "qty", 
-   "fieldtype": "Float", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Qty", 
-   "length": 0, 
-   "no_copy": 0, 
-   "oldfieldname": "qty", 
-   "oldfieldtype": "Currency", 
-   "permlevel": 0, 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 1, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "qty",
+   "fieldtype": "Float",
+   "in_list_view": 1,
+   "label": "Qty",
+   "oldfieldname": "qty",
+   "oldfieldtype": "Currency",
+   "reqd": 1
+  },
   {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "description", 
-   "fieldtype": "Text Editor", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 1, 
-   "in_standard_filter": 0, 
-   "label": "Description", 
-   "length": 0, 
-   "no_copy": 0, 
-   "oldfieldname": "description", 
-   "oldfieldtype": "Text", 
-   "permlevel": 0, 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "print_width": "300px", 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "description",
+   "fieldtype": "Text Editor",
+   "in_list_view": 1,
+   "label": "Description",
+   "oldfieldname": "description",
+   "oldfieldtype": "Text",
+   "print_width": "300px"
+  },
   {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "rate", 
-   "fieldtype": "Float", 
-   "hidden": 1, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "Rate", 
-   "length": 0, 
-   "no_copy": 0, 
-   "oldfieldname": "rate", 
-   "oldfieldtype": "Currency", 
-   "permlevel": 0, 
-   "print_hide": 1, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 0, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
-  }, 
+   "fieldname": "rate",
+   "fieldtype": "Float",
+   "hidden": 1,
+   "label": "Rate",
+   "oldfieldname": "rate",
+   "oldfieldtype": "Currency",
+   "print_hide": 1
+  },
   {
-   "allow_on_submit": 0, 
-   "bold": 0, 
-   "collapsible": 0, 
-   "columns": 0, 
-   "fieldname": "uom", 
-   "fieldtype": "Link", 
-   "hidden": 0, 
-   "ignore_user_permissions": 0, 
-   "ignore_xss_filter": 0, 
-   "in_filter": 0, 
-   "in_global_search": 0, 
-   "in_list_view": 0, 
-   "in_standard_filter": 0, 
-   "label": "UOM", 
-   "length": 0, 
-   "no_copy": 0, 
-   "oldfieldname": "uom", 
-   "oldfieldtype": "Link", 
-   "options": "UOM", 
-   "permlevel": 0, 
-   "print_hide": 0, 
-   "print_hide_if_no_value": 0, 
-   "read_only": 1, 
-   "remember_last_selected_value": 0, 
-   "report_hide": 0, 
-   "reqd": 0, 
-   "search_index": 0, 
-   "set_only_once": 0, 
-   "unique": 0
+   "fieldname": "uom",
+   "fieldtype": "Link",
+   "in_list_view": 1,
+   "label": "UOM",
+   "oldfieldname": "uom",
+   "oldfieldtype": "Link",
+   "options": "UOM",
+   "read_only": 1
   }
- ], 
- "hide_heading": 0, 
- "hide_toolbar": 0, 
- "idx": 1, 
- "image_view": 0, 
- "in_create": 0, 
-
- "is_submittable": 0, 
- "issingle": 0, 
- "istable": 1, 
- "max_attachments": 0, 
- "modified": "2017-02-20 13:24:05.633546", 
- "modified_by": "Administrator", 
- "module": "Selling", 
- "name": "Product Bundle Item", 
- "owner": "Administrator", 
- "permissions": [], 
- "quick_entry": 0, 
- "read_only": 0, 
- "read_only_onload": 0, 
- "show_name_in_global_search": 0, 
- "track_changes": 1, 
- "track_seen": 0
+ ],
+ "idx": 1,
+ "istable": 1,
+ "links": [],
+ "modified": "2020-02-28 14:06:05.725655",
+ "modified_by": "Administrator",
+ "module": "Selling",
+ "name": "Product Bundle Item",
+ "owner": "Administrator",
+ "permissions": [],
+ "sort_field": "modified",
+ "sort_order": "DESC",
+ "track_changes": 1
 }
\ No newline at end of file
diff --git a/erpnext/selling/doctype/quotation/quotation.py b/erpnext/selling/doctype/quotation/quotation.py
index d8667f6..b79c91c 100644
--- a/erpnext/selling/doctype/quotation/quotation.py
+++ b/erpnext/selling/doctype/quotation/quotation.py
@@ -68,13 +68,19 @@
 
 	def declare_enquiry_lost(self, lost_reasons_list, detailed_reason=None):
 		if not self.has_sales_order():
+			get_lost_reasons = frappe.get_list('Opportunity Lost Reason',
+			fields = ["name"])
+			lost_reasons_lst = [reason.get('name') for reason in get_lost_reasons]
 			frappe.db.set(self, 'status', 'Lost')
 
 			if detailed_reason:
 				frappe.db.set(self, 'order_lost_reason', detailed_reason)
 
 			for reason in lost_reasons_list:
-				self.append('lost_reasons', reason)
+				if reason.get('lost_reason') in lost_reasons_lst:
+					self.append('lost_reasons', reason)
+				else:
+					frappe.throw(_("Invalid lost reason {0}, please create a new lost reason").format(frappe.bold(reason.get('lost_reason'))))
 
 			self.update_opportunity()
 			self.update_lead()
diff --git a/erpnext/selling/doctype/quotation_item/quotation_item.json b/erpnext/selling/doctype/quotation_item/quotation_item.json
index a299b88..3ff5555 100644
--- a/erpnext/selling/doctype/quotation_item/quotation_item.json
+++ b/erpnext/selling/doctype/quotation_item/quotation_item.json
@@ -1,4 +1,5 @@
 {
+ "actions": [],
  "creation": "2013-03-07 11:42:57",
  "doctype": "DocType",
  "document_type": "Document",
@@ -163,6 +164,7 @@
    "oldfieldname": "stock_uom",
    "oldfieldtype": "Data",
    "options": "UOM",
+   "print_hide": 1,
    "print_width": "100px",
    "read_only": 1,
    "width": "100px"
@@ -176,7 +178,6 @@
    "fieldtype": "Link",
    "label": "UOM",
    "options": "UOM",
-   "print_hide": 1,
    "reqd": 1
   },
   {
@@ -382,6 +383,7 @@
    "read_only": 1
   },
   {
+   "default": "0",
    "fieldname": "is_free_item",
    "fieldtype": "Check",
    "label": "Is Free Item",
@@ -517,6 +519,7 @@
   },
   {
    "allow_on_submit": 1,
+   "default": "0",
    "fieldname": "page_break",
    "fieldtype": "Check",
    "label": "Page Break",
@@ -574,7 +577,8 @@
  ],
  "idx": 1,
  "istable": 1,
- "modified": "2019-05-01 17:39:14.228141",
+ "links": [],
+ "modified": "2020-03-05 14:18:58.783751",
  "modified_by": "Administrator",
  "module": "Selling",
  "name": "Quotation Item",
diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json
index 70e534a..73f233c 100644
--- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json
+++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json
@@ -212,7 +212,6 @@
    "fieldtype": "Link",
    "label": "UOM",
    "options": "UOM",
-   "print_hide": 1,
    "reqd": 1
   },
   {
@@ -770,7 +769,7 @@
  "idx": 1,
  "istable": 1,
  "links": [],
- "modified": "2020-01-13 12:29:03.103797",
+ "modified": "2020-03-05 14:20:28.085117",
  "modified_by": "Administrator",
  "module": "Selling",
  "name": "Sales Order Item",
diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py
index 6aa2c04..956deef 100644
--- a/erpnext/setup/doctype/company/company.py
+++ b/erpnext/setup/doctype/company/company.py
@@ -424,8 +424,13 @@
 	company_doc = frappe.get_doc("Company", company)
 	path = frappe.get_app_path('erpnext', 'regional', frappe.scrub(company_doc.country))
 	if os.path.exists(path.encode("utf-8")):
-		frappe.get_attr("erpnext.regional.{0}.setup.setup"
-			.format(frappe.scrub(company_doc.country)))(company_doc, False)
+		try:
+			module_name = "erpnext.regional.{0}.setup.setup".format(frappe.scrub(company_doc.country))
+			frappe.get_attr(module_name)(company_doc, False)
+		except Exception as e:
+			frappe.log_error(str(e), frappe.get_traceback())
+			frappe.throw(_("Failed to setup defaults for country {0}. Please contact support@erpnext.com").format(frappe.bold(company_doc.country)))
+
 
 def update_company_current_month_sales(company):
 	current_month_year = formatdate(today(), "MM-yyyy")
diff --git a/erpnext/setup/doctype/company/delete_company_transactions.py b/erpnext/setup/doctype/company/delete_company_transactions.py
index 1503adb..8ecc13b 100644
--- a/erpnext/setup/doctype/company/delete_company_transactions.py
+++ b/erpnext/setup/doctype/company/delete_company_transactions.py
@@ -108,8 +108,8 @@
 def delete_communications(doctype, company_name, company_fieldname):
 		reference_docs = frappe.get_all(doctype, filters={company_fieldname:company_name})
 		reference_doc_names = [r.name for r in reference_docs]
-		
+
 		communications = frappe.get_all("Communication", filters={"reference_doctype":doctype,"reference_name":["in", reference_doc_names]})
 		communication_names = [c.name for c in communications]
 
-		frappe.delete_doc("Communication", communication_names)
+		frappe.delete_doc("Communication", communication_names, ignore_permissions=True)
diff --git a/erpnext/setup/doctype/sales_person/sales_person.js b/erpnext/setup/doctype/sales_person/sales_person.js
index 9ff37fa..89ca4a9 100644
--- a/erpnext/setup/doctype/sales_person/sales_person.js
+++ b/erpnext/setup/doctype/sales_person/sales_person.js
@@ -19,6 +19,11 @@
 				}
 			}
 		};
+	
+		frm.make_methods = {
+			'Sales Order': () => frappe.new_doc("Sales Order")
+				.then(() => frm.add_child("sales_team", {"sales_person": frm.doc.name}))
+		}
 	}
 });
 
diff --git a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json
index af06dae..782ac84 100644
--- a/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json
+++ b/erpnext/stock/doctype/delivery_note_item/delivery_note_item.json
@@ -1,4 +1,5 @@
 {
+ "actions": [],
  "autoname": "hash",
  "creation": "2013-04-22 13:15:44",
  "doctype": "DocType",
@@ -180,6 +181,7 @@
    "oldfieldname": "stock_uom",
    "oldfieldtype": "Data",
    "options": "UOM",
+   "print_hide": 1,
    "print_width": "50px",
    "read_only": 1,
    "reqd": 1,
@@ -195,7 +197,6 @@
    "in_list_view": 1,
    "label": "UOM",
    "options": "UOM",
-   "print_hide": 1,
    "reqd": 1
   },
   {
@@ -702,7 +703,8 @@
  ],
  "idx": 1,
  "istable": 1,
- "modified": "2019-05-25 22:08:27.452734",
+ "links": [],
+ "modified": "2020-03-05 14:18:33.131672",
  "modified_by": "Administrator",
  "module": "Stock",
  "name": "Delivery Note Item",
diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py
index a2a913a..74ae627 100644
--- a/erpnext/stock/doctype/item/item.py
+++ b/erpnext/stock/doctype/item/item.py
@@ -981,6 +981,7 @@
 def get_last_purchase_details(item_code, doc_name=None, conversion_rate=1.0):
 	"""returns last purchase details in stock uom"""
 	# get last purchase order item details
+
 	last_purchase_order = frappe.db.sql("""\
 		select po.name, po.transaction_date, po.conversion_rate,
 			po_item.conversion_factor, po_item.base_price_list_rate,
@@ -991,6 +992,7 @@
 		order by po.transaction_date desc, po.name desc
 		limit 1""", (item_code, cstr(doc_name)), as_dict=1)
 
+
 	# get last purchase receipt item details
 	last_purchase_receipt = frappe.db.sql("""\
 		select pr.name, pr.posting_date, pr.posting_time, pr.conversion_rate,
@@ -1002,19 +1004,20 @@
 		order by pr.posting_date desc, pr.posting_time desc, pr.name desc
 		limit 1""", (item_code, cstr(doc_name)), as_dict=1)
 
+	
+	
 	purchase_order_date = getdate(last_purchase_order and last_purchase_order[0].transaction_date
 							   or "1900-01-01")
 	purchase_receipt_date = getdate(last_purchase_receipt and
 								 last_purchase_receipt[0].posting_date or "1900-01-01")
 
-	if (purchase_order_date > purchase_receipt_date) or \
-				(last_purchase_order and not last_purchase_receipt):
+	if last_purchase_order and (purchase_order_date >= purchase_receipt_date or not last_purchase_receipt):
 		# use purchase order
+		
 		last_purchase = last_purchase_order[0]
 		purchase_date = purchase_order_date
 
-	elif (purchase_receipt_date > purchase_order_date) or \
-				(last_purchase_receipt and not last_purchase_order):
+	elif last_purchase_receipt and (purchase_receipt_date > purchase_order_date or not last_purchase_order):
 		# use purchase receipt
 		last_purchase = last_purchase_receipt[0]
 		purchase_date = purchase_receipt_date
@@ -1026,10 +1029,11 @@
 	out = frappe._dict({
 		"base_price_list_rate": flt(last_purchase.base_price_list_rate) / conversion_factor,
 		"base_rate": flt(last_purchase.base_rate) / conversion_factor,
-		"base_net_rate": flt(last_purchase.net_rate) / conversion_factor,
+		"base_net_rate": flt(last_purchase.base_net_rate) / conversion_factor,
 		"discount_percentage": flt(last_purchase.discount_percentage),
 		"purchase_date": purchase_date
 	})
+	
 
 	conversion_rate = flt(conversion_rate) or 1.0
 	out.update({
diff --git a/erpnext/stock/doctype/item_price/item_price.json b/erpnext/stock/doctype/item_price/item_price.json
index 8456b58..2e0ddfd 100644
--- a/erpnext/stock/doctype/item_price/item_price.json
+++ b/erpnext/stock/doctype/item_price/item_price.json
@@ -10,7 +10,6 @@
   "item_code",
   "uom",
   "packing_unit",
-  "min_qty",
   "column_break_17",
   "item_name",
   "brand",
@@ -64,13 +63,6 @@
    "label": "Packing Unit"
   },
   {
-   "default": "1",
-   "fieldname": "min_qty",
-   "fieldtype": "Int",
-   "in_list_view": 1,
-   "label": "Minimum Qty "
-  },
-  {
    "fieldname": "column_break_17",
    "fieldtype": "Column Break"
   },
@@ -216,7 +208,7 @@
  "icon": "fa fa-flag",
  "idx": 1,
  "links": [],
- "modified": "2019-12-31 03:11:09.702250",
+ "modified": "2020-02-28 14:21:25.580331",
  "modified_by": "Administrator",
  "module": "Stock",
  "name": "Item Price",
@@ -251,6 +243,7 @@
   }
  ],
  "quick_entry": 1,
+ "sort_field": "modified",
  "sort_order": "ASC",
  "title_field": "item_name",
  "track_changes": 1
diff --git a/erpnext/stock/doctype/item_price/test_records.json b/erpnext/stock/doctype/item_price/test_records.json
index 473bacb..0a3d7e8 100644
--- a/erpnext/stock/doctype/item_price/test_records.json
+++ b/erpnext/stock/doctype/item_price/test_records.json
@@ -4,7 +4,6 @@
   "item_code": "_Test Item",
   "price_list": "_Test Price List",
   "price_list_rate": 100,
-  "min_qty": 2,
   "valid_from": "2017-04-18",
   "valid_upto": "2017-04-26"
  },
@@ -12,8 +11,7 @@
   "doctype": "Item Price",
   "item_code": "_Test Item",
   "price_list": "_Test Price List Rest of the World",
-  "price_list_rate": 10,
-  "min_qty": 5
+  "price_list_rate": 10
  },
  {
   "doctype": "Item Price",
@@ -22,7 +20,6 @@
   "price_list_rate": 20,
   "valid_from": "2017-04-18",
   "valid_upto": "2017-04-26",
-  "min_qty": 7,
   "customer": "_Test Customer",
   "uom": "_Test UOM"
  },
@@ -31,19 +28,15 @@
   "item_code": "_Test Item Home Desktop 100",
   "price_list": "_Test Price List",
   "price_list_rate": 1000,
-  "min_qty" : 10,
   "valid_from": "2017-04-10",
-  "valid_upto": "2017-04-17",
-  "min_qty": 2
+  "valid_upto": "2017-04-17"
  },
  {
   "doctype": "Item Price",
   "item_code": "_Test Item Home Desktop Manufactured",
   "price_list": "_Test Price List",
   "price_list_rate": 1000,
-  "min_qty" : 10,
   "valid_from": "2017-04-10",
-  "valid_upto": "2017-04-17",
-  "min_qty": 2
+  "valid_upto": "2017-04-17"
  }
 ]
diff --git a/erpnext/stock/doctype/material_request/material_request.js b/erpnext/stock/doctype/material_request/material_request.js
index 7ef2d64..6b26d38 100644
--- a/erpnext/stock/doctype/material_request/material_request.js
+++ b/erpnext/stock/doctype/material_request/material_request.js
@@ -145,6 +145,7 @@
 	},
 
 	get_item_data: function(frm, item) {
+		if (!item.item_code) return;
 		frm.call({
 			method: "erpnext.stock.get_item_details.get_item_details",
 			child: item,
diff --git a/erpnext/stock/doctype/material_request_item/material_request_item.json b/erpnext/stock/doctype/material_request_item/material_request_item.json
index 795971b..9d1dafb 100644
--- a/erpnext/stock/doctype/material_request_item/material_request_item.json
+++ b/erpnext/stock/doctype/material_request_item/material_request_item.json
@@ -1,4 +1,5 @@
 {
+ "actions": [],
  "autoname": "hash",
  "creation": "2013-02-22 01:28:02",
  "doctype": "DocType",
@@ -185,12 +186,14 @@
   {
    "fieldname": "rate",
    "fieldtype": "Currency",
-   "label": "Rate"
+   "label": "Rate",
+   "no_copy": 1
   },
   {
    "fieldname": "amount",
    "fieldtype": "Currency",
    "label": "Amount",
+   "no_copy": 1,
    "read_only": 1
   },
   {
@@ -407,7 +410,8 @@
  ],
  "idx": 1,
  "istable": 1,
- "modified": "2019-06-02 06:49:36.493957",
+ "links": [],
+ "modified": "2020-02-25 03:09:10.698967",
  "modified_by": "Administrator",
  "module": "Stock",
  "name": "Material Request Item",
diff --git a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py
index 253d5f0..d80e8f2 100644
--- a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py
+++ b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py
@@ -7,6 +7,7 @@
 import frappe.defaults
 from frappe.utils import cint, flt, cstr, today, random_string
 from erpnext.stock.doctype.purchase_receipt.purchase_receipt import make_purchase_invoice
+from erpnext.stock.doctype.item.test_item import create_item
 from erpnext import set_perpetual_inventory
 from erpnext.stock.doctype.serial_no.serial_no import SerialNoDuplicateError
 from erpnext.accounts.doctype.account.test_account import get_inventory_account
@@ -50,6 +51,28 @@
 		self.assertEqual(current_bin_stock_value, existing_bin_stock_value + 250)
 
 		self.assertFalse(get_gl_entries("Purchase Receipt", pr.name))
+	
+	def test_batched_serial_no_purchase(self):
+		item = frappe.get_doc("Item", { 'item_name': 'Batched Serialized Item' })
+		if not item:
+			item = create_item("Batched Serialized Item")
+			item.has_batch_no = 1
+			item.create_new_batch = 1
+			item.has_serial_no = 1
+			item.batch_number_series = "BS-BATCH-.##"
+			item.serial_no_series = "BS-.####"
+			item.save()
+
+		pr = make_purchase_receipt(item_code=item.name, qty=5, rate=500)
+
+		self.assertTrue(frappe.db.get_value('Batch', {'item': item.name, 'reference_name': pr.name}))
+		
+		pr.load_from_db()
+		batch_no = pr.items[0].batch_no
+		pr.cancel()
+
+		self.assertFalse(frappe.db.get_value('Batch', {'item': item.name, 'reference_name': pr.name}))
+		self.assertFalse(frappe.db.get_all('Serial No', {'batch_no': batch_no}))
 
 	def test_purchase_receipt_gl_entry(self):
 		pr = make_purchase_receipt(company="_Test Company with perpetual inventory", warehouse = "Stores - TCP1", supplier_warehouse = "Work in Progress - TCP1", get_multiple_items = True, get_taxes_and_charges = True)
diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json
index bfb7577..360adf7 100644
--- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json
+++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json
@@ -68,7 +68,6 @@
   "warehouse_and_reference",
   "warehouse",
   "rejected_warehouse",
-  "from_warehouse",
   "purchase_order",
   "material_request",
   "column_break_40",
@@ -224,7 +223,6 @@
    "oldfieldname": "uom",
    "oldfieldtype": "Link",
    "options": "UOM",
-   "print_hide": 1,
    "print_width": "100px",
    "reqd": 1,
    "width": "100px"
@@ -817,23 +815,16 @@
    "fetch_from": "item_code.asset_category",
    "fieldname": "asset_category",
    "fieldtype": "Link",
+   "in_preview": 1,
    "label": "Asset Category",
    "options": "Asset Category",
    "read_only": 1
-  },
-  {
-   "fieldname": "from_warehouse",
-   "fieldtype": "Link",
-   "hidden": 1,
-   "ignore_user_permissions": 1,
-   "label": "Supplier Warehouse",
-   "options": "Warehouse"
   }
  ],
  "idx": 1,
  "istable": 1,
  "links": [],
- "modified": "2020-01-13 16:03:34.879827",
+ "modified": "2020-03-05 14:19:48.799370",
  "modified_by": "Administrator",
  "module": "Stock",
  "name": "Purchase Receipt Item",
diff --git a/erpnext/stock/doctype/serial_no/serial_no.json b/erpnext/stock/doctype/serial_no/serial_no.json
index 712aadc..fb28b5c 100644
--- a/erpnext/stock/doctype/serial_no/serial_no.json
+++ b/erpnext/stock/doctype/serial_no/serial_no.json
@@ -6,6 +6,7 @@
  "description": "Distinct unit of an Item",
  "doctype": "DocType",
  "document_type": "Setup",
+ "engine": "InnoDB",
  "field_order": [
   "details",
   "column_break0",
@@ -104,10 +105,11 @@
   },
   {
    "fieldname": "batch_no",
-   "fieldtype": "Data",
+   "fieldtype": "Link",
    "in_list_view": 1,
    "in_standard_filter": 1,
    "label": "Batch No",
+   "options": "Batch",
    "read_only": 1
   },
   {
@@ -425,7 +427,7 @@
  ],
  "icon": "fa fa-barcode",
  "idx": 1,
- "modified": "2019-08-07 17:28:32.243280",
+ "modified": "2020-02-28 19:31:09.357323",
  "modified_by": "Administrator",
  "module": "Stock",
  "name": "Serial No",
diff --git a/erpnext/stock/doctype/serial_no/serial_no.py b/erpnext/stock/doctype/serial_no/serial_no.py
index d34f420..64d4c6c 100644
--- a/erpnext/stock/doctype/serial_no/serial_no.py
+++ b/erpnext/stock/doctype/serial_no/serial_no.py
@@ -205,6 +205,7 @@
 
 def validate_serial_no(sle, item_det):
 	serial_nos = get_serial_nos(sle.serial_no) if sle.serial_no else []
+	validate_material_transfer_entry(sle)
 
 	if item_det.has_serial_no==0:
 		if serial_nos:
@@ -224,7 +225,9 @@
 
 			for serial_no in serial_nos:
 				if frappe.db.exists("Serial No", serial_no):
-					sr = frappe.get_doc("Serial No", serial_no)
+					sr = frappe.db.get_value("Serial No", serial_no, ["name", "item_code", "batch_no", "sales_order",
+						"delivery_document_no", "delivery_document_type", "warehouse",
+						"purchase_document_no", "company"], as_dict=1)
 
 					if sr.item_code!=sle.item_code:
 						if not allow_serial_nos_with_different_item(serial_no, sle):
@@ -305,6 +308,19 @@
 				frappe.throw(_("Cannot cancel {0} {1} because Serial No {2} does not belong to the warehouse {3}")
 					.format(sle.voucher_type, sle.voucher_no, serial_no, sle.warehouse))
 
+def validate_material_transfer_entry(sle_doc):
+	sle_doc.update({
+		"skip_update_serial_no": False,
+		"skip_serial_no_validaiton": False
+	})
+
+	if (sle_doc.voucher_type == "Stock Entry" and sle_doc.is_cancelled == "No" and
+		frappe.get_cached_value("Stock Entry", sle_doc.voucher_no, "purpose") == "Material Transfer"):
+		if sle_doc.actual_qty < 0:
+			sle_doc.skip_update_serial_no = True
+		else:
+			sle_doc.skip_serial_no_validaiton = True
+
 def validate_so_serial_no(sr, sales_order,):
 	if not sr.sales_order or sr.sales_order!= sales_order:
 		frappe.throw(_("""Sales Order {0} has reservation for item {1}, you can
@@ -312,7 +328,8 @@
 		be delivered""").format(sales_order, sr.item_code, sr.name))
 
 def has_duplicate_serial_no(sn, sle):
-	if sn.warehouse and sle.voucher_type != 'Stock Reconciliation':
+	if (sn.warehouse and not sle.skip_serial_no_validaiton
+		and sle.voucher_type != 'Stock Reconciliation'):
 		return True
 
 	if sn.company != sle.company:
@@ -337,7 +354,7 @@
 	"""
 	allow_serial_nos = False
 	if sle.voucher_type=="Stock Entry" and cint(sle.actual_qty) > 0:
-		stock_entry = frappe.get_doc("Stock Entry", sle.voucher_no)
+		stock_entry = frappe.get_cached_doc("Stock Entry", sle.voucher_no)
 		if stock_entry.purpose in ("Repack", "Manufacture"):
 			for d in stock_entry.get("items"):
 				if d.serial_no and (d.s_warehouse if sle.is_cancelled=="No" else d.t_warehouse):
@@ -348,6 +365,7 @@
 	return allow_serial_nos
 
 def update_serial_nos(sle, item_det):
+	if sle.skip_update_serial_no: return
 	if sle.is_cancelled == "No" and not sle.serial_no and cint(sle.actual_qty) > 0 \
 			and item_det.has_serial_no == 1 and item_det.serial_no_series:
 		serial_nos = get_auto_serial_nos(item_det.serial_no_series, sle.actual_qty)
@@ -369,22 +387,16 @@
 	voucher_type = args.get('voucher_type')
 	item_code = args.get('item_code')
 	for serial_no in serial_nos:
+		is_new = False
 		if frappe.db.exists("Serial No", serial_no):
-			sr = frappe.get_doc("Serial No", serial_no)
-			sr.via_stock_ledger = True
-			sr.item_code = item_code
-			sr.warehouse = args.get('warehouse') if args.get('actual_qty', 0) > 0 else None
-			sr.batch_no = args.get('batch_no')
-			sr.location = args.get('location')
-			sr.company = args.get('company')
-			sr.supplier = args.get('supplier')
-			if sr.sales_order and voucher_type == "Stock Entry" \
-				and not args.get('actual_qty', 0) > 0:
-				sr.sales_order = None
-			sr.update_serial_no_reference()
-			sr.save(ignore_permissions=True)
+			sr = frappe.get_cached_doc("Serial No", serial_no)
 		elif args.get('actual_qty', 0) > 0:
-			created_numbers.append(make_serial_no(serial_no, args))
+			sr = frappe.new_doc("Serial No")
+			is_new = True
+
+		sr = update_args_for_serial_no(sr, serial_no, args, is_new=is_new)
+		if is_new:
+			created_numbers.append(sr.name)
 
 	form_links = list(map(lambda d: frappe.utils.get_link_to_form('Serial No', d), created_numbers))
 
@@ -419,20 +431,34 @@
 	return [s.strip() for s in cstr(serial_no).strip().upper().replace(',', '\n').split('\n')
 		if s.strip()]
 
-def make_serial_no(serial_no, args):
-	sr = frappe.new_doc("Serial No")
-	sr.serial_no = serial_no
-	sr.item_code = args.get('item_code')
-	sr.company = args.get('company')
-	sr.batch_no = args.get('batch_no')
-	sr.via_stock_ledger = args.get('via_stock_ledger') or True
-	sr.warehouse = args.get('warehouse')
+def update_args_for_serial_no(serial_no_doc, serial_no, args, is_new=False):
+	serial_no_doc.update({
+		"item_code": args.get("item_code"),
+		"company": args.get("company"),
+		"batch_no": args.get("batch_no"),
+		"via_stock_ledger": args.get("via_stock_ledger") or True,
+		"supplier": args.get("supplier"),
+		"location": args.get("location"),
+		"warehouse": (args.get("warehouse")
+			if args.get("actual_qty", 0) > 0 else None)
+	})
 
-	sr.validate_item()
-	sr.update_serial_no_reference(serial_no)
-	sr.db_insert()
+	if is_new:
+		serial_no_doc.serial_no = serial_no
 
-	return sr.name
+	if (serial_no_doc.sales_order and args.get("voucher_type") == "Stock Entry"
+		and not args.get("actual_qty", 0) > 0):
+		serial_no_doc.sales_order = None
+
+	serial_no_doc.validate_item()
+	serial_no_doc.update_serial_no_reference(serial_no)
+
+	if is_new:
+		serial_no_doc.db_insert()
+	else:
+		serial_no_doc.db_update()
+
+	return serial_no_doc
 
 def update_serial_nos_after_submit(controller, parentfield):
 	stock_ledger_entries = frappe.db.sql("""select voucher_detail_no, serial_no, actual_qty, warehouse
diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py
index a8d1e79..8b072c6 100644
--- a/erpnext/stock/doctype/stock_entry/stock_entry.py
+++ b/erpnext/stock/doctype/stock_entry/stock_entry.py
@@ -757,7 +757,8 @@
 			'serial_no'				: '',
 			'has_serial_no'			: item.has_serial_no,
 			'has_batch_no'			: item.has_batch_no,
-			'sample_quantity'		: item.sample_quantity
+			'sample_quantity'		: item.sample_quantity,
+			'expense_account'		: item.expense_account
 		})
 
 		# update uom
diff --git a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json
index c9eba71..c03eb79 100644
--- a/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json
+++ b/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.json
@@ -240,6 +240,7 @@
    "options": "Company",
    "print_width": "150px",
    "read_only": 1,
+   "search_index": 1,
    "width": "150px"
   },
   {
@@ -274,7 +275,7 @@
  "icon": "fa fa-list",
  "idx": 1,
  "in_create": 1,
- "modified": "2019-11-27 12:17:31.522675",
+ "modified": "2020-02-25 22:53:33.504681",
  "modified_by": "Administrator",
  "module": "Stock",
  "name": "Stock Ledger Entry",
diff --git a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py
index ca2741c..afa2394 100644
--- a/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py
+++ b/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py
@@ -190,6 +190,9 @@
 				has_serial_no = True
 				self.get_sle_for_serialized_items(row, sl_entries)
 			else:
+				if row.serial_no or row.batch_no:
+					frappe.throw(_("Row #{0}: Item {1} is not a Serialized/Batched Item. It cannot have a Serial No/Batch No against it.") \
+						.format(row.idx, frappe.bold(row.item_code)))
 				previous_sle = get_previous_sle({
 					"item_code": row.item_code,
 					"warehouse": row.warehouse,
diff --git a/erpnext/stock/reorder_item.py b/erpnext/stock/reorder_item.py
index 39fb024..9777673 100644
--- a/erpnext/stock/reorder_item.py
+++ b/erpnext/stock/reorder_item.py
@@ -116,6 +116,8 @@
 		else:
 			exceptions_list.append(frappe.get_traceback())
 
+		frappe.log_error(frappe.get_traceback())
+
 	for request_type in material_requests:
 		for company in material_requests[request_type]:
 			try:
@@ -158,6 +160,7 @@
 
 				schedule_dates = [d.schedule_date for d in mr.items]
 				mr.schedule_date = max(schedule_dates or [nowdate()])
+				mr.flags.ignore_mandatory = True
 				mr.insert()
 				mr.submit()
 				mr_list.append(mr)
diff --git a/erpnext/stock/utils.py b/erpnext/stock/utils.py
index 2c6c953..f3381c7 100644
--- a/erpnext/stock/utils.py
+++ b/erpnext/stock/utils.py
@@ -136,7 +136,7 @@
 		bin_obj.flags.ignore_permissions = 1
 		bin_obj.insert()
 	else:
-		bin_obj = frappe.get_doc('Bin', bin)
+		bin_obj = frappe.get_cached_doc('Bin', bin)
 	bin_obj.flags.ignore_permissions = True
 	return bin_obj
 
diff --git a/erpnext/support/doctype/issue/issue.json b/erpnext/support/doctype/issue/issue.json
index 53af80c..6641f56 100644
--- a/erpnext/support/doctype/issue/issue.json
+++ b/erpnext/support/doctype/issue/issue.json
@@ -366,7 +366,7 @@
  "icon": "fa fa-ticket",
  "idx": 7,
  "links": [],
- "modified": "2020-02-18 21:26:35.636013",
+ "modified": "2020-02-26 02:19:49.477928",
  "modified_by": "Administrator",
  "module": "Support",
  "name": "Issue",
@@ -387,9 +387,9 @@
  "quick_entry": 1,
  "search_fields": "status,customer,subject,raised_by",
  "sort_field": "modified",
- "sort_order": "ASC",
+ "sort_order": "DESC",
  "timeline_field": "customer",
  "title_field": "subject",
  "track_changes": 1,
  "track_seen": 1
-}
\ No newline at end of file
+}
diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv
index d31dda2..779306e 100644
--- a/erpnext/translations/af.csv
+++ b/erpnext/translations/af.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Geleentheid Verlore Rede
 DocType: Patient Appointment,Check availability,Gaan beskikbaarheid
 DocType: Retention Bonus,Bonus Payment Date,Bonus Betalingsdatum
-DocType: Employee,Job Applicant,Werksaansoeker
+DocType: Appointment Letter,Job Applicant,Werksaansoeker
 DocType: Job Card,Total Time in Mins,Totale tyd in minute
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontak inligting
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Soek vir enigiets ...
 ,Stock and Account Value Comparison,Vergelyking van voorraad en rekening
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Uitbetaalde bedrag kan nie groter wees as die leningsbedrag nie
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,belangstellende
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,opening
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Geldig vanaf tyd moet kleiner wees as geldig tot tyd.
 DocType: Item,Copy From Item Group,Kopieer vanaf itemgroep
 DocType: Journal Entry,Opening Entry,Opening Toegang
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Slegs rekeninge betaal
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,graad
 DocType: Restaurant Table,No of Seats,Aantal plekke
+DocType: Loan Type,Grace Period in Days,Genade tydperk in dae
 DocType: Sales Invoice,Overdue and Discounted,Agterstallig en verdiskonteer
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Bate {0} behoort nie aan die bewaarder {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Bel ontkoppel
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Voorgeskrewe Prosedures
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Wys net POS
 DocType: Supplier Group,Supplier Group Name,Verskaffer Groep Naam
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk bywoning as <b></b>
 DocType: Driver,Driving License Categories,Bestuurslisensie Kategorieë
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Voer asseblief Verskaffingsdatum in
 DocType: Depreciation Schedule,Make Depreciation Entry,Maak waardeverminderinginskrywing
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Besonderhede van die operasies uitgevoer.
 DocType: Asset Maintenance Log,Maintenance Status,Onderhoudstatus
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Bedrag op item belasting ingesluit in die waarde
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Uitleen van sekuriteitslenings
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Lidmaatskapbesonderhede
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Verskaffer is nodig teen Betaalbare rekening {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Items en pryse
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Totale ure: {0}
+DocType: Loan,Loan Manager,Leningsbestuurder
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Vanaf datum moet binne die fiskale jaar wees. Aanvaar vanaf datum = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,interval
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Opgedateer via &#39;Time Log&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Kies die kliënt of verskaffer.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landkode in lêer stem nie ooreen met die landkode wat in die stelsel opgestel is nie
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Rekening {0} behoort nie aan die maatskappy {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Kies slegs een prioriteit as verstek.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Verlaat geblokkeer
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bankinskrywings
-DocType: Customer,Is Internal Customer,Is interne kliënt
+DocType: Sales Invoice,Is Internal Customer,Is interne kliënt
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materiaal Versoek
 DocType: Bank Reconciliation,Update Clearance Date,Dateer opruimingsdatum op
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundel Aantal
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Kan nie &#39;n lening maak totdat die aansoek goedgekeur is nie
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} nie gevind in die &#39;Raw Materials Supply-tabel &quot;in die bestelling {1}
 DocType: Salary Slip,Total Principal Amount,Totale hoofbedrag
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,korrekte
 DocType: Student Guardian,Mother,moeder
 DocType: Restaurant Reservation,Reservation End Time,Besprekings eindtyd
+DocType: Salary Slip Loan,Loan Repayment Entry,Terugbetaling van lenings
 DocType: Crop,Biennial,tweejaarlikse
 ,BOM Variance Report,BOM Variance Report
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Bevestigde bestellings van kliënte.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betaling teen {0} {1} kan nie groter wees as Uitstaande bedrag nie {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Alle Gesondheidsorg Diens Eenhede
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Op die omskakeling van geleentheid
+DocType: Loan,Total Principal Paid,Totale hoofbetaal
 DocType: Bank Account,Address HTML,Adres HTML
 DocType: Lead,Mobile No.,Mobiele nommer
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Betaalmetode
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Saldo in die basiese geldeenheid
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Maksimum Graad
 DocType: Email Digest,New Quotations,Nuwe aanhalings
+DocType: Loan Interest Accrual,Loan Interest Accrual,Toeval van lenings
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Bywoning is nie vir {0} as {1} op verlof ingedien nie.
 DocType: Journal Entry,Payment Order,Betalingsopdrag
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,verifieer e-pos
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Inkomste uit ander bronne
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","As dit leeg is, sal die ouerhuisrekening of die standaard van die maatskappy oorweeg word"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-pos salarisstrokie aan werknemer gebaseer op voorkeur e-pos gekies in Werknemer
+DocType: Work Order,This is a location where operations are executed.,Dit is &#39;n plek waar operasies uitgevoer word.
 DocType: Tax Rule,Shipping County,Versending County
 DocType: Currency Exchange,For Selling,Vir verkoop
 apps/erpnext/erpnext/config/desktop.py,Learn,Leer
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Toegepaste koeponkode
 DocType: Asset,Next Depreciation Date,Volgende Depresiasie Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktiwiteitskoste per werknemer
+DocType: Loan Security,Haircut %,Haarknip%
 DocType: Accounts Settings,Settings for Accounts,Instellings vir rekeninge
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Verskafferfaktuur Geen bestaan in Aankoopfaktuur {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Bestuur verkopersboom.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Stel asseblief die kamer prys op ()
 DocType: Journal Entry,Multi Currency,Multi Geld
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktuur Tipe
+DocType: Loan,Loan Security Details,Leningsekuriteitsbesonderhede
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Geldig vanaf die datum moet minder wees as die geldige tot op datum
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Uitsondering het plaasgevind tydens die versoening van {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Stel aanvaarde pakhuis
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Vereis laboratoriumtoetsgoedkeuring
 DocType: Attendance,Working Hours,Werksure
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totaal Uitstaande
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-omskakelingsfaktor ({0} -&gt; {1}) nie vir item gevind nie: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Verander die begin- / huidige volgordenommer van &#39;n bestaande reeks.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Persentasie waarop u toegelaat word om meer te betaal teen die bestelde bedrag. Byvoorbeeld: As die bestelwaarde $ 100 is vir &#39;n artikel en die verdraagsaamheid as 10% is, kan u $ 110 faktureer."
 DocType: Dosage Strength,Strength,krag
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Voertuigdatum
 DocType: Campaign Email Schedule,Campaign Email Schedule,E-posrooster vir veldtog
 DocType: Student Log,Medical,Medies
+DocType: Work Order,This is a location where scraped materials are stored.,Dit is &#39;n plek waar afvalmateriaal geberg word.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Kies asseblief Dwelm
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Leier Eienaar kan nie dieselfde wees as die Lood nie
 DocType: Announcement,Receiver,ontvanger
@@ -886,7 +898,7 @@
 DocType: Driver,Applicable for external driver,Toepasbaar vir eksterne bestuurder
 DocType: Sales Order Item,Used for Production Plan,Gebruik vir Produksieplan
 DocType: BOM,Total Cost (Company Currency),Totale koste (geldeenheid van die onderneming)
-DocType: Loan,Total Payment,Totale betaling
+DocType: Repayment Schedule,Total Payment,Totale betaling
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,Pos reeds geskep vir alle verkope bestellingsitems
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Waarsku aankoop bestellings
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Huur vanaf datum
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Genoeg Onderdele om te Bou
+DocType: Loan Security,Loan Security Code,Leningsekuriteitskode
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Stoor asseblief eers
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Items word benodig om die grondstowwe wat daarmee gepaard gaan, te trek."
 DocType: POS Profile User,POS Profile User,POS Profiel gebruiker
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Voorraadinskrywings wat reeds vir werkorder geskep is
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Itemkode&gt; Itemgroep&gt; Merk
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Kyk vorige bestellings
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} gesprekke
 DocType: Vital Signs,Respiratory rate,Respiratoriese tempo
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Verwyder maatskappytransaksies
 DocType: Production Plan Item,Quantity and Description,Hoeveelheid en beskrywing
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Verwysingsnommer en verwysingsdatum is verpligtend vir Banktransaksie
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series in vir {0} via Setup&gt; Settings&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Voeg / verander belasting en heffings
 DocType: Payment Entry Reference,Supplier Invoice No,Verskafferfaktuurnr
 DocType: Territory,For reference,Vir verwysing
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Belastingverhoudingsrekening
 DocType: Pricing Rule,Sales Partner,Verkoopsvennoot
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle verskaffer scorecards.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Bestelbedrag
+DocType: Loan,Disbursed Amount,Uitbetaalde bedrag
 DocType: Buying Settings,Purchase Receipt Required,Aankoop Ontvangs Benodig
 DocType: Sales Invoice,Rail,spoor
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Werklike koste
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Gekoppel aan QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifiseer / skep rekening (Grootboek) vir tipe - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Betaalbare rekening
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Rekeninge is verpligtend om betalingsinskrywings te kry
 DocType: Payment Entry,Type of Payment,Tipe Betaling
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halfdag Datum is verpligtend
 DocType: Sales Order,Billing and Delivery Status,Rekening- en afleweringsstatus
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Billed Amt
 DocType: Training Result Employee,Training Result Employee,Opleiding Resultaat Werknemer
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,&#39;N Logiese pakhuis waarteen voorraadinskrywings gemaak word.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Hoofbedrag
+DocType: Repayment Schedule,Principal Amount,Hoofbedrag
 DocType: Loan Application,Total Payable Interest,Totale betaalbare rente
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totaal Uitstaande: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Oop kontak
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,U items
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Verskaffer&gt; Verskaffer tipe
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Voorstel Skryf
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Inskrywing Aftrek
 DocType: Service Level Priority,Service Level Priority,Prioriteit op diensvlak
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Batch Beskrywing
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Skep studentegroepe
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betaling Gateway rekening nie geskep nie, skep asseblief een handmatig."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Groeps pakhuise kan nie in transaksies gebruik word nie. Verander die waarde van {0}
 DocType: Supplier Scorecard,Per Year,Per jaar
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nie in aanmerking vir toelating tot hierdie program soos per DOB nie
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Ry # {0}: kan nie item {1} uitvee wat aan die klant se bestelling toegewys is nie.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Terwyl u rekening vir kindermaatskappy {0} skep, word ouerrekening {1} nie gevind nie. Skep asseblief die ouerrekening in die ooreenstemmende COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Gesplete uitgawe
 DocType: Student Attendance,Student Attendance,Studente Bywoning
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Geen data om uit te voer nie
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Werklike afleweringsdatum
 DocType: Lab Test,Test Template,Toets Sjabloon
+DocType: Loan Security Pledge,Securities,sekuriteite
 DocType: Restaurant Order Entry Item,Served,Bedien
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Hoofstuk inligting.
 DocType: Account,Accounts,rekeninge
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O Negatief
 DocType: Work Order Operation,Planned End Time,Beplande eindtyd
 DocType: POS Profile,Only show Items from these Item Groups,Wys slegs items uit hierdie itemgroepe
+DocType: Loan,Is Secured Loan,Is versekerde lening
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Memebership Tipe Besonderhede
 DocType: Delivery Note,Customer's Purchase Order No,Kliënt se bestellingnommer
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Kry van pasiënt ontmoeting
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-omskakelingsfaktor ({0} -&gt; {1}) nie vir item gevind nie: {2}
 DocType: Subscriber,Subscriber,intekenaar
 DocType: Item Attribute Value,Item Attribute Value,Item Attribuutwaarde
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Geldwissel moet van toepassing wees vir koop of verkoop.
@@ -1498,6 +1518,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Geen toestemming nie
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrak Vervulling Checklist
 DocType: Vital Signs,Heart Rate / Pulse,Hartslag / Pols
+DocType: Customer,Default Company Bank Account,Standaard bankrekening by die maatskappy
 DocType: Supplier,Default Bank Account,Verstekbankrekening
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Om te filter gebaseer op Party, kies Party Type eerste"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},&#39;Op Voorraad Voorraad&#39; kan nie nagegaan word nie omdat items nie afgelewer word via {0}
@@ -1615,7 +1636,6 @@
 DocType: Sales Team,Incentives,aansporings
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Waardes buite sinchronisasie
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Verskilwaarde
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel nommeringreekse op vir bywoning via Setup&gt; Numbering Series
 DocType: SMS Log,Requested Numbers,Gevraagde Getalle
 DocType: Volunteer,Evening,aand
 DocType: Quiz,Quiz Configuration,Vasvra-opstelling
@@ -1635,6 +1655,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Op vorige ry Totaal
 DocType: Purchase Invoice Item,Rejected Qty,Verwerp Aantal
 DocType: Setup Progress Action,Action Field,Aksie Veld
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Tipe lening vir rente en boetes
 DocType: Healthcare Settings,Manage Customer,Bestuur kliënt
 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
@@ -1646,6 +1667,7 @@
 ,Final Assessment Grades,Finale Assesseringsgraad
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Die naam van u maatskappy waarvoor u hierdie stelsel opstel.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Sluit vakansiedae in Totaal nr. van werksdae
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Van die totale totaal
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Stel jou Instituut op in ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Plantanalise
 DocType: Task,Timeline,tydlyn
@@ -1653,9 +1675,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatiewe Item
 DocType: Shopify Log,Request Data,Versoek data
 DocType: Employee,Date of Joining,Datum van aansluiting
+DocType: Delivery Note,Inter Company Reference,Intermaatskappy verwysing
 DocType: Naming Series,Update Series,Update Series
 DocType: Supplier Quotation,Is Subcontracted,Is onderaanneming
 DocType: Restaurant Table,Minimum Seating,Minimum sitplek
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Die vraag kan nie dupliseer word nie
 DocType: Item Attribute,Item Attribute Values,Item Attribuutwaardes
 DocType: Examination Result,Examination Result,Eksamenuitslag
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Aankoop Ontvangst
@@ -1757,6 +1781,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinkroniseer vanlyn fakture
 DocType: Payment Request,Paid,betaal
 DocType: Service Level,Default Priority,Standaardprioriteit
+DocType: Pledge,Pledge,belofte
 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."
@@ -1770,6 +1795,7 @@
 DocType: Guardian,Guardian Name,Voognaam
 DocType: Cheque Print Template,Has Print Format,Het drukformaat
 DocType: Support Settings,Get Started Sections,Kry begin afdelings
+,Loan Repayment and Closure,Terugbetaling en sluiting van lenings
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,beboet
 ,Base Amount,Basisbedrag
@@ -1780,10 +1806,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Van Plek
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Leningsbedrag kan nie groter wees as {0}
 DocType: Student Admission,Publish on website,Publiseer op die webwerf
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Verskafferfaktuurdatum mag nie groter wees as die datum van inskrywing nie
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Itemkode&gt; Itemgroep&gt; Merk
 DocType: Subscription,Cancelation Date,Kansellasie Datum
 DocType: Purchase Invoice Item,Purchase Order Item,Bestelling Item
 DocType: Agriculture Task,Agriculture Task,Landboutaak
@@ -1802,7 +1828,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Bykomende kortingspersentasie
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Bekyk &#39;n lys van al die hulpvideo&#39;s
 DocType: Agriculture Analysis Criteria,Soil Texture,Grondstruktuur
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Kies rekeninghoof van die bank waar tjek gedeponeer is.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Laat gebruiker toe om Pryslyskoers te wysig in transaksies
 DocType: Pricing Rule,Max Qty,Maksimum aantal
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Druk verslagkaart
@@ -1934,7 +1959,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Sodra dit ingestel is, sal hierdie faktuur aan die houer bly tot die vasgestelde datum"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Verkoopbedrag
-DocType: Repayment Schedule,Interest Amount,Rente Bedrag
+DocType: Loan Interest Accrual,Interest Amount,Rente Bedrag
 DocType: Job Card,Time Logs,Tyd logs
 DocType: Sales Invoice,Loyalty Amount,Lojaliteit Bedrag
 DocType: Employee Transfer,Employee Transfer Detail,Werknemersoordragbesonderhede
@@ -1949,6 +1974,7 @@
 DocType: Cashier Closing,Returns,opbrengste
 DocType: Job Card,WIP Warehouse,WIP Warehouse
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Rekeningnommer {0} is onder onderhoudskontrak tot {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Die goedgekeurde hoeveelheid limiete is gekruis vir {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,werwing
 DocType: Lead,Organization Name,Organisasie Naam
 DocType: Support Settings,Show Latest Forum Posts,Wys Laaste Forum Posts
@@ -1975,7 +2001,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Aankooporders Items agterstallig
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Poskode
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Verkoopsbestelling {0} is {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Kies rentekoersrekening in lening {0}
 DocType: Opportunity,Contact Info,Kontakbesonderhede
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Maak voorraadinskrywings
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Kan nie werknemer bevorder met status links nie
@@ -2059,7 +2084,6 @@
 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,Start Year,Beginjaar
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Skep lening
 DocType: Purchase Invoice,Start date of current invoice's period,Begin datum van huidige faktuur se tydperk
 DocType: Shift Type,Process Attendance After,Prosesbywoning na
 ,IRS 1099,IRS 1099
@@ -2080,6 +2104,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Kies jou domeine
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Verskaffer
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalings faktuur items
+DocType: Repayment Schedule,Is Accrued,Opgeloop
 DocType: Payroll Entry,Employee Details,Werknemersbesonderhede
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Verwerk XML-lêers
 DocType: Amazon MWS Settings,CN,CN
@@ -2111,6 +2136,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Loyaliteitspuntinskrywing
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Standaard Itemgroep
+DocType: Loan,Partially Disbursed,Gedeeltelik uitbetaal
 DocType: Job Card Time Log,Time In Mins,Tyd in myne
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Gee inligting.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Hierdie aksie sal hierdie rekening ontkoppel van enige eksterne diens wat ERPNext met u bankrekeninge integreer. Dit kan nie ongedaan gemaak word nie. Is u seker?
@@ -2126,6 +2152,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Leningsluiting
 DocType: Call Log,Lead,lood
 DocType: Email Digest,Payables,krediteure
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2158,6 +2185,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON kan slegs gegenereer word uit &#39;n ingediende dokument
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Belasting en voordele vir werknemers
 DocType: Bank Guarantee,Validity in Days,Geldigheid in Dae
+DocType: Unpledge,Haircut,haarsny
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-vorm is nie van toepassing op faktuur nie: {0}
 DocType: Certified Consultant,Name of Consultant,Naam van Konsultant
 DocType: Payment Reconciliation,Unreconciled Payment Details,Onbeperkte Betaalbesonderhede
@@ -2210,7 +2238,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Res van die wêreld
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Die item {0} kan nie Batch hê nie
 DocType: Crop,Yield UOM,Opbrengs UOM
+DocType: Loan Security Pledge,Partially Pledged,Gedeeltelik belowe
 ,Budget Variance Report,Begrotingsverskilverslag
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Goedgekeurde leningsbedrag
 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,Get Items from Healthcare Services,Kry items van gesondheidsorgdienste
@@ -2245,6 +2275,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nuwe kwaliteitsprosedure
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo vir rekening {0} moet altyd {1} wees
 DocType: Patient Appointment,More Info,Meer inligting
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Die geboortedatum mag nie groter wees as die datum van aansluiting nie.
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard aksies
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Verskaffer {0} nie gevind in {1}
 DocType: Purchase Invoice,Rejected Warehouse,Verwerp Warehouse
@@ -2341,6 +2372,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Stel asseblief die Item Kode eerste
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Veiligheidsbelofte vir lenings geskep: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Aanstellings en pasiente
@@ -2396,6 +2428,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Aantal gelyktydige afsprake
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Aan die gang kom
 DocType: Purchase Invoice,Taxes and Charges Calculation,Belasting en Koste Berekening
+DocType: Loan Interest Accrual,Payable Principal Amount,Hoofbedrag betaalbaar
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Boekbate-waardeverminderinginskrywing outomaties
 DocType: BOM Operation,Workstation,werkstasie
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Versoek vir Kwotasieverskaffer
@@ -2432,7 +2465,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Kos
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Veroudering Reeks 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS sluitingsbewysbesonderhede
-DocType: Bank Account,Is the Default Account,Is die standaardrekening
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Geen kommunikasie gevind nie.
 DocType: Inpatient Occupancy,Check In,Inboek
@@ -2490,12 +2522,14 @@
 DocType: Sales Order Item,Planned Quantity,Beplande hoeveelheid
 DocType: Water Analysis,Water Analysis Criteria,Wateranalise Kriteria
 DocType: Item,Maintain Stock,Onderhou Voorraad
+DocType: Loan Security Unpledge,Unpledge Time,Unpedge-tyd
 DocType: Terms and Conditions,Applicable Modules,Toepaslike modules
 DocType: Employee,Prefered Email,Voorkeur-e-pos
 DocType: Student Admission,Eligibility and Details,Geskiktheid en besonderhede
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Ingesluit in die bruto wins
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Netto verandering in vaste bate
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Aantal
+DocType: Work Order,This is a location where final product stored.,Dit is &#39;n plek waar die finale produk geberg word.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Maks: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Vanaf Datetime
@@ -2536,8 +2570,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garantie / AMC Status
 ,Accounts Browser,Rekeninge Browser
 DocType: Procedure Prescription,Referral,verwysing
+,Territory-wise Sales,Terrein-wyse verkope
 DocType: Payment Entry Reference,Payment Entry Reference,Betaling Inskrywingsverwysing
 DocType: GL Entry,GL Entry,GL Inskrywing
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Ry # {0}: Aanvaarde pakhuis en verskaffer pakhuis kan nie dieselfde wees nie
 DocType: Support Search Source,Response Options,Reaksie Opsies
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Pas verskeie prysreëls toe
 DocType: HR Settings,Employee Settings,Werknemer instellings
@@ -2597,6 +2633,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Landbou (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Packing Slip
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series in vir {0} via Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Kantoorhuur
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Opstel SMS gateway instellings
 DocType: Disease,Common Name,Algemene naam
@@ -2613,6 +2650,7 @@
 DocType: Item,Sales Details,Verkoopsbesonderhede
 DocType: Coupon Code,Used,gebruik
 DocType: Opportunity,With Items,Met Items
+DocType: Vehicle Log,last Odometer Value ,laaste kilometerstandwaarde
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Die veldtog &#39;{0}&#39; bestaan reeds vir die {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Onderhoudspan
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Bestel in watter afdelings moet verskyn. 0 is eerste, 1 is tweede en so aan."
@@ -2623,7 +2661,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Uitgawe Eis {0} bestaan reeds vir die Voertuiglogboek
 DocType: Asset Movement Item,Source Location,Bron Ligging
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Instituut Naam
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Voer asseblief terugbetalingsbedrag in
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Voer asseblief terugbetalingsbedrag in
 DocType: Shift Type,Working Hours Threshold for Absent,Drempel vir werksure vir afwesig
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Daar kan verskeie versamelingsfaktore gebaseer wees op die totale besteding. Maar die omskakelingsfaktor vir verlossing sal altyd dieselfde wees vir al die vlakke.
 apps/erpnext/erpnext/config/help.py,Item Variants,Item Varianten
@@ -2647,6 +2685,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} moet minder wees as {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Kies eers die aansoeker tipe
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Kies BOM, Aantal en Vir pakhuis"
 DocType: GST HSN Code,GST HSN Code,GST HSN-kode
 DocType: Employee External Work History,Total Experience,Totale ervaring
@@ -2737,7 +2776,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Geen aktiewe BOM gevind vir item {0} nie. Aflewering met \ Serienommer kan nie verseker word nie
 DocType: Sales Partner,Sales Partner Target,Verkoopsvennoteiken
-DocType: Loan Type,Maximum Loan Amount,Maksimum leningsbedrag
+DocType: Loan Application,Maximum Loan Amount,Maksimum leningsbedrag
 DocType: Coupon Code,Pricing Rule,Prysreël
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplikaatrolnommer vir student {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Materiaal Versoek om aankoop bestelling
@@ -2760,6 +2799,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Blare suksesvol toegeken vir {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Geen items om te pak nie
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Slegs .csv- en .xlsx-lêers word tans ondersteun
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Stel asseblief &#39;n naamstelsel vir werknemers in vir mensehulpbronne&gt; HR-instellings
 DocType: Shipping Rule Condition,From Value,Uit Waarde
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Vervaardiging Hoeveelheid is verpligtend
 DocType: Loan,Repayment Method,Terugbetaling Metode
@@ -2843,6 +2883,7 @@
 DocType: Customer,Customer POS Id,Kliënt Pos ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student met e-pos {0} bestaan nie
 DocType: Account,Account Name,Rekeningnaam
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Bestaande leningsbedrag bestaan reeds vir {0} teen maatskappy {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Vanaf datum kan nie groter wees as Datum
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Reeksnommer {0} hoeveelheid {1} kan nie &#39;n breuk wees nie
 DocType: Pricing Rule,Apply Discount on Rate,Pas korting op koers toe
@@ -2914,6 +2955,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Netto wins
 DocType: Purchase Invoice,Eligibility For ITC,In aanmerking kom vir ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,Inskrywingstipe
 ,Customer Credit Balance,Krediet Krediet Saldo
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto verandering in rekeninge betaalbaar
@@ -2925,6 +2967,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Bywoningstoestel-ID (biometriese / RF-etiket-ID)
 DocType: Quotation,Term Details,Termyn Besonderhede
 DocType: Item,Over Delivery/Receipt Allowance (%),Toelaag vir oorlewering / ontvangs (%)
+DocType: Appointment Letter,Appointment Letter Template,Aanstellingsbriefsjabloon
 DocType: Employee Incentive,Employee Incentive,Werknemers aansporing
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Totaal (Sonder Belasting)
@@ -2947,6 +2990,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Ontkoppel betaling met kansellasie van faktuur
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Verwerking van lening rente
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Huidige Odometer lees ingevoer moet groter wees as die aanvanklike voertuig odometer {0}
 ,Purchase Order Items To Be Received or Billed,Koop bestellingsitems wat ontvang of gefaktureer moet word
 DocType: Restaurant Reservation,No Show,Geen vertoning
@@ -3032,12 +3076,14 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Koste Sentrum is nodig vir &#39;Wins en verlies&#39; rekening {2}. Stel asseblief &#39;n standaard koste sentrum vir die maatskappy op.
 DocType: Payment Schedule,Payment Term,Betaling termyn
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"&#39;N Kliëntegroep bestaan met dieselfde naam, verander asseblief die Kliënt se naam of die naam van die Kliëntegroep"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Einddatum vir toelating moet groter wees as die aanvangsdatum vir toelating.
 DocType: Location,Area,gebied
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nuwe kontak
 DocType: Company,Company Description,Maatskappybeskrywing
 DocType: Territory,Parent Territory,Ouergebied
 DocType: Purchase Invoice,Place of Supply,Plek van Voorsiening
 DocType: Quality Inspection Reading,Reading 2,Lees 2
+apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Employee {0} already submited an apllication {1} for the payroll period {2},Werknemer {0} het reeds &#39;n aantekening {1} ingedien vir die betaalperiode {2}
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Material Receipt,Materiaal Ontvangs
 DocType: Bank Statement Transaction Entry,Submit/Reconcile Payments,Dien betalings in
 DocType: Campaign,SAL-CAM-.YYYY.-,SAL-CAM-.YYYY.-
@@ -3105,6 +3151,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data
 DocType: Purchase Order Item,Warehouse and Reference,Pakhuis en verwysing
 DocType: Payroll Period Date,Payroll Period Date,Betaalstaat Periode Datum
+DocType: Loan Disbursement,Against Loan,Teen lening
 DocType: Supplier,Statutory info and other general information about your Supplier,Statutêre inligting en ander algemene inligting oor u Verskaffer
 DocType: Item,Serial Nos and Batches,Serial Nos and Batches
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Studentegroep Sterkte
@@ -3171,6 +3218,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Kies &#39;n maatskappy
 DocType: Delivery Settings,Delivery Settings,Afleweringsinstellings
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Haal data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Kan nie meer as {0} aantal van {0} intrek nie
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimum verlof toegelaat in die verlof tipe {0} is {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publiseer 1 item
 DocType: SMS Center,Create Receiver List,Skep Ontvanger Lys
@@ -3318,6 +3366,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Basisbedrag (Maatskappy Geld)
 DocType: Purchase Invoice,Registered Regular,Geregistreerde Gereelde
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Grondstowwe
+DocType: Plaid Settings,sandbox,sandbox
 DocType: Payment Reconciliation Payment,Reference Row,Verwysingsreeks
 DocType: Installation Note,Installation Time,Installasie Tyd
 DocType: Sales Invoice,Accounting Details,Rekeningkundige Besonderhede
@@ -3330,12 +3379,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Transaksie Tipe
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Aanvaarding kriteria
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Totale betaalbare bedrag
 DocType: Task,Expected Time (in hours),Verwagte Tyd (in ure)
 DocType: Item Reorder,Check in (group),Check in (groep)
 DocType: Soil Texture,Silt,slik
@@ -3366,6 +3414,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Aftrekbelasting vir nie-aangemelde belastingvrystellingbewys
 DocType: Volunteer,Anytime,enige tyd
 DocType: Bank Account,Bank Account No,Bankrekeningnommer
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Uitbetaling en terugbetaling
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Werknemersbelastingvrystelling Bewysvoorlegging
 DocType: Patient,Surgical History,Chirurgiese Geskiedenis
 DocType: Bank Statement Settings Item,Mapped Header,Gekoppelde kop
@@ -3429,6 +3478,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Skep Lab toets (e) op verkope faktuur Submit
 DocType: Serial No,Invoice Details,Faktuur besonderhede
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Salarisstruktuur moet voorgelê word voor die indiening van die belastingverklaringsverklaring
+DocType: Loan Application,Proposed Pledges,Voorgestelde beloftes
 DocType: Grant Application,Show on Website,Wys op die webwerf
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Begin aan
 DocType: Hub Tracked Item,Hub Category,Hub Kategorie
@@ -3440,7 +3490,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Verskaffer Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ry {0}: Rekening van materiaal wat nie vir die item {1} gevind is nie.
 DocType: Contract Fulfilment Checklist,Requirement,vereiste
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Stel asseblief &#39;n naamstelsel vir werknemers in vir menslike hulpbronne&gt; HR-instellings
 DocType: Journal Entry,Accounts Receivable,Rekeninge ontvangbaar
 DocType: Quality Goal,Objectives,doelwitte
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Die rol wat toegelaat word om &#39;n aansoek om verouderde verlof te skep
@@ -3453,6 +3502,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Sluit versoende inskrywings in
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Die totale toegekende bedrag ({0}) is groter as die betaalde bedrag ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Versprei koste gebaseer op
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Betaalde bedrag mag nie minder as {0} wees
 DocType: Projects Settings,Timesheets,roosters
 DocType: HR Settings,HR Settings,HR instellings
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Rekeningmeesters
@@ -3598,6 +3648,7 @@
 DocType: Employee,Health Insurance,Gesondheidsversekering
 DocType: Asset Repair,Manufacturing Manager,Vervaardiging Bestuurder
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Volgnummer {0} is onder garantie tot en met {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Leningsbedrag oorskry die maksimum leningsbedrag van {0} volgens voorgestelde sekuriteite
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimum toelaatbare waarde
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Gebruiker {0} bestaan reeds
 apps/erpnext/erpnext/hooks.py,Shipments,verskepings
@@ -3641,7 +3692,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipe besigheid
 DocType: Sales Invoice,Consumer,verbruiker
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Kies asseblief Toegewysde bedrag, faktuurtipe en faktuurnommer in ten minste een ry"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series in vir {0} via Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Koste van nuwe aankope
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Verkoopsbestelling benodig vir item {0}
 DocType: Grant Application,Grant Description,Toekennings Beskrywing
@@ -3650,6 +3700,7 @@
 DocType: Subscription,Discounts,afslag
 DocType: Bank Transaction,Unallocated Amount,Nie-toegewysde bedrag
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Aktiveer asseblief Toepaslik op Aankoopbestelling en Toepaslik op Boekings Werklike Uitgawes
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} is nie &#39;n bankrekening nie
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Kan nie &#39;n ooreenstemmende item vind nie. Kies asseblief &#39;n ander waarde vir {0}.
 DocType: POS Profile,Taxes and Charges,Belasting en heffings
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","&#39;N Produk of &#39;n Diens wat gekoop, verkoop of in voorraad gehou word."
@@ -3698,6 +3749,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Geldig vanaf datum moet minder wees as geldige datum datum.
 DocType: Employee Skill,Evaluation Date,Evalueringsdatum
 DocType: Quotation Item,Stock Balance,Voorraadbalans
+DocType: Loan Security Pledge,Total Security Value,Totale sekuriteitswaarde
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Verkoopsbestelling tot Betaling
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,hoof uitvoerende beampte
 DocType: Purchase Invoice,With Payment of Tax,Met betaling van belasting
@@ -3710,6 +3762,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Rekening {0} bestaan nie in die paneelkaart {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Wys Variant Eienskappe
@@ -3791,6 +3844,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Huidige Waardasietarief
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Aantal stamrekeninge mag nie minder as 4 wees nie
 DocType: Training Event,Advance,bevorder
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Teen lening:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless betaling gateway instellings
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Uitruil wins / verlies
 DocType: Opportunity,Lost Reason,Verlore Rede
@@ -3874,8 +3928,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Kies lotnommer
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Ongeldige {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Ry {0}: Geboortedatum van broer of suster kan nie groter wees as vandag nie.
 DocType: Fee Validity,Reference Inv,Verwysings Inv
 DocType: Sales Invoice Advance,Advance Amount,Voorskotbedrag
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Boete rentekoers (%) per dag
 DocType: Manufacturing Settings,Capacity Planning,Kapasiteitsbeplanning
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Afronding aanpassing (Maatskappy Geld
 DocType: Asset,Policy number,Polis nommer
@@ -3891,7 +3947,9 @@
 DocType: Normal Test Items,Require Result Value,Vereis Resultaatwaarde
 DocType: Purchase Invoice,Pricing Rules,Prysreëls
 DocType: Item,Show a slideshow at the top of the page,Wys &#39;n skyfievertoning bo-aan die bladsy
+DocType: Appointment Letter,Body,liggaam
 DocType: Tax Withholding Rate,Tax Withholding Rate,Belasting Weerhouding
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Aanvangsdatum vir terugbetaling is verpligtend vir termynlenings
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOMs
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,winkels
@@ -3911,7 +3969,7 @@
 DocType: Call Log,Received By,Ontvang deur
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Duur van afsprake (binne minute)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kontantvloeiskaart-sjabloon Besonderhede
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Leningbestuur
+DocType: Loan,Loan Management,Leningbestuur
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Volg afsonderlike inkomste en uitgawes vir produk vertikale of afdelings.
 DocType: Rename Tool,Rename Tool,Hernoem Gereedskap
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Dateer koste
@@ -3919,6 +3977,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Vervoermodus
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Toon Salary Slip
+DocType: Loan,Is Term Loan,Is termynlening
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Oordragmateriaal
 DocType: Fees,Send Payment Request,Stuur betalingsversoek
 DocType: Travel Request,Any other details,Enige ander besonderhede
@@ -3936,6 +3995,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Kontantvloei uit finansiering
 DocType: Budget Account,Budget Account,Begrotingsrekening
 DocType: Quality Inspection,Verified By,Verified By
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Voeg leningsekuriteit by
 DocType: Travel Request,Name of Organizer,Naam van die organiseerder
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kan nie die maatskappy se standaard valuta verander nie, want daar is bestaande transaksies. Transaksies moet gekanselleer word om die verstek valuta te verander."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Is Inkomstebelasting Aanspreeklikheid
@@ -3986,6 +4046,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Vereis Aan
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","As dit gemerk is, verberg en deaktiveer u die veld Afgeronde totaal in salarisstrokies"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dit is die standaardverrekening (dae) vir die afleweringsdatum in verkoopsbestellings. Die terugwaartse verrekening is 7 dae vanaf die datum van die bestellingsplasing.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel nommeringreekse op vir bywoning via Setup&gt; Numbering Series
 DocType: Rename Tool,File to Rename,Lêer om hernoem te word
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Kies asseblief BOM vir item in ry {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Haal intekeningopdaterings
@@ -3998,6 +4059,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Reeknommers geskep
 DocType: POS Profile,Applicable for Users,Toepaslik vir gebruikers
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Van datum tot datum is verpligtend
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Stel Projek en alle take op status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Stel voorskotte en toekenning (EIEU)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Geen werkbestellings geskep nie
@@ -4007,6 +4069,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Items deur
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Koste van gekoopte items
 DocType: Employee Separation,Employee Separation Template,Medewerkers skeiding sjabloon
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Nul aantal van {0} verpand teen lening {0}
 DocType: Selling Settings,Sales Order Required,Verkope bestelling benodig
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Word &#39;n Verkoper
 ,Procurement Tracker,Verkrygingsopspoorder
@@ -4104,11 +4167,12 @@
 ,Minutes to First Response for Opportunity,Notules tot Eerste Reaksie vir Geleentheid
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Totaal Afwesig
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Betaalbare bedrag
+DocType: Loan Repayment,Payable Amount,Betaalbare bedrag
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,geleentheid
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maksimum sterkte kan nie minder as nul wees nie.
 DocType: Options,Option,Opsie
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},U kan nie boekhou-inskrywings maak in die geslote rekeningkundige periode {0}
 DocType: Operation,Default Workstation,Verstek werkstasie
@@ -4150,6 +4214,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Rentebedrag is verpligtend
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Volgende stappe
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Gestoorde items
@@ -4200,8 +4265,6 @@
 DocType: Grant Application,Grant Application Details ,Gee aansoek besonderhede
 DocType: Employee Separation,Employee Separation,Werknemersskeiding
 DocType: BOM Item,Original Item,Oorspronklike item
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Skrap die werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om hierdie dokument te kanselleer"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fooi Rekords Geskep - {0}
 DocType: Asset Category Account,Asset Category Account,Bate Kategorie Rekening
@@ -4237,6 +4300,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Laboratoriumtoetsitem {0} bestaan reeds
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} is &#39;n vakansiedag
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Faktureerbare ure
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Boete word op &#39;n daaglikse basis op die hangende rentebedrag gehef in geval van uitgestelde terugbetaling
+DocType: Appointment Letter content,Appointment Letter content,Inhoud van die aanstellingsbrief
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Verlofstatus kennisgewing
 DocType: Patient Appointment,Procedure Prescription,Prosedure Voorskrif
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures and Fixtures
@@ -4256,7 +4321,7 @@
 DocType: Opportunity,Customer / Lead Name,Kliënt / Lood Naam
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Opruimingsdatum nie genoem nie
 DocType: Payroll Period,Taxable Salary Slabs,Belasbare Salarisplakkers
-DocType: Job Card,Production,produksie
+DocType: Plaid Settings,Production,produksie
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,"Ongeldige GSTIN! Die invoer wat u ingevoer het, stem nie ooreen met die formaat van GSTIN nie."
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Rekeningwaarde
 DocType: Guardian,Occupation,Beroep
@@ -4400,6 +4465,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojaliteitsprogramversameling
 DocType: Stock Entry Detail,Subcontracted Item,Onderaannemer Item
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Student {0} behoort nie aan groep {1}
+DocType: Appointment Letter,Appointment Date,Aanstellingsdatum
 DocType: Budget,Cost Center,Kostesentrum
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Versending Land
@@ -4470,6 +4536,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Rekeningkundige dimensie
 ,Profit and Loss Statement,Wins- en verliesstaat
 DocType: Bank Reconciliation Detail,Cheque Number,Tjeknommer
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Bedrag betaal kan nie nul wees nie
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Die item wat deur {0} - {1} verwys word, is reeds gefaktureer"
 ,Sales Browser,Verkope Browser
 DocType: Journal Entry,Total Credit,Totale Krediet
@@ -4574,6 +4641,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Voeg / wysig koeponvoorwaardes
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Uitgawe / Verskil rekening ({0}) moet &#39;n &#39;Wins of Verlies&#39; rekening wees
 DocType: Stock Entry Detail,Stock Entry Child,Voorraadinskrywingskind
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Leningsveiligheidsbelofteonderneming en leningsonderneming moet dieselfde wees
 DocType: Project,Copied From,Gekopieer vanaf
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktuur wat reeds vir alle faktuurure geskep is
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Naam fout: {0}
@@ -4581,6 +4649,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Is finansieringskoste
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Bywoning vir werknemer {0} is reeds gemerk
 DocType: Packing Slip,If more than one package of the same type (for print),As meer as een pakket van dieselfde tipe (vir druk)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Stel asb. Die opvoeder-naamstelsel op in onderwys&gt; Onderwysinstellings
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Stel asseblief die standaardkliënt in Restaurantinstellings
 ,Salary Register,Salarisregister
 DocType: Company,Default warehouse for Sales Return,Standaard pakhuis vir verkoopsopgawe
@@ -4625,7 +4694,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Huidige reeksnommer
 DocType: Employee,Attendance and Leave Details,Besoeke en verlofbesonderhede
 ,BOM Comparison Tool,BOM-vergelykingshulpmiddel
-,Requested,versoek
+DocType: Loan Security Pledge,Requested,versoek
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4637,7 +4706,6 @@
 DocType: Drug Prescription,Drug Prescription,Dwelm Voorskrif
 DocType: Service Level,Support and Resolution,Ondersteuning en resolusie
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Gratis itemkode word nie gekies nie
-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
@@ -4671,6 +4739,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,U het reeds geassesseer vir die assesseringskriteria ().
+DocType: Loan Security Shortfall,Shortfall Amount,Tekortbedrag
 DocType: Vehicle Service,Engine Oil,Enjin olie
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Werkorders geskep: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Stel &#39;n e-pos-ID vir die hoof {0} in
@@ -4689,6 +4758,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Die rekening is nie opgestel vir die paneelkaart {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Pas bykomende afslag aan
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Kies Tipe ...
+DocType: Loan Interest Accrual,Amounts,bedrae
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Jou kaartjies
 DocType: Account,Root Type,Worteltipe
 DocType: Item,FIFO,EIEU
@@ -4696,6 +4766,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Ry # {0}: Kan nie meer as {1} vir Item {2} terugkeer nie.
 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: Loan Security Price,Loan Security Price,Leningsprys
 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,Target warehouse is mandatory for row {0},Teiken pakhuis is verpligtend vir ry {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Kleinhandelbedrywighede
@@ -4834,6 +4905,7 @@
 DocType: Coupon Code,Coupon Description,Koeponbeskrywing
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Joernaal is verpligtend in ry {0}
 DocType: Company,Default Buying Terms,Standaard koopvoorwaardes
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Leninguitbetaling
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Aankoopontvangste Item verskaf
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktiveer Geskeduleerde Sink
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Tot Dattyd
@@ -4862,6 +4934,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Voer waarde tussen {0} en {1} in
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Voer die naam van die veldtog in as die bron van navraag veldtog is
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Koerantuitgewers
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Geen geldige <b>leningsprys</b> gevind vir {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Toekomstige datums nie toegelaat nie
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Verwagte afleweringsdatum moet na-verkope besteldatum wees
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Herbestel vlak
@@ -4928,6 +5001,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Voorstel / prys kwotasie
 DocType: Antibiotic,Healthcare,Gesondheidssorg
 DocType: Target Detail,Target Detail,Teikenbesonderhede
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Leningsprosesse
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Enkel Variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Alle Werk
 DocType: Sales Order,% of materials billed against this Sales Order,% van die materiaal wat teen hierdie verkope bestel is
@@ -4990,7 +5064,7 @@
 DocType: Item,Reorder level based on Warehouse,Herbestel vlak gebaseer op Warehouse
 DocType: Activity Cost,Billing Rate,Rekeningkoers
 ,Qty to Deliver,Hoeveelheid om te lewer
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Skep uitbetalingsinskrywings
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Skep uitbetalingsinskrywings
 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,Operations cannot be left blank,Operasies kan nie leeg gelaat word nie
@@ -5024,6 +5098,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Ontkoppel eksterne integrasies
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Kies &#39;n ooreenstemmende betaling
 DocType: Pricing Rule,Item Code,Itemkode
+DocType: Loan Disbursement,Pending Amount For Disbursal,Hangende bedrag vir uitbetaling
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Waarborg / AMC Besonderhede
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Kies studente handmatig vir die aktiwiteitsgebaseerde groep
@@ -5047,6 +5122,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Aantal Totaal
 DocType: Landed Cost Item,Receipt Document,Kwitansie Dokument
 DocType: Employee Education,School/University,Skool / Universiteit
+DocType: Loan Security Pledge,Loan  Details,Leningsbesonderhede
 DocType: Sales Invoice Item,Available Qty at Warehouse,Beskikbare hoeveelheid by pakhuis
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Gefactureerde bedrag
 DocType: Share Transfer,(including),(Insluitend)
@@ -5070,6 +5146,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,groepe
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Groep per rekening
 DocType: Purchase Invoice,Hold Invoice,Hou faktuur
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Belofte status
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Kies asseblief Werknemer
 DocType: Sales Order,Fully Delivered,Volledig afgelewer
 DocType: Promotional Scheme Price Discount,Min Amount,Min bedrag
@@ -5079,7 +5156,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Uitbetaalde bedrag kan nie groter wees as leningsbedrag {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Ry {0} # Toegewysde hoeveelheid {1} kan nie groter wees as onopgeëiste bedrag nie {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Aankoopordernommer benodig vir item {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Dra aanstuurblare
@@ -5107,6 +5183,7 @@
 DocType: Pick List Item,Serial No and Batch,Serial No and Batch
 DocType: Warranty Claim,From Company,Van Maatskappy
 DocType: GSTR 3B Report,January,Januarie
+DocType: Loan Repayment,Principal Amount Paid,Hoofbedrag betaal
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Som van punte van assesseringskriteria moet {0} wees.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Stel asseblief die aantal afskrywings wat bespreek word
 DocType: Supplier Scorecard Period,Calculations,berekeninge
@@ -5132,6 +5209,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Oor jou maatskappy
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Wys data oor veroudering
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Krediet Vir rekening moet &#39;n balansstaatrekening wees
+DocType: Loan Repayment,Penalty Amount,Strafbedrag
 DocType: Donor,Donor,Skenker
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Belasting opdateer vir items
 DocType: Global Defaults,Disable In Words,Deaktiveer in woorde
@@ -5162,6 +5240,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostesentrum en begroting
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Openingsaldo-ekwiteit
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Gedeeltelike betaling
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Stel die betalingskedule in
 DocType: Pick List,Items under this warehouse will be suggested,Items onder hierdie pakhuis word voorgestel
 DocType: Purchase Invoice,N,N
@@ -5195,7 +5274,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nie gevind vir item {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Waarde moet tussen {0} en {1} wees
 DocType: Accounts Settings,Show Inclusive Tax In Print,Wys Inklusiewe Belasting In Druk
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Boodskap gestuur
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5209,6 +5287,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Aktiveer outomatiese herbestelling
 DocType: Stock Settings,Item Naming By,Item Naming By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},&#39;N Ander periode sluitingsinskrywing {0} is gemaak na {1}
+DocType: Proposed Pledge,Proposed Pledge,Voorgestelde belofte
 DocType: Work Order,Material Transferred for Manufacturing,Materiaal oorgedra vir Vervaardiging
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Rekening {0} bestaan nie
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Kies Lojaliteitsprogram
@@ -5219,7 +5298,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Stel gebeure in op {0}, aangesien die werknemer verbonde aan die onderstaande verkoopspersone nie &#39;n gebruikers-ID het nie {1}"
 DocType: Timesheet,Billing Details,Rekeningbesonderhede
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Bron en teiken pakhuis moet anders wees
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Stel asseblief &#39;n naamstelsel vir werknemers in vir menslike hulpbronne&gt; HR-instellings
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betaling misluk. Gaan asseblief jou GoCardless rekening vir meer besonderhede
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nie toegelaat om voorraadtransaksies ouer as {0} by te werk nie.
 DocType: Stock Entry,Inspection Required,Inspeksie benodig
@@ -5232,6 +5310,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Afleweringspakhuis benodig vir voorraaditem {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Die bruto gewig van die pakket. Gewoonlik netto gewig + verpakkingsmateriaal gewig. (vir druk)
 DocType: Assessment Plan,Program,program
+DocType: Unpledge,Against Pledge,Teen belofte
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Gebruikers met hierdie rol word toegelaat om gevriesde rekeninge te stel en rekeningkundige inskrywings teen bevrore rekeninge te skep / te verander
 DocType: Plaid Settings,Plaid Environment,Plaid omgewing
 ,Project Billing Summary,Projekrekeningopsomming
@@ -5283,6 +5362,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,groepe
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Aantal dae kan vooraf bespreek word
 DocType: Article,LMS User,LMS-gebruiker
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Veiligheidsbelofte is verpligtend vir &#39;n veilige lening
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Plek van Voorsiening (Staat / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Voorraad UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Aankoop bestelling {0} is nie ingedien nie
@@ -5357,6 +5437,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Skep werkkaart
 DocType: Quotation,Referral Sales Partner,Verwysingsvennoot
 DocType: Quality Procedure Process,Process Description,Prosesbeskrywing
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Kan nie ontleed nie, die sekuriteitswaarde van die lening is groter as die terugbetaalde bedrag"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kliënt {0} is geskep.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5377,7 +5458,7 @@
 DocType: Asset,Insurance Details,Versekeringsbesonderhede
 DocType: Account,Payable,betaalbaar
 DocType: Share Balance,Share Type,Deel Tipe
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Voer asseblief terugbetalingsperiodes in
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Voer asseblief terugbetalingsperiodes in
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debiteure ({0})
 DocType: Pricing Rule,Margin,marge
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nuwe kliënte
@@ -5386,6 +5467,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Geleenthede deur hoofbron
 DocType: Appraisal Goal,Weightage (%),Gewig (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Verander POS-profiel
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Aantal of Bedrag is verpligtend vir leningsekuriteit
 DocType: Bank Reconciliation Detail,Clearance Date,Opruimingsdatum
 DocType: Delivery Settings,Dispatch Notification Template,Versending Kennisgewings Sjabloon
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Assesseringsverslag
@@ -5421,6 +5503,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Deel Grootboek
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Verkoopsfaktuur {0} geskep
 DocType: Employee,Confirmation Date,Bevestigingsdatum
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Skrap die werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om hierdie dokument te kanselleer"
 DocType: Inpatient Occupancy,Check Out,Uitteken
 DocType: C-Form,Total Invoiced Amount,Totale gefaktureerde bedrag
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Minimum hoeveelheid kan nie groter wees as Max
@@ -5434,7 +5518,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Maatskappy ID
 DocType: Travel Request,Travel Funding,Reisbefondsing
 DocType: Employee Skill,Proficiency,vaardigheid
-DocType: Loan Application,Required by Date,Vereis volgens datum
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Aankoopbewysbesonderhede
 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
 DocType: Lead,Lead Owner,Leier Eienaar
@@ -5453,7 +5536,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Huidige BOM en Nuwe BOM kan nie dieselfde wees nie
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Salaris Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum van aftrede moet groter wees as datum van aansluiting
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Verskaffer&gt; Verskaffer tipe
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Veelvuldige Varianten
 DocType: Sales Invoice,Against Income Account,Teen Inkomsterekening
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% afgelewer
@@ -5486,7 +5568,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Waardasietoelae kan nie as Inklusief gemerk word nie
 DocType: POS Profile,Update Stock,Werk Voorraad
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Betaling besonderhede
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM-koers
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Lees opgelaaide lêer
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",Gestopte werkbestelling kan nie gekanselleer word nie. Staak dit eers om te kanselleer
@@ -5521,6 +5603,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Lotnommer is verpligtend vir item {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maksimum leningswaarde
 ,Stock Ledger,Voorraad Grootboek
 DocType: Company,Exchange Gain / Loss Account,Uitruil wins / verlies rekening
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
@@ -5528,6 +5611,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Doel moet een van {0} wees
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,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,Community Forum,Gemeenskapsforum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Geen blare word aan werknemer toegeken nie: {0} vir verloftipe: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Werklike hoeveelheid in voorraad
 DocType: Homepage,"URL for ""All Products""",URL vir &quot;Alle Produkte&quot;
 DocType: Leave Application,Leave Balance Before Application,Verlaatbalans voor aansoek
@@ -5629,7 +5713,6 @@
 DocType: Fee Schedule,Fee Schedule,Fooibedule
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Kolom Etikette:
 DocType: Bank Transaction,Settled,gevestig
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Uitbetalingsdatum kan nie na die begindatum van die terugbetaling van die lening plaasvind nie
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,ning
 DocType: Quality Feedback,Parameters,Grense
 DocType: Company,Create Chart Of Accounts Based On,Skep grafiek van rekeninge gebaseer op
@@ -5649,6 +5732,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kredietlimiet en Betaalvoorwaardes
 DocType: Loyalty Program,Collection Rules,Versameling Reëls
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Item 3
+DocType: Loan Security Shortfall,Shortfall Time,Tekort tyd
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Bestelling Inskrywing
 DocType: Purchase Order,Customer Contact Email,Kliënt Kontak Email
 DocType: Warranty Claim,Item and Warranty Details,Item en waarborgbesonderhede
@@ -5668,12 +5752,14 @@
 DocType: Sales Person,Sales Person Name,Verkooppersoon Naam
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Voer asseblief ten minste 1 faktuur in die tabel in
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Geen Lab-toets geskep nie
+DocType: Loan Security Shortfall,Security Value ,Sekuriteitswaarde
 DocType: POS Item Group,Item Group,Itemgroep
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentegroep:
 DocType: Depreciation Schedule,Finance Book Id,Finansies boek-ID
 DocType: Item,Safety Stock,Veiligheidsvoorraad
 DocType: Healthcare Settings,Healthcare Settings,Gesondheidsorginstellings
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Totale toegekende blare
+DocType: Appointment Letter,Appointment Letter,Aanstellingsbrief
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Progress% vir &#39;n taak kan nie meer as 100 wees nie.
 DocType: Stock Reconciliation Item,Before reconciliation,Voor versoening
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Na {0}
@@ -5728,6 +5814,7 @@
 DocType: Stock Entry,From BOM,Van BOM
 DocType: Assessment Code,Assessment Code,Assesseringskode
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,basiese
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Leningsaansoeke van kliënte en werknemers.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Voorraadtransaksies voor {0} word gevries
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Klik asseblief op &#39;Generate Schedule&#39;
 DocType: Job Card,Current Time,Huidige tyd
@@ -5754,7 +5841,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Geen studentegroepe geskep nie.
 DocType: Purchase Invoice Item,Serial No,Serienommer
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Maandelikse Terugbetalingsbedrag kan nie groter wees as Leningbedrag nie
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Maandelikse Terugbetalingsbedrag kan nie groter wees as Leningbedrag nie
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Voer asseblief eers Maintaince Details in
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Ry # {0}: Verwagte Afleweringsdatum kan nie voor Aankoopdatum wees nie
 DocType: Purchase Invoice,Print Language,Druktaal
@@ -5768,6 +5855,7 @@
 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,All Territories,Alle gebiede
+DocType: Plaid Settings,development,ontwikkeling
 DocType: Lost Reason Detail,Lost Reason Detail,Verlore rede detail
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ongeldige kombersorder vir die gekose kliënt en item
@@ -5830,12 +5918,14 @@
 DocType: Staffing Plan Detail,Current Openings,Huidige openings
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kontantvloei uit bedrywighede
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Bedrag
+DocType: Vehicle Log,Current Odometer value ,Huidige afstandmeterwaarde
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Skep student
 DocType: Asset Movement Item,Asset Movement Item,Batebewegingsitem
 DocType: Purchase Invoice,Shipping Rule,Posbus
 DocType: Patient Relation,Spouse,eggenoot
 DocType: Lab Test Groups,Add Test,Voeg toets by
 DocType: Manufacturer,Limited to 12 characters,Beperk tot 12 karakters
+DocType: Appointment Letter,Closing Notes,Sluitingsnotas
 DocType: Journal Entry,Print Heading,Drukopskrif
 DocType: Quality Action Table,Quality Action Table,Kwaliteit aksie tabel
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totaal kan nie nul wees nie
@@ -5902,6 +5992,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Totaal (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Identifiseer / skep rekening (groep) vir tipe - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Vermaak en ontspanning
+DocType: Loan Security,Loan Security,Leningsekuriteit
 ,Item Variant Details,Item Variant Besonderhede
 DocType: Quality Inspection,Item Serial No,Item Serienommer
 DocType: Payment Request,Is a Subscription,Is &#39;n inskrywing
@@ -5914,7 +6005,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Jongste ouderdom
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Geplande en toegelate datums kan nie minder wees as vandag nie
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Oordra materiaal na verskaffer
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nuwe reeksnommer kan nie pakhuis hê nie. Pakhuis moet ingestel word deur Voorraadinskrywing of Aankoop Ontvangst
 DocType: Lead,Lead Type,Lood Tipe
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Skep kwotasie
@@ -5932,7 +6022,6 @@
 DocType: Leave Allocation,Leave Period,Verlofperiode
 DocType: Item,Default Material Request Type,Standaard Materiaal Versoek Tipe
 DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kliënt&gt; Kliëntegroep&gt; Gebied
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,onbekend
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Werkorde nie geskep nie
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6016,7 +6105,8 @@
 ,Customer-wise Item Price,Kliëntige artikelprys
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Kontantvloeistaat
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Geen wesenlike versoek geskep nie
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lening Bedrag kan nie Maksimum Lening Bedrag van {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lening Bedrag kan nie Maksimum Lening Bedrag van {0}
+DocType: Loan,Loan Security Pledge,Veiligheidsbelofte vir lenings
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,lisensie
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -6034,6 +6124,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Pryskortingskema
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Onderhoudstatus moet gekanselleer of voltooi word om in te dien
 DocType: Amazon MWS Settings,US,VSA
+DocType: Loan Security Pledge,Pledged,belowe
 DocType: Holiday List,Add Weekly Holidays,Voeg weeklikse vakansies by
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Rapporteer item
 DocType: Staffing Plan Detail,Vacancies,vakatures
@@ -6052,7 +6143,6 @@
 DocType: Production Plan Item,Planned Start Date,Geplande begin datum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Kies asseblief &#39;n BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Benut ITC Geïntegreerde Belasting
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Skep terugbetalingsinskrywings
 DocType: Purchase Order Item,Blanket Order Rate,Dekking bestelkoers
 ,Customer Ledger Summary,Opsomming oor klante grootboek
 apps/erpnext/erpnext/hooks.py,Certification,sertifisering
@@ -6073,6 +6163,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Appraisal Template Titel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,kommersiële
 DocType: Patient,Alcohol Current Use,Alkohol Huidige Gebruik
+DocType: Loan,Loan Closure Requested,Leningsluiting gevra
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Huishuur Betaling Bedrag
 DocType: Student Admission Program,Student Admission Program,Studente Toelatingsprogram
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Belastingvrystellingskategorie
@@ -6096,6 +6187,7 @@
 DocType: Opening Invoice Creation Tool,Sales,verkope
 DocType: Stock Entry Detail,Basic Amount,Basiese Bedrag
 DocType: Training Event,Exam,eksamen
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Verwerk leningsekuriteit
 DocType: Email Campaign,Email Campaign,E-posveldtog
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Markeringsfout
 DocType: Complaint,Complaint,klagte
@@ -6175,6 +6267,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Dien dit in om die Werknemers rekord te skep
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Lening-sekuriteitsprys wat met {0} oorvleuel
 DocType: Item Default,Item Default,Item Standaard
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Binnelandse toestand voorrade
 DocType: Chapter Member,Leave Reason,Verlaat rede
@@ -6201,6 +6294,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Gebruikte koepon is {1}. Toegestane hoeveelheid is uitgeput
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Wil u die materiaalversoek indien?
 DocType: Job Offer,Awaiting Response,In afwagting van antwoord
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Lening is verpligtend
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Bo
 DocType: Support Search Source,Link Options,Skakelopsies
@@ -6213,6 +6307,7 @@
 DocType: Training Event Employee,Optional,opsioneel
 DocType: Salary Slip,Earning & Deduction,Verdien en aftrekking
 DocType: Agriculture Analysis Criteria,Water Analysis,Wateranalise
+DocType: Pledge,Post Haircut Amount,Bedrag na kapsel
 DocType: Sales Order,Skip Delivery Note,Slaan afleweringsnota oor
 DocType: Price List,Price Not UOM Dependent,Prys nie UOM afhanklik nie
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} variante geskep.
@@ -6239,6 +6334,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Kry Items van Produk Bundel
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Terugbetalingsmetode is verpligtend vir termynlenings
 DocType: Asset,Straight Line,Reguit lyn
 DocType: Project User,Project User,Projekgebruiker
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,verdeel
@@ -6283,7 +6379,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol toegelaat om bevrore rekeninge in te stel en Bevrore Inskrywings te wysig
 DocType: Supplier Scorecard Scoring Variable,Path,pad
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Kan nie Kostesentrum omskakel na grootboek nie aangesien dit nodusse het
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-omskakelingsfaktor ({0} -&gt; {1}) nie vir item gevind nie: {2}
 DocType: Production Plan,Total Planned Qty,Totale Beplande Aantal
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaksies het reeds weer uit die staat verskyn
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Openingswaarde
@@ -6292,11 +6387,8 @@
 DocType: Material Request Plan Item,Required Quantity,Vereiste hoeveelheid
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Rekeningkundige tydperk oorvleuel met {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Verskaffer&gt; Verskaffer tipe
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Verkooprekening
 DocType: Purchase Invoice Item,Total Weight,Totale Gewig
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Skrap die werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om hierdie dokument te kanselleer"
 DocType: Pick List Item,Pick List Item,Kies &#39;n lysitem
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Kommissie op verkope
 DocType: Job Offer Term,Value / Description,Waarde / beskrywing
@@ -6343,6 +6435,7 @@
 DocType: Patient Encounter,Encounter Date,Ontmoeting Datum
 DocType: Work Order,Update Consumed Material Cost In Project,Opdatering van verbruikte materiaal in die projek
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Rekening: {0} met valuta: {1} kan nie gekies word nie
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Lenings aan kliënte en werknemers.
 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
@@ -6411,7 +6504,6 @@
 DocType: Contract,Signed On,Geteken
 DocType: Bank Account,Party Type,Party Tipe
 DocType: Discounted Invoice,Discounted Invoice,Faktuur met afslag
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk bywoning as <b></b>
 DocType: Payment Schedule,Payment Schedule,Betalingskedule
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Geen werknemer gevind vir die gegewe werknemer se veldwaarde nie. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,staat
@@ -6483,6 +6575,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,krediteure
 DocType: Assessment Plan,Assessment Name,Assesseringsnaam
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ry # {0}: Volgnommer is verpligtend
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Bedrag van {0} is nodig vir leningsluiting
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail
 DocType: Employee Onboarding,Job Offer,Werksaanbod
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instituut Afkorting
@@ -6506,7 +6599,6 @@
 DocType: Purchase Order,To Receive,Om te ontvang
 DocType: Leave Period,Holiday List for Optional Leave,Vakansie Lys vir Opsionele Verlof
 DocType: Item Tax Template,Tax Rates,Belastingkoerse
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Itemkode&gt; Itemgroep&gt; Merk
 DocType: Asset,Asset Owner,Bate-eienaar
 DocType: Item,Website Content,Inhoud van die webwerf
 DocType: Bank Account,Integration ID,Integrasie ID
@@ -6522,6 +6614,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Sinkorde
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Bestellings vrygestel vir produksie.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Kies fiskale jaar ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Kies leningstipe vir maatskappy {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6550,6 +6643,7 @@
 DocType: Customer,Mention if non-standard receivable account,Noem as nie-standaard ontvangbare rekening
 DocType: Bank,Plaid Access Token,Toegangsreëlmatjie
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,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: Bank Account,Is Default Account,Is standaardrekening
 DocType: Journal Entry Account,If Income or Expense,As inkomste of uitgawes
 DocType: Course Topic,Course Topic,Kursusonderwerp
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS sluitingsbewys bestaan alreeds vir {0} tussen datum {1} en {2}
@@ -6562,7 +6656,7 @@
 DocType: Disease,Treatment Task,Behandelingstaak
 DocType: Payment Order Reference,Bank Account Details,Bankrekeningbesonderhede
 DocType: Purchase Order Item,Blanket Order,Dekensbestelling
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Terugbetalingsbedrag moet groter wees as
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Terugbetalingsbedrag moet groter wees as
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Belasting Bates
 DocType: BOM Item,BOM No,BOM Nr
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Dateer besonderhede op
@@ -6618,6 +6712,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce produkte
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Sintaksfout in formule of toestand: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Item {0} geïgnoreer omdat dit nie &#39;n voorraaditem is nie
+,Loan Security Status,Leningsekuriteitstatus
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Om nie die prysreël in &#39;n bepaalde transaksie te gebruik nie, moet alle toepaslike prysreëls gedeaktiveer word."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dag (en) na die einde van die faktuur maand
 DocType: Assessment Group,Parent Assessment Group,Ouerassesseringsgroep
@@ -6632,7 +6727,6 @@
 DocType: Stock Entry Detail,Additional Cost,Addisionele koste
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Kan nie filter gebaseer op Voucher No, indien gegroepeer deur Voucher"
 DocType: Quality Inspection,Incoming,inkomende
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel nommeringreekse op vir bywoning via Setup&gt; Numbering Series
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standaard belasting sjablonen vir verkope en aankoop word gemaak.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Assesseringsresultaat rekord {0} bestaan reeds.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Voorbeeld: ABCD. #####. As reeksreeks ingestel is en Batchnommer nie in transaksies genoem word nie, sal outomatiese joernaalnommer geskep word op grond van hierdie reeks. As jy dit altyd wil spesifiseer, moet jy dit loslaat. Let wel: hierdie instelling sal prioriteit geniet in die voorkeuraam van die naamreeks in voorraadinstellings."
@@ -6643,8 +6737,10 @@
 DocType: Contract,Party User,Party gebruiker
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Bates nie geskep vir <b>{0}</b> . U moet bates met die hand opstel.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Stel asseblief die Maatskappyfilter leeg as Groep By &#39;Maatskappy&#39; is.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kliënt&gt; Kliëntegroep&gt; Gebied
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posdatum kan nie toekomstige datum wees nie
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Ry # {0}: reeksnommer {1} stem nie ooreen met {2} {3}
+DocType: Loan Repayment,Interest Payable,Rente betaalbaar
 DocType: Stock Entry,Target Warehouse Address,Teiken pakhuis adres
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Toevallige verlof
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Die tyd voor die aanvangstyd van die skof waartydens werknemers-inklok in aanmerking kom vir die bywoning.
@@ -6773,6 +6869,7 @@
 DocType: Issue,Reset Service Level Agreement,Herstel diensvlakooreenkoms
 ,Sales Person-wise Transaction Summary,Verkope Persoonlike Transaksie Opsomming
 DocType: Training Event,Contact Number,Kontak nommer
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Leningsbedrag is verpligtend
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6819,6 +6916,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Saldo Aantal
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Voorwaardes sal toegepas word op al die geselekteerde items gekombineer.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Doelwitte kan nie leeg wees nie
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Verkeerde pakhuis
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Inskrywing van studente
 DocType: Item Group,Parent Item Group,Ouer Item Groep
 DocType: Appointment Type,Appointment Type,Aanstellingstipe
@@ -6872,10 +6970,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gemiddelde koers
 DocType: Appointment,Appointment With,Afspraak met
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totale Betalingsbedrag in Betaalskedule moet gelyk wees aan Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk bywoning as <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Klant voorsien artikel&quot; kan nie &#39;n waardasiekoers hê nie
 DocType: Subscription Plan Detail,Plan,plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bankstaatbalans soos per Algemene Grootboek
-DocType: Job Applicant,Applicant Name,Aansoeker Naam
+DocType: Appointment Letter,Applicant Name,Aansoeker Naam
 DocType: Authorization Rule,Customer / Item Name,Kliënt / Item Naam
 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**. 
 
@@ -6919,11 +7018,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,verspreiding
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Werknemerstatus kan nie op &#39;Links&#39; gestel word nie, aangesien die volgende werknemers tans aan hierdie werknemer rapporteer:"
-DocType: Journal Entry Account,Loan,lening
+DocType: Loan Repayment,Amount Paid,Bedrag betaal
+DocType: Loan Security Shortfall,Loan,lening
 DocType: Expense Claim Advance,Expense Claim Advance,Koste Eis Voorskot
 DocType: Lab Test,Report Preference,Verslagvoorkeur
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Vrywillige inligting.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Projek bestuurder
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Groep per kliënt
 ,Quoted Item Comparison,Genoteerde Item Vergelyking
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,versending
@@ -6943,6 +7044,7 @@
 DocType: Material Request Plan Item,Material Issue,Materiële Uitgawe
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratis item word nie in die prysreël {0} gestel nie
 DocType: Employee Education,Qualification,kwalifikasie
+DocType: Loan Security Shortfall,Loan Security Shortfall,Tekort aan leningsekuriteit
 DocType: Item Price,Item Price,Itemprys
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Seep en wasmiddel
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Werknemer {0} behoort nie aan die maatskappy {1}
@@ -6965,6 +7067,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Aanstellingsbesonderhede
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Eindproduk
 DocType: Warehouse,Warehouse Name,Pakhuisnaam
+DocType: Loan Security Pledge,Pledge Time,Beloftetyd
 DocType: Naming Series,Select Transaction,Kies transaksie
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Voer asseblief &#39;n goedgekeurde rol of goedgekeurde gebruiker in
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Diensvlakooreenkoms met entiteitstipe {0} en entiteit {1} bestaan reeds.
@@ -6972,7 +7075,6 @@
 DocType: BOM,Rate Of Materials Based On,Mate van materiaal gebaseer op
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Indien geaktiveer, sal die vak Akademiese Termyn Verpligtend wees in die Programinskrywingsinstrument."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Waardes van vrygestelde, nie-gegradeerde en nie-GST-voorrade"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kliënt&gt; Kliëntegroep&gt; Gebied
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Die maatskappy</b> is &#39;n verpligte filter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Ontmerk alles
 DocType: Purchase Taxes and Charges,On Item Quantity,Op die hoeveelheid
@@ -7017,7 +7119,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Tekort
 DocType: Purchase Invoice,Input Service Distributor,Insetdiensverspreider
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Item variant {0} bestaan met dieselfde eienskappe
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Stel asb. Die instrukteur-naamstelsel op in onderwys&gt; Onderwysinstellings
 DocType: Loan,Repay from Salary,Terugbetaal van Salaris
 DocType: Exotel Settings,API Token,API-token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Versoek betaling teen {0} {1} vir bedrag {2}
@@ -7037,6 +7138,7 @@
 DocType: Salary Slip,Total Interest Amount,Totale Rente Bedrag
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Aankoms Datum Tyd
 DocType: Tax Rule,Billing Zipcode,Faktuur poskode
@@ -7223,6 +7325,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ure
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},&#39;N Nuwe afspraak is met u gemaak met {0}
 DocType: Project,Expected Start Date,Verwagte begin datum
+DocType: Work Order,This is a location where raw materials are available.,Dit is &#39;n plek waar grondstowwe beskikbaar is.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korreksie in Faktuur
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Werkorde wat reeds geskep is vir alle items met BOM
 DocType: Bank Account,Party Details,Party Besonderhede
@@ -7241,6 +7344,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,kwotasies:
 DocType: Contract,Partially Fulfilled,Gedeeltelik Vervul
 DocType: Maintenance Visit,Fully Completed,Voltooi Voltooi
+DocType: Loan Security,Loan Security Name,Leningsekuriteitsnaam
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Spesiale karakters behalwe &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; En &quot;}&quot; word nie toegelaat in die naamreekse nie"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Word nul beoordeel of vrygestel
 DocType: Employee,Educational Qualification,opvoedkundige kwalifikasie
@@ -7297,6 +7401,7 @@
 DocType: Program,Is Featured,Word aangebied
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Haal ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Landbou gebruiker
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Geldig tot datum kan nie voor transaksiedatum wees nie
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7374,8 +7479,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Werknemer {0} is op verlof op {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Geen terugbetalings gekies vir Joernaalinskrywings nie
 DocType: Purchase Invoice,GST Category,GST-kategorie
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Voorgestelde pandjies is verpligtend vir versekerde lenings
 DocType: Payment Reconciliation,From Invoice Date,Vanaf faktuur datum
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,begrotings
 DocType: Invoice Discounting,Disbursed,uitbetaal
@@ -7433,14 +7538,13 @@
 DocType: Restaurant,Active Menu,Aktiewe kieslys
 DocType: Accounting Dimension Detail,Default Dimension,Verstek dimensie
 DocType: Target Detail,Target Qty,Teiken Aantal
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Teen Lening: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Checkout instellings
 DocType: Student Attendance,Present,teenwoordig
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Afleweringsnotasie {0} moet nie ingedien word nie
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Die salarisstrokie wat aan die werknemer per e-pos gestuur word, sal met &#39;n wagwoord beskerm word, die wagwoord word gegenereer op grond van die wagwoordbeleid."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,odometer
 DocType: Production Plan Item,Ordered Qty,Bestelde hoeveelheid
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Item {0} is gedeaktiveer
 DocType: Stock Settings,Stock Frozen Upto,Voorraad Bevrore Upto
@@ -7497,7 +7601,6 @@
 DocType: Serial No,Delivery Document Type,Afleweringsdokument Tipe
 DocType: Sales Order,Partly Delivered,Gedeeltelik afgelewer
 DocType: Item Variant Settings,Do not update variants on save,Moenie variante op berging opdateer nie
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,debiteure
 DocType: Lead Source,Lead Source,Loodbron
 DocType: Customer,Additional information regarding the customer.,Bykomende inligting rakende die kliënt.
@@ -7593,6 +7696,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,werklike
 DocType: Appointment,Skype ID,Skype-ID
 DocType: Restaurant Menu,Restaurant Manager,Restaurant Bestuurder
+DocType: Loan,Penalty Income Account,Boete-inkomsterekening
 DocType: Call Log,Call Log,Oproeplys
 DocType: Authorization Rule,Customerwise Discount,Kliënte afslag
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Tydrooster vir take.
@@ -7680,6 +7784,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Produkafslagskema
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Die oproeper het geen kwessie geopper nie.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Groep volgens verskaffer
 DocType: Restaurant Reservation,Waitlisted,waglys
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Vrystellingskategorie
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7690,7 +7795,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Gebaseer op pryslys
 DocType: Customer Group,Parent Customer Group,Ouer Kliëntegroep
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan slegs gegenereer word uit verkoopsfaktuur
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maksimum pogings vir hierdie vasvra bereik!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,inskrywing
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Fooi skepping hangende
@@ -7708,6 +7812,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Voorkomende instandhouding
 DocType: Delivery Note Item,Against Sales Invoice,Teen Verkoopfaktuur
 DocType: Purchase Invoice,07-Others,07-Ander
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Aanhalingsbedrag
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Voer asseblief die reeksnommers vir die gekose item in
 DocType: Bin,Reserved Qty for Production,Gereserveerde hoeveelheid vir produksie
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Los ongeskik as jy nie joernaal wil oorweeg as jy kursusgebaseerde groepe maak nie.
@@ -7815,6 +7920,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Betaling Ontvangst Nota
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Skep materiaalversoek
+DocType: Loan Interest Accrual,Pending Principal Amount,Hangende hoofbedrag
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Begin- en einddatums wat nie binne &#39;n geldige betaalperiode is nie, kan nie {0} bereken nie"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7858,6 +7964,7 @@
 											to fullfill Sales Order {2}",Kan nie &#39;n serienummer {0} van item {1} lewer soos dit gereserveer is om die bestelling te vul {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Verskaffer kwotasie {0} geskep
+DocType: Loan Security Unpledge,Unpledge Type,Unpedge-tipe
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Eindejaar kan nie voor die beginjaar wees nie
 DocType: Employee Benefit Application,Employee Benefits,Werknemervoordele
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Werknemer identiteit
@@ -7940,6 +8047,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kursuskode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Voer asseblief koste-rekening in
 DocType: Quality Action Resolution,Problem,probleem
+DocType: Loan Security Type,Loan To Value Ratio,Lening tot Waardeverhouding
 DocType: Account,Stock,Stock
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7957,6 +8065,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankstaat Transaksieinskrywing
 DocType: Sales Invoice Item,Discount and Margin,Korting en marges
 DocType: Lab Test,Prescription,voorskrif
+DocType: Process Loan Security Shortfall,Update Time,Opdateringstyd
 DocType: Import Supplier Invoice,Upload XML Invoices,Laai XML-fakture op
 DocType: Company,Default Deferred Revenue Account,Verstek Uitgestelde Inkomsterekening
 DocType: Project,Second Email,Tweede e-pos
@@ -7970,7 +8079,7 @@
 DocType: Quality Action,Preventive,voorkomende
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Voorrade aan ongeregistreerde persone
 DocType: Company,Date of Incorporation,Datum van inkorporasie
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Totale Belasting
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Totale Belasting
 DocType: Manufacturing Settings,Default Scrap Warehouse,Standaard skroot pakhuis
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Laaste aankoopprys
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Vir Hoeveelheid (Vervaardigde Aantal) is verpligtend
@@ -7989,6 +8098,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Stel verstekmodus van betaling
 DocType: Stock Entry Detail,Against Stock Entry,Teen voorraadinskrywing
 DocType: Grant Application,Withdrawn,Teruggetrokke
+DocType: Loan Repayment,Regular Payment,Gereelde betaling
 DocType: Support Search Source,Support Search Source,Ondersteun soekbron
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Bruto Marge%
@@ -8001,8 +8111,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Sonder betaling van belasting
 DocType: BOM Operation,BOM Operation,BOM Operasie
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Op vorige rybedrag
+DocType: Student,Home Address,Huisadres
 DocType: Options,Is Correct,Dit is korrek
 DocType: Item,Has Expiry Date,Het vervaldatum
+DocType: Loan Repayment,Paid Accrual Entries,Betaalde toevallingsinskrywings
+DocType: Loan Security,Loan Security Type,Tipe lenings
 apps/erpnext/erpnext/config/support.py,Issue Type.,Uitgawe tipe.
 DocType: POS Profile,POS Profile,POS Profiel
 DocType: Training Event,Event Name,Gebeurtenis Naam
@@ -8014,6 +8127,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Seisoenaliteit vir die opstel van begrotings, teikens ens."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Geen waardes nie
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Veranderlike Naam
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Kies die bankrekening om te versoen.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Item {0} is &#39;n sjabloon, kies asseblief een van sy variante"
 DocType: Purchase Invoice Item,Deferred Expense,Uitgestelde Uitgawe
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Terug na boodskappe
@@ -8065,7 +8179,6 @@
 DocType: GL Entry,To Rename,Om te hernoem
 DocType: Stock Entry,Repack,herverpak
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Kies om serienommer by te voeg.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Stel asb. Die instrukteur-naamstelsel op in onderwys&gt; Onderwysinstellings
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Stel fiskale kode vir die kliënt &#39;% s&#39; in
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Kies asseblief die Maatskappy eerste
 DocType: Item Attribute,Numeric Values,Numeriese waardes
@@ -8089,6 +8202,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Haal gebaseer op EIEU
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Wortel kan nie geredigeer word nie.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Leningsekuriteitswaarde
 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
@@ -8135,6 +8249,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Kies asseblief Kategorie eerste
 apps/erpnext/erpnext/config/projects.py,Project master.,Projekmeester.
 DocType: Contract,Contract Terms,Kontrak Terme
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sanktiewe Bedraglimiet
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Gaan voort met die konfigurasie
 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,Maximum benefit amount of component {0} exceeds {1},Maksimum voordeelbedrag van komponent {0} oorskry {1}
@@ -8167,6 +8282,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Kyk na oproeplogboek
 DocType: BOM Operation,Operating Cost(Company Currency),Bedryfskoste (Maatskappy Geld)
 DocType: Loan Application,Rate of Interest,Rentekoers
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Loan Security Belofte is reeds verpand teen die lening {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Beperkte bedrag
 DocType: Item,Shelf Life In Days,Raklewe in dae
 DocType: GL Entry,Is Opening,Is opening
@@ -8180,3 +8296,4 @@
 DocType: Account,Cash,kontant
 DocType: Sales Invoice,Unpaid and Discounted,Onbetaal en afslag
 DocType: Employee,Short biography for website and other publications.,Kort biografie vir webwerf en ander publikasies.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Ry # {0}: kan nie die leweransierpakhuis kies terwyl grondstowwe aan die onderaannemer verskaf word nie
diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv
index 5794fd7..9c6d63d 100644
--- a/erpnext/translations/am.csv
+++ b/erpnext/translations/am.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,ዕድል የጠፋበት ምክንያት።
 DocType: Patient Appointment,Check availability,ተገኝነትን ያረጋግጡ
 DocType: Retention Bonus,Bonus Payment Date,የጉርሻ ክፍያ ቀን
-DocType: Employee,Job Applicant,ሥራ አመልካች
+DocType: Appointment Letter,Job Applicant,ሥራ አመልካች
 DocType: Job Card,Total Time in Mins,በደቂቃዎች ውስጥ ጠቅላላ ጊዜ።
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ይሄ በዚህ አቅራቢው ላይ ግብይቶችን ላይ የተመሠረተ ነው. ዝርዝሮችን ለማግኘት ከታች ያለውን የጊዜ ይመልከቱ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ለስራ ቅደም ተከተል የማካካሻ ምርቶች መቶኛ
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,የመገኛ አድራሻ
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ማንኛውንም ነገር ይፈልጉ ...
 ,Stock and Account Value Comparison,የአክሲዮን እና የሂሳብ እሴት ንፅፅር
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,የተከፋፈለው የገንዘብ መጠን የብድር መጠን ሊበልጥ አይችልም
 DocType: Company,Phone No,ስልክ የለም
 DocType: Delivery Trip,Initial Email Notification Sent,የመጀመሪያ ኢሜይል ማሳወቂያ ተላከ
 DocType: Bank Statement Settings,Statement Header Mapping,መግለጫ ርዕስ ራስ-ካርታ
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,ለመወዳደር የምትፈልጉ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,ቀዳዳ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,ፕሮግራም:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,ከጊዜ ጊዜ ልክ የሆነ ከሚተገበር የቶቶ ሰዓት ያነሰ መሆን አለበት።
 DocType: Item,Copy From Item Group,ንጥል ቡድን ከ ቅዳ
 DocType: Journal Entry,Opening Entry,በመክፈት ላይ የሚመዘገብ መረጃ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,መለያ ክፍያ ብቻ
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,ደረጃ
 DocType: Restaurant Table,No of Seats,የመቀመጫዎች ቁጥር
+DocType: Loan Type,Grace Period in Days,በቀናት ውስጥ የችሮታ ጊዜ
 DocType: Sales Invoice,Overdue and Discounted,ጊዜው ያለፈበት እና የተቀነሰ።
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},ንብረት {0} የባለአደራው {1} አይደለም
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ጥሪ ተቋር .ል።
@@ -388,7 +391,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,የታዘዙ ሸቀጦች
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS ብቻ አሳይ
 DocType: Supplier Group,Supplier Group Name,የአቅራቢው የቡድን ስም
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ተገኝነትን እንደ ምልክት ያድርጉ <b></b>
 DocType: Driver,Driving License Categories,የመንጃ ፍቃድ ምድቦች
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,እባክዎ የመላኪያ ቀን ያስገቡ
 DocType: Depreciation Schedule,Make Depreciation Entry,የእርጅና Entry አድርግ
@@ -405,10 +407,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ስለ ስራዎች ዝርዝሮች ፈጽሟል.
 DocType: Asset Maintenance Log,Maintenance Status,ጥገና ሁኔታ
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,የእሴት ግብር መጠን በእሴት ውስጥ ተካትቷል።
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,የብድር ደህንነት ማራገፊያ
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,የአባልነት ዝርዝሮች
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: አቅራቢው ተከፋይ ሂሳብ ላይ ያስፈልጋል {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,ንጥሎች እና የዋጋ አሰጣጥ
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ጠቅላላ ሰዓት: {0}
+DocType: Loan,Loan Manager,የብድር አስተዳዳሪ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ቀን ጀምሮ በ የበጀት ዓመት ውስጥ መሆን አለበት. ቀን ጀምሮ ከወሰድን = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-yYYYY.-
 DocType: Drug Prescription,Interval,የጊዜ ክፍተት
@@ -467,6 +471,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',«ጊዜ Log&quot; በኩል Updated
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ደንቡን ወይም አቅራቢውን ይምረጡ.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,በፋይል ውስጥ ያለው የአገር ኮድ በሲስተሙ ውስጥ ከተዋቀረው የአገር ኮድ ጋር አይዛመድም
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},መለያ {0} ኩባንያ የእርሱ ወገን አይደለም {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,እንደ ነባሪ አንድ ቅድሚያ የሚሰጠውን ይምረጡ።
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},አስቀድሞ መጠን መብለጥ አይችልም {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","የሰዓት ማስገቢያ ይሻላል, መጎሰቻው {0} እስከ {1} የክፈፍ መተላለፊያ {2} በ {3} ላይ ይዛመዳል."
@@ -544,7 +549,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ውጣ የታገዱ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ንጥል {0} ላይ ሕይወት ፍጻሜው ላይ ደርሷል {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ባንክ ግቤቶችን
-DocType: Customer,Is Internal Customer,የውስጥ ደንበኛ ነው
+DocType: Sales Invoice,Is Internal Customer,የውስጥ ደንበኛ ነው
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,የሽያጭ ደረሰኝ የለም
@@ -568,6 +573,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,ቁሳዊ ጥያቄ
 DocType: Bank Reconciliation,Update Clearance Date,አዘምን መልቀቂያ ቀን
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,ጥቅል
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,ትግበራ እስኪፀድቅ ድረስ ብድር መፍጠር አይቻልም
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},የግዥ ትዕዛዝ ውስጥ &#39;ጥሬ እቃዎች አቅርቦት&#39; ሠንጠረዥ ውስጥ አልተገኘም ንጥል {0} {1}
 DocType: Salary Slip,Total Principal Amount,አጠቃላይ የዋና ተመን
@@ -575,6 +581,7 @@
 DocType: Quiz Result,Correct,ትክክል
 DocType: Student Guardian,Mother,እናት
 DocType: Restaurant Reservation,Reservation End Time,የተያዘ የመቆያ ጊዜ
+DocType: Salary Slip Loan,Loan Repayment Entry,የብድር ክፍያ ምዝገባ
 DocType: Crop,Biennial,የባለቤትነት
 ,BOM Variance Report,BOM Variance Report
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,ደንበኞች ከ ተረጋግጧል ትዕዛዞች.
@@ -596,6 +603,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},ላይ ክፍያ {0} {1} ያልተከፈሉ መጠን በላይ ሊሆን አይችልም {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,ሁሉም የጤና ጥበቃ አገልግሎት ክፍሎች
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,ዕድልን በመለወጥ ላይ።
+DocType: Loan,Total Principal Paid,ጠቅላላ ዋና ክፍያ ተከፍሏል
 DocType: Bank Account,Address HTML,አድራሻ ኤችቲኤምኤል
 DocType: Lead,Mobile No.,የተንቀሳቃሽ ስልክ ቁጥር
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,የከፈሉበት ሁኔታ
@@ -614,12 +622,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,በመሠረታዊ ልውውጥ ውስጥ ቀሪ ሂሳብ
 DocType: Supplier Scorecard Scoring Standing,Max Grade,ከፍተኛ ደረጃ
 DocType: Email Digest,New Quotations,አዲስ ጥቅሶች
+DocType: Loan Interest Accrual,Loan Interest Accrual,የብድር ወለድ ክፍያ
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,በአለራ ላይ {0} ን እንደ {1} አላስገባም.
 DocType: Journal Entry,Payment Order,የክፍያ ትዕዛዝ
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ኢሜል ያረጋግጡ
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,ከሌላ ምንጮች የሚገኘው ገቢ
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",ባዶ ከሆነ ፣ የወላጅ መጋዘን መለያ ወይም የኩባንያ ነባሪው ከግምት ውስጥ ይገባል።
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,የተቀጣሪ ውስጥ የተመረጡ ተመራጭ ኢሜይል ላይ የተመሠረተ ሰራተኛ ኢሜይሎች የደመወዝ ወረቀት
+DocType: Work Order,This is a location where operations are executed.,ክወናዎች የሚከናወኑበት ቦታ ይህ ነው።
 DocType: Tax Rule,Shipping County,የመርከብ ካውንቲ
 DocType: Currency Exchange,For Selling,ለሽያጭ
 apps/erpnext/erpnext/config/desktop.py,Learn,ይወቁ
@@ -628,6 +638,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,የተተገበረ የኩፖን ኮድ
 DocType: Asset,Next Depreciation Date,ቀጣይ የእርጅና ቀን
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,የተቀጣሪ በአንድ እንቅስቃሴ ወጪ
+DocType: Loan Security,Haircut %,የፀጉር ቀለም%
 DocType: Accounts Settings,Settings for Accounts,መለያዎች ቅንብሮች
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},አቅራቢው ደረሰኝ ምንም የግዢ ደረሰኝ ውስጥ አለ {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,የሽያጭ ሰው ዛፍ ያቀናብሩ.
@@ -666,6 +677,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},እባክዎን የሆቴል የክፍል ደረጃ በ {} ላይ ያዘጋጁ
 DocType: Journal Entry,Multi Currency,ባለብዙ ምንዛሬ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,የደረሰኝ አይነት
+DocType: Loan,Loan Security Details,የብድር ደህንነት ዝርዝሮች
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ከቀን ጀምሮ ተቀባይነት ያለው ከሚሰራበት ቀን ያነሰ መሆን አለበት።
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},{0} በሚታረቅበት ጊዜ ለየት ያለ ነገር ተከሰተ
 DocType: Purchase Invoice,Set Accepted Warehouse,ተቀባይነት ያለው መጋዘን ያዘጋጁ ፡፡
@@ -770,7 +782,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,የቤተሙከራ ፍቃድ ማፅደቅ ጠይቅ
 DocType: Attendance,Working Hours,የስራ ሰዓት
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ድምር ውጤት
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM የልወጣ ሁኔታ ({0} -&gt; {1}) ለንጥል አልተገኘም {{2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,አንድ ነባር ተከታታይ ጀምሮ / የአሁኑ ቅደም ተከተል ቁጥር ለውጥ.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,በሚታዘዘው መጠን ላይ ተጨማሪ ሂሳብ እንዲከፍሉ ተፈቅዶልዎታል። ለምሳሌ-የትእዛዝ ዋጋ ለአንድ ነገር $ 100 ዶላር ከሆነ እና መቻቻል 10% ሆኖ ከተቀናበረ $ 110 እንዲከፍሉ ይፈቀድልዎታል።
 DocType: Dosage Strength,Strength,ጥንካሬ
@@ -788,6 +799,7 @@
 DocType: Purchase Receipt,Vehicle Date,የተሽከርካሪ ቀን
 DocType: Campaign Email Schedule,Campaign Email Schedule,የዘመቻ ኢሜይል የጊዜ ሰሌዳ ፡፡
 DocType: Student Log,Medical,የሕክምና
+DocType: Work Order,This is a location where scraped materials are stored.,የተቀጠቀጡ ቁሳቁሶች የተቀመጡበት ቦታ ይህ ነው ፡፡
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,እባክዎ መድሃኒት ይምረጡ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,በእርሳስ ባለቤቱ ግንባር ጋር ተመሳሳይ ሊሆን አይችልም
 DocType: Announcement,Receiver,ተቀባይ
@@ -883,7 +895,7 @@
 DocType: Driver,Applicable for external driver,ለውጫዊ አሽከርካሪ የሚመለከተው
 DocType: Sales Order Item,Used for Production Plan,የምርት ዕቅድ ላይ ውሏል
 DocType: BOM,Total Cost (Company Currency),ጠቅላላ ወጪ (የኩባንያ ምንዛሬ)
-DocType: Loan,Total Payment,ጠቅላላ ክፍያ
+DocType: Repayment Schedule,Total Payment,ጠቅላላ ክፍያ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,ፖስታው ቀድሞውኑ ለሁሉም የሽያጭ ነገዶች እቃዎች ተፈጥሯል
@@ -909,6 +921,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,የግዢ ትዕዛዞችን ያስጠንቅቁ
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,በቀን ተከራይቷል
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,በቂ ክፍሎች መመሥረት የሚቻለው
+DocType: Loan Security,Loan Security Code,የብድር ደህንነት ኮድ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,እባክዎን መጀመሪያ ያስቀምጡ ፡፡
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ዕቃዎች ከእሱ ጋር የተቆራኘውን ጥሬ እቃ ለመሳብ ይፈለጋሉ ፡፡
 DocType: POS Profile User,POS Profile User,POS የመገለጫ ተጠቃሚ
@@ -965,6 +978,7 @@
 DocType: Patient,Risk Factors,የጭንቀት ሁኔታዎች
 DocType: Patient,Occupational Hazards and Environmental Factors,የሥራ ጉዳት እና የአካባቢ ብክለቶች
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ክምችት ምዝገባዎች ቀድሞ ለስራ ትእዛዝ ተዘጋጅተዋል
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,የንጥል ኮድ&gt; የንጥል ቡድን&gt; የምርት ስም
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ያለፉ ትዕዛዞችን ይመልከቱ።
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ውይይቶች።
 DocType: Vital Signs,Respiratory rate,የመተንፈሻ መጠን
@@ -1027,6 +1041,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,የግብር መያዣ ሂሳብ
 DocType: Pricing Rule,Sales Partner,የሽያጭ አጋር
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ሁሉም የአቅራቢ መለኪያ ካርዶች.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,የትዕዛዝ መጠን
+DocType: Loan,Disbursed Amount,የተከፋፈለ መጠን
 DocType: Buying Settings,Purchase Receipt Required,የግዢ ደረሰኝ ያስፈልጋል
 DocType: Sales Invoice,Rail,ባቡር
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ትክክለኛ ወጪ።
@@ -1067,6 +1083,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,ከ QuickBooks ጋር ተገናኝቷል
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},እባክዎን መለያ / መለያ (ሎድጀር) ለይተው ያረጋግጡ / ይፍጠሩ - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,የሚከፈለው መለያ
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,የክፍያ ግቤቶችን ለማግኘት መለያ ግዴታ ነው
 DocType: Payment Entry,Type of Payment,የክፍያው አይነት
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,የግማሽ ቀን ቀን የግድ ግዴታ ነው
 DocType: Sales Order,Billing and Delivery Status,ማስከፈል እና የመላኪያ ሁኔታ
@@ -1105,7 +1122,7 @@
 DocType: Purchase Order Item,Billed Amt,የሚከፈል Amt
 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,Principal Amount,ዋና ዋና መጠን
+DocType: Repayment Schedule,Principal Amount,ዋና ዋና መጠን
 DocType: Loan Application,Total Payable Interest,ጠቅላላ የሚከፈል የወለድ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ድምር ውጤት: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,ክፍት እውቂያ።
@@ -1119,6 +1136,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,በማዘመን ሂደቱ ጊዜ ስህተት ተከስቷል
 DocType: Restaurant Reservation,Restaurant Reservation,የምግብ ቤት ቦታ ማስያዣ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ዕቃዎችዎ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,አቅራቢ&gt; የአቅራቢ ዓይነት
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ሐሳብ መጻፍ
 DocType: Payment Entry Deduction,Payment Entry Deduction,የክፍያ Entry ተቀናሽ
 DocType: Service Level Priority,Service Level Priority,የአገልግሎት ደረጃ ቅድሚያ።
@@ -1151,6 +1169,7 @@
 DocType: Batch,Batch Description,ባች መግለጫ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,የተማሪ ቡድኖችን መፍጠር
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ክፍያ ማስተናገጃ መለያ አልተፈጠረም, በእጅ አንድ ፍጠር."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},የቡድን መጋዘኖች በግብይቶች ውስጥ ጥቅም ላይ ሊውሉ አይችሉም። እባክዎ የ {0} ዋጋውን ይለውጡ
 DocType: Supplier Scorecard,Per Year,በዓመት
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,በእያንዳንዱ DOB ውስጥ በዚህ ፕሮግራም ውስጥ ለመግባት ብቁ አይደሉም
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,ረድፍ # {0}: ለደንበኛ ግ purchase ትዕዛዝ የተመደበውን ንጥል {1} መሰረዝ አይቻልም።
@@ -1273,7 +1292,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",ለህፃናት ኩባንያ {0} መለያ በሚፈጥሩበት ጊዜ ፣ የወላጅ መለያ {1} አልተገኘም። እባክዎን የወላጅ መለያ ተጓዳኝ COA ን ይፍጠሩ።
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,ችግር ተከፈለ
 DocType: Student Attendance,Student Attendance,የተማሪ የትምህርት ክትትል
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,ወደ ውጭ ለመላክ ምንም ውሂብ የለም።
 DocType: Sales Invoice Timesheet,Time Sheet,የጊዜ ሉህ
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush ጥሬ እቃዎች ላይ የተመረኮዘ ላይ
 DocType: Sales Invoice,Port Code,የወደብ ኮድ
@@ -1286,6 +1304,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,ትክክለኛው የማስረከቢያ ቀን።
 DocType: Lab Test,Test Template,አብነት ሞክር
+DocType: Loan Security Pledge,Securities,ደህንነቶች
 DocType: Restaurant Order Entry Item,Served,ያገለገለ
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,የምዕራፍ መረጃ.
 DocType: Account,Accounts,መለያዎች
@@ -1379,6 +1398,7 @@
 DocType: Inpatient Record,O Negative,ኦ አሉታዊ
 DocType: Work Order Operation,Planned End Time,የታቀደ መጨረሻ ሰዓት
 DocType: POS Profile,Only show Items from these Item Groups,ከእነዚህ የንጥል ቡድኖች ብቻ እቃዎችን አሳይ።
+DocType: Loan,Is Secured Loan,ደህንነቱ የተጠበቀ ብድር ነው
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,ነባር የግብይት ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,የማስታወሻ አይነት አይነት ዝርዝሮች
 DocType: Delivery Note,Customer's Purchase Order No,ደንበኛ የግዢ ትዕዛዝ ምንም
@@ -1415,6 +1435,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,እባክዎ ግቤቶችን ለመመዝገብ እባክዎ ኩባንያ እና የድረ-ገጽ ቀንን ይምረጡ
 DocType: Asset,Maintenance,ጥገና
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,ከታካሚዎች ግኝት ያግኙ
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM የልወጣ ሁኔታ ({0} -&gt; {1}) ለእንጥል አልተገኘም {{2}
 DocType: Subscriber,Subscriber,ደንበኛ
 DocType: Item Attribute Value,Item Attribute Value,ንጥል ዋጋ የአይነት
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,የምንዛሬ ልውውጥ ለግዢ ወይም ለሽያጭ ተፈጻሚ መሆን አለበት.
@@ -1494,6 +1515,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,ምንም ፍቃድ
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,የውል ፍጻሜ ማረጋገጫ ዝርዝር
 DocType: Vital Signs,Heart Rate / Pulse,የልብ ምት / የልብ ምት
+DocType: Customer,Default Company Bank Account,ነባሪ የኩባንያ የባንክ ሂሳብ
 DocType: Supplier,Default Bank Account,ነባሪ የባንክ ሂሳብ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",የድግስ ላይ የተመሠረተ ለማጣራት ይምረጡ ፓርቲ በመጀመሪያ ይተይቡ
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},ንጥሎች በኩል ነፃ አይደለም; ምክንያቱም &#39;ያዘምኑ Stock&#39; ሊረጋገጥ አልቻለም {0}
@@ -1611,7 +1633,6 @@
 DocType: Sales Team,Incentives,ማበረታቻዎች
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ዋጋዎች ከማመሳሰል ውጭ
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ልዩነት እሴት
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,እባክዎን ለተማሪ ተገኝነት በማዋቀር&gt; በቁጥር ተከታታይ በኩል ያዘጋጁ
 DocType: SMS Log,Requested Numbers,ተጠይቋል ዘኍልቍ
 DocType: Volunteer,Evening,ምሽት
 DocType: Quiz,Quiz Configuration,የጥያቄዎች ውቅር።
@@ -1631,6 +1652,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,ቀዳሚ ረድፍ ጠቅላላ ላይ
 DocType: Purchase Invoice Item,Rejected Qty,ውድቅ ብዛት
 DocType: Setup Progress Action,Action Field,የእርምጃ መስክ
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,የብድር አይነት ለወለድ እና ለቅጣት ተመኖች
 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,መላኪያ ማቆም
@@ -1642,6 +1664,7 @@
 ,Final Assessment Grades,የመጨረሻ ፈተናዎች ደረጃዎች
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,የእርስዎን ኩባንያ ስም ስለ እናንተ ይህ ሥርዓት ማዋቀር ነው.
 DocType: HR Settings,Include holidays in Total no. of Working Days,ምንም ጠቅላላ በዓላት ያካትቱ. የስራ ቀናት
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% ከጠቅላላው ጠቅላላ
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,በ ERPNext ተቋምዎን ተቋም ያዘጋጁ
 DocType: Agriculture Analysis Criteria,Plant Analysis,የአትክልት ትንታኔ
 DocType: Task,Timeline,የጊዜ መስመር
@@ -1649,9 +1672,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,አማራጭ ንጥል
 DocType: Shopify Log,Request Data,የጥያቄ ውሂብ
 DocType: Employee,Date of Joining,በመቀላቀል ቀን
+DocType: Delivery Note,Inter Company Reference,የኢንተር ኩባንያ ማጣቀሻ
 DocType: Naming Series,Update Series,አዘምን ተከታታይ
 DocType: Supplier Quotation,Is Subcontracted,Subcontracted ነው
 DocType: Restaurant Table,Minimum Seating,አነስተኛ ቦታ መያዝ
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,ጥያቄው የተባዛ ሊሆን አይችልም
 DocType: Item Attribute,Item Attribute Values,ንጥል መገለጫ ባህሪ እሴቶች
 DocType: Examination Result,Examination Result,ምርመራ ውጤት
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,የግዢ ደረሰኝ
@@ -1753,6 +1778,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች
 DocType: Payment Request,Paid,የሚከፈልበት
 DocType: Service Level,Default Priority,ነባሪ ቅድሚያ።
+DocType: Pledge,Pledge,ቃል ገባ
 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 ዎች ውስጥ የቅርብ ጊዜ ዋጋን ያሻሽላል."
@@ -1766,6 +1792,7 @@
 DocType: Guardian,Guardian Name,አሳዳጊ ስም
 DocType: Cheque Print Template,Has Print Format,አትም ቅርጸት አለው
 DocType: Support Settings,Get Started Sections,ክፍሎችን ይጀምሩ
+,Loan Repayment and Closure,የብድር ክፍያ እና መዝጊያ
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-YYYY.-
 DocType: Invoice Discounting,Sanctioned,ማዕቀብ
 ,Base Amount,የመነሻ መጠን
@@ -1776,10 +1803,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,ከቦታ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},የብድር መጠን ከ {0} መብለጥ አይችልም
 DocType: Student Admission,Publish on website,ድር ላይ ያትሙ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,አቅራቢው ደረሰኝ ቀን መለጠፍ ቀን በላይ ሊሆን አይችልም
 DocType: Installation Note,MAT-INS-.YYYY.-,ማታ-ግባ-አመድ.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,የንጥል ኮድ&gt; የንጥል ቡድን&gt; የምርት ስም
 DocType: Subscription,Cancelation Date,የመሰረዝ ቀን
 DocType: Purchase Invoice Item,Purchase Order Item,ትዕዛዝ ንጥል ይግዙ
 DocType: Agriculture Task,Agriculture Task,የግብርና ስራ
@@ -1798,7 +1825,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,ተጨማሪ የቅናሽ መቶኛ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,ሁሉም እርዳታ ቪዲዮዎች ዝርዝር ይመልከቱ
 DocType: Agriculture Analysis Criteria,Soil Texture,የአፈር ዓይነት
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ቼክ ገቢ የት ባንኩ መለያ ምረጥ ራስ.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,የተጠቃሚ ግብይቶችን የዋጋ ዝርዝር ተመን አርትዕ ለማድረግ ፍቀድ
 DocType: Pricing Rule,Max Qty,ከፍተኛ ብዛት
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,የህትመት ሪፖርት ካርድ
@@ -1930,7 +1956,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","አንዴ ከተዘጋጀ, ይህ የዋጋ መጠየቂያ የተጠናቀቀበት ቀን እስከሚቆይ ይቆያል"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,ሽያጭ መጠን
-DocType: Repayment Schedule,Interest Amount,የወለድ መጠን
+DocType: Loan Interest Accrual,Interest Amount,የወለድ መጠን
 DocType: Job Card,Time Logs,የጊዜ ምዝግብ ማስታወሻዎች
 DocType: Sales Invoice,Loyalty Amount,የታማኝነት መጠን
 DocType: Employee Transfer,Employee Transfer Detail,የሰራተኛ ዝውውር ዝርዝር
@@ -1945,6 +1971,7 @@
 DocType: Cashier Closing,Returns,ይመልሳል
 DocType: Job Card,WIP Warehouse,WIP መጋዘን
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},ተከታታይ አይ {0} እስከሁለት ጥገና ኮንትራት ስር ነው {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},ለ {0} {1} የታገደ የገንዘብ መጠን ተገድቧል
 apps/erpnext/erpnext/config/hr.py,Recruitment,ምልመላ
 DocType: Lead,Organization Name,የድርጅት ስም
 DocType: Support Settings,Show Latest Forum Posts,የቅርብ ጊዜ መድረክ ልጥፎችን አሳይ
@@ -1971,7 +1998,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,የግዢ ትዕዛዞችን ያለፈባቸው ናቸው
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,አካባቢያዊ መለያ ቁጥር
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},የሽያጭ ትዕዛዝ {0} ነው {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},በብድር ውስጥ የወለድ ገቢን ይምረጡ {0}
 DocType: Opportunity,Contact Info,የመገኛ አድራሻ
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,የክምችት ግቤቶችን ማድረግ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,በአስተዳዳሪ ሁኔታ ወደ ሠራተኛ ማስተዋወቅ አይቻልም
@@ -2055,7 +2081,6 @@
 DocType: Salary Slip,Deductions,ቅናሽ
 DocType: Setup Progress Action,Action Name,የእርምጃ ስም
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,የጀመረበት ዓመት
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ብድር ይፍጠሩ።
 DocType: Purchase Invoice,Start date of current invoice's period,የአሁኑ መጠየቂያ ያለው ጊዜ የመጀመሪያ ቀን
 DocType: Shift Type,Process Attendance After,የሂደቱ ተገኝነት በኋላ
 ,IRS 1099,IRS 1099
@@ -2076,6 +2101,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ጎራዎችዎን ይምረጡ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,አቅራቢን ግዛ
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,የክፍያ መጠየቂያ ደረሰኝ ንጥሎች
+DocType: Repayment Schedule,Is Accrued,ተሰብስቧል
 DocType: Payroll Entry,Employee Details,የሰራተኛ ዝርዝሮች
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ፋይሎችን በመስራት ላይ
 DocType: Amazon MWS Settings,CN,CN
@@ -2107,6 +2133,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,የታማኝነት ነጥብ መግቢያ
 DocType: Employee Checkin,Shift End,Shift መጨረሻ።
 DocType: Stock Settings,Default Item Group,ነባሪ ንጥል ቡድን
+DocType: Loan,Partially Disbursed,በከፊል በመገኘቱ
 DocType: Job Card Time Log,Time In Mins,ሰዓት በማይንስ
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,መረጃ ስጥ.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ይህ እርምጃ ERPNext ን ከእርስዎ የባንክ ሂሳብ ጋር በማጣመር ከማንኛውም ውጫዊ አገልግሎት ጋር ያገናኘዋል። ሊቀለበስ አይችልም። እርግጠኛ ነህ?
@@ -2122,6 +2149,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,ብዙ ጊዜ ተመሳሳይ ንጥል ሊገቡ አይችሉም.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","ተጨማሪ መለያዎች ቡድኖች ስር ሊሆን ይችላል, ነገር ግን ግቤቶች ያልሆኑ ቡድኖች ላይ ሊሆን ይችላል"
+DocType: Loan Repayment,Loan Closure,የብድር መዘጋት
 DocType: Call Log,Lead,አመራር
 DocType: Email Digest,Payables,Payables
 DocType: Amazon MWS Settings,MWS Auth Token,የ MWS Auth Token
@@ -2154,6 +2182,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way ቢል ጄኤስON ሊወጣ የሚችለው ከተረከበው ሰነድ ብቻ ነው።
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,የሰራተኛ ግብር እና ጥቅማ ጥቅሞች።
 DocType: Bank Guarantee,Validity in Days,ቀኖች ውስጥ የተገቢነት
+DocType: Unpledge,Haircut,የፀጉር ቀለም
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},ሲ-ቅጽ ደረሰኝ ተፈጻሚ አይደለም: {0}
 DocType: Certified Consultant,Name of Consultant,የአመልካች ስም
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled የክፍያ ዝርዝሮች
@@ -2206,7 +2235,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,ወደ ተቀረው ዓለም
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,የ ንጥል {0} ባች ሊኖረው አይችልም
 DocType: Crop,Yield UOM,ትርፍ UOM
+DocType: Loan Security Pledge,Partially Pledged,በከፊል ተጭኗል
 ,Budget Variance Report,በጀት ልዩነት ሪፖርት
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,የተጣራ የብድር መጠን
 DocType: Salary Slip,Gross Pay,አጠቃላይ ክፍያ
 DocType: Item,Is Item from Hub,ንጥል ከዋኝ ነው
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ከጤና እንክብካቤ አገልግሎት እቃዎችን ያግኙ
@@ -2241,6 +2272,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,አዲስ የጥራት ደረጃ ፡፡
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},መለያ ቀሪ {0} ሁልጊዜ መሆን አለበት {1}
 DocType: Patient Appointment,More Info,ተጨማሪ መረጃ
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,የትውልድ ቀን ከመቀላቀል ቀን መብለጥ አይችልም።
 DocType: Supplier Scorecard,Scorecard Actions,የውጤት ካርድ ድርጊቶች
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},አቅራቢ {0} በ {1} ውስጥ አልተገኘም
 DocType: Purchase Invoice,Rejected Warehouse,ውድቅ መጋዘን
@@ -2337,6 +2369,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,እባክህ መጀመሪያ የንጥል ኮድ አዘጋጅ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,የሰነድ ዓይነት
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},የብድር ዋስትና ቃል ተፈጥረዋል: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,ቀጠሮዎች እና የታካሚ መጋጠሚያዎች
@@ -2392,6 +2425,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,የተዛማጅ ቀጠሮዎች ቁጥር
 apps/erpnext/erpnext/config/desktop.py,Getting Started,መጀመር
 DocType: Purchase Invoice,Taxes and Charges Calculation,ግብሮች እና ክፍያዎች የስሌት
+DocType: Loan Interest Accrual,Payable Principal Amount,የሚከፈል ፕሪሚየም ገንዘብ መጠን
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,መጽሐፍ የንብረት ዋጋ መቀነስ Entry ሰር
 DocType: BOM Operation,Workstation,ከገቢር
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,ትዕምርተ አቅራቢ ጥያቄ
@@ -2428,7 +2462,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ምግብ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ጥበቃና ክልል 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS የመዘጋጃ ዝርዝር ዝርዝሮች
-DocType: Bank Account,Is the Default Account,ነባሪ መለያ ነው።
 DocType: Shopify Log,Shopify Log,ምዝግብ ማስታወሻ ያዝ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,ምንም ግንኙነት አልተገኘም።
 DocType: Inpatient Occupancy,Check In,ያረጋግጡ
@@ -2486,12 +2519,14 @@
 DocType: Sales Order Item,Planned Quantity,የታቀደ ብዛት
 DocType: Water Analysis,Water Analysis Criteria,የውሃ ትንታኔ መስፈርቶች
 DocType: Item,Maintain Stock,የአክሲዮን ይኑራችሁ
+DocType: Loan Security Unpledge,Unpledge Time,ማራገፊያ ጊዜ
 DocType: Terms and Conditions,Applicable Modules,የሚመለከታቸው ሞዱሎች
 DocType: Employee,Prefered Email,Prefered ኢሜይል
 DocType: Student Admission,Eligibility and Details,ብቁነት እና ዝርዝሮች
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,በጠቅላላ ትርፍ ውስጥ ተካትቷል ፡፡
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ቋሚ ንብረት ውስጥ የተጣራ ለውጥ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,የመጨረሻው ምርት የተቀመጠበት ቦታ ይህ ነው ፡፡
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},ከፍተኛ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,ከ DATETIME
@@ -2532,8 +2567,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,የዋስትና / AMC ሁኔታ
 ,Accounts Browser,መለያዎች አሳሽ
 DocType: Procedure Prescription,Referral,ሪፈራል
+,Territory-wise Sales,ክልል-ጥበበኛ ሽያጭ
 DocType: Payment Entry Reference,Payment Entry Reference,የክፍያ Entry ማጣቀሻ
 DocType: GL Entry,GL Entry,GL የሚመዘገብ መረጃ
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,ረድፍ # {0}: ተቀባይነት ያለው የመጋዘን እና የአቅራቢ መጋዘን ተመሳሳይ መሆን አይችልም
 DocType: Support Search Source,Response Options,የምላሽ አማራጮች
 DocType: Pricing Rule,Apply Multiple Pricing Rules,በርካታ የዋጋ አሰጣጥ ደንቦችን ይተግብሩ።
 DocType: HR Settings,Employee Settings,የሰራተኛ ቅንብሮች
@@ -2609,6 +2646,7 @@
 DocType: Item,Sales Details,የሽያጭ ዝርዝሮች
 DocType: Coupon Code,Used,ያገለገሉ
 DocType: Opportunity,With Items,ንጥሎች ጋር
+DocType: Vehicle Log,last Odometer Value ,የመጨረሻው የኦኖሜትር እሴት
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',ዘመቻው &#39;{0}&#39; ቀድሞውኑ ለ {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,የጥገና ቡድን
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",የትኞቹ ክፍሎች መታየት እንዳለባቸው በቅደም ተከተል ፡፡ 0 መጀመሪያ ነው ፣ 1 ሰከንድ እና የመሳሰሉት።
@@ -2619,7 +2657,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ወጪ የይገባኛል ጥያቄ {0} ቀደም የተሽከርካሪ ምዝግብ ማስታወሻ ለ አለ
 DocType: Asset Movement Item,Source Location,ምንጭ አካባቢ
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ተቋም ስም
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ብድር መክፈል መጠን ያስገቡ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,ብድር መክፈል መጠን ያስገቡ
 DocType: Shift Type,Working Hours Threshold for Absent,የስራ ሰዓቶች ለቅዝፈት።
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,በጠቅላላ ወጪዎች ላይ ተመስርቶ በርካታ ደረጃዎች ስብስብ ሊኖር ይችላል. ነገር ግን የመቤዠት ልወጣው ሁነታ ለሁሉም ደረጃ ተመሳሳይ ይሆናል.
 apps/erpnext/erpnext/config/help.py,Item Variants,ንጥል አይነቶች
@@ -2643,6 +2681,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},ይህን {0} ግጭቶች {1} ለ {2} {3}
 DocType: Student Attendance Tool,Students HTML,ተማሪዎች ኤችቲኤምኤል
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} ከ {2} ያንሳል
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,እባክዎ መጀመሪያ የአመልካች ዓይነት ይምረጡ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse",BOM ፣ Qty እና ለ መጋዘን ይምረጡ።
 DocType: GST HSN Code,GST HSN Code,GST HSN ኮድ
 DocType: Employee External Work History,Total Experience,ጠቅላላ የሥራ ልምድ
@@ -2733,7 +2772,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",ለንጥል {0} ምንም ገባሪ ቦም አልተገኘም. በ \ Serial No መላክ አይረጋግጥም
 DocType: Sales Partner,Sales Partner Target,የሽያጭ ባልደረባ ዒላማ
-DocType: Loan Type,Maximum Loan Amount,ከፍተኛ የብድር መጠን
+DocType: Loan Application,Maximum Loan Amount,ከፍተኛ የብድር መጠን
 DocType: Coupon Code,Pricing Rule,የዋጋ አሰጣጥ ደንብ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ተማሪ የተባዙ ጥቅል ቁጥር {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,ትዕዛዝ ግዢ ቁሳዊ ጥያቄ
@@ -2756,6 +2795,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},ለ በተሳካ ሁኔታ የተመደበ ማምለኩን {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,ምንም ንጥሎች ለመሸከፍ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,በአሁኑ ጊዜ .csv እና .xlsx ፋይሎች ብቻ ይደገፋሉ።
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,በሰብአዊ ሀብት&gt; የሰው ሠራሽ ቅንብሮች ውስጥ የሰራተኛ መለያ ስም መስሪያ ስርዓት ያዋቅሩ
 DocType: Shipping Rule Condition,From Value,እሴት ከ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,ከማኑፋክቸሪንግ ብዛት የግዴታ ነው
 DocType: Loan,Repayment Method,ብድር መክፈል ስልት
@@ -2839,6 +2879,7 @@
 DocType: Customer,Customer POS Id,የደንበኛ POS መታወቂያ
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,{0} ያለው ኢሜል ያለው ተማሪ የለም ፡፡
 DocType: Account,Account Name,የአድራሻ ስም
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},የተጣራ የብድር መጠን ቀድሞውኑ ከድርጅት {1} ጋር {0}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,ቀን ቀን ወደ በላይ ሊሆን አይችልም ከ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,ተከታታይ አይ {0} ብዛት {1} ክፍልፋይ ሊሆን አይችልም
 DocType: Pricing Rule,Apply Discount on Rate,በቅናሽ ዋጋ ቅናሽ ይተግብሩ።
@@ -2910,6 +2951,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,የተጣራ ትርፍ
 DocType: Purchase Invoice,Eligibility For ITC,ለ ITC ብቁነት
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-yYYYY.-
+DocType: Loan Security Pledge,Unpledged,ያልደፈረ
 DocType: Journal Entry,Entry Type,ግቤት አይነት
 ,Customer Credit Balance,የደንበኛ የሥዕል ቀሪ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ተከፋይ መለያዎች ውስጥ የተጣራ ለውጥ
@@ -2921,6 +2963,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ተገኝነት መሣሪያ መታወቂያ (ባዮሜትሪክ / አርኤፍ መለያ መለያ)
 DocType: Quotation,Term Details,የሚለው ቃል ዝርዝሮች
 DocType: Item,Over Delivery/Receipt Allowance (%),ከአቅርቦት / ደረሰኝ በላይ (%)
+DocType: Appointment Letter,Appointment Letter Template,የቀጠሮ ደብዳቤ አብነት
 DocType: Employee Incentive,Employee Incentive,የሠራተኞች ማበረታቻ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,ይህ ተማሪ ቡድን {0} ተማሪዎች በላይ መመዝገብ አይችልም.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),ጠቅላላ (ያለ ግብር)
@@ -2943,6 +2986,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",በ Serial No ላይ መላክን ማረጋገጥ አይቻልም በ \ item {0} በ እና በ &quot;&quot; ያለመድረሱ ማረጋገጫ በ \ Serial No.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,የደረሰኝ ስረዛ ላይ ክፍያ አታገናኝ
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,የሂሳብ ብድር የወለድ ሂሳብ
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ገባ የአሁኑ Odometer ንባብ የመጀመሪያ የተሽከርካሪ Odometer የበለጠ መሆን አለበት {0}
 ,Purchase Order Items To Be Received or Billed,እንዲቀበሉ ወይም እንዲከፍሉ የትዕዛዝ ዕቃዎች ይግዙ።
 DocType: Restaurant Reservation,No Show,አልመጣም
@@ -3028,6 +3072,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: የወጪ ማዕከል &#39;ትርፍ እና ኪሳራ&#39; መለያ ያስፈልጋል {2}. ካምፓኒው ነባሪ ዋጋ ማዕከል ያዘጋጁ.
 DocType: Payment Schedule,Payment Term,የክፍያ ጊዜ
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,አንድ የደንበኛ ቡድን በተመሳሳይ ስም አለ ያለውን የደንበኛ ስም መቀየር ወይም የደንበኛ ቡድን ዳግም መሰየም እባክዎ
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,የመግቢያ ማለቂያ ቀን ከማስታወቂያ መጀመሪያ ቀን የበለጠ መሆን አለበት።
 DocType: Location,Area,አካባቢ
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,አዲስ እውቂያ
 DocType: Company,Company Description,የኩባንያ መግለጫ
@@ -3101,6 +3146,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,የተራፊ ውሂብ
 DocType: Purchase Order Item,Warehouse and Reference,መጋዘን እና ማጣቀሻ
 DocType: Payroll Period Date,Payroll Period Date,የሰዓት ክፍተት ቀን
+DocType: Loan Disbursement,Against Loan,በብድር ላይ
 DocType: Supplier,Statutory info and other general information about your Supplier,የእርስዎ አቅራቢው ስለ ህጋዊ መረጃ እና ሌሎች አጠቃላይ መረጃ
 DocType: Item,Serial Nos and Batches,ተከታታይ ቁጥሮች እና ቡድኖች
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,የተማሪ ቡድን ጥንካሬ
@@ -3167,6 +3213,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,ኩባንያ ይምረጡ።
 DocType: Delivery Settings,Delivery Settings,የማድረስ ቅንብሮች
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ውሂብ ማምጣት
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},ከ {0} ኪቲ ከ {0} በላይ ማራገፍ አይቻልም
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},በአለቀቀው አይነት {0} ውስጥ የሚፈቀድ የመጨረሻ ፍቃድ {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 ንጥል ያትሙ።
 DocType: SMS Center,Create Receiver List,ተቀባይ ዝርዝር ፍጠር
@@ -3313,6 +3360,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),የመሠረት መጠን (የኩባንያ የምንዛሬ)
 DocType: Purchase Invoice,Registered Regular,የተመዘገበ መደበኛ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ጥሬ ዕቃዎች
+DocType: Plaid Settings,sandbox,ሳንድቦክስ
 DocType: Payment Reconciliation Payment,Reference Row,ማጣቀሻ ረድፍ
 DocType: Installation Note,Installation Time,መጫን ሰዓት
 DocType: Sales Invoice,Accounting Details,አካውንቲንግ ዝርዝሮች
@@ -3325,12 +3373,11 @@
 DocType: Leave Ledger Entry,Transaction Type,የግብይት አይነት
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ቅበላ መስፈርቶች
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ከላይ በሰንጠረዡ ውስጥ ቁሳዊ ጥያቄዎች ያስገቡ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,ጠቅላላ የሚከፈል መጠን
 DocType: Task,Expected Time (in hours),(ሰዓቶች ውስጥ) የሚጠበቀው ሰዓት
 DocType: Item Reorder,Check in (group),(ቡድን) ውስጥ ይመልከቱ
 DocType: Soil Texture,Silt,ዝለል
@@ -3361,6 +3408,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,ላለተወገደ የግብር ነጻነት ማስረጃ ግብር መክፈል
 DocType: Volunteer,Anytime,በማንኛውም ጊዜ
 DocType: Bank Account,Bank Account No,የባንክ ሂሳብ ቁጥር
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,ክፍያ እና ክፍያ
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,የተጣራ ከግብር ነፃ የመሆን ማረጋገጫ ማስረጃ
 DocType: Patient,Surgical History,የቀዶ ጥገና ታሪክ
 DocType: Bank Statement Settings Item,Mapped Header,ካርታ ራስጌ ርእስ
@@ -3424,6 +3472,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,በሽያጭ ደረሰኝ ላይ ላብራቶሪ ሙከራ (ሞች) ይፍጠሩ
 DocType: Serial No,Invoice Details,የደረሰኝ ዝርዝሮች
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,የደመወዝ ማቅረቢያ መግለጫ ከማቅረቡ በፊት የደመወዝ መዋቅር መቅረብ አለበት ፡፡
+DocType: Loan Application,Proposed Pledges,የታቀደ ቃል
 DocType: Grant Application,Show on Website,በድረገፅ አሳይ
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,ጀምር
 DocType: Hub Tracked Item,Hub Category,Hub ምድብ
@@ -3435,7 +3484,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,የአቅራቢ ካርድ መስጫ ቋሚ
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ረድፍ {0}: ቁሳቁሶች መካከል ቢል ንጥል አልተገኘም {1}
 DocType: Contract Fulfilment Checklist,Requirement,መስፈርቶች
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,በሰብአዊ ሀብት&gt; የሰው ሠራሽ ቅንጅቶች ውስጥ የሰራተኛ መለያ ስም መስሪያ ስርዓት ያዋቅሩ
 DocType: Journal Entry,Accounts Receivable,ለመቀበል የሚቻሉ አካውንቶች
 DocType: Quality Goal,Objectives,ዓላማዎች ፡፡
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,የቀደመ ፈቃድ ማመልከቻን ለመፍጠር የተፈቀደ ሚና
@@ -3448,6 +3496,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,የታረቀ ምዝግቦችን አካትት
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,አጠቃላይ የተመደበው መጠን ({0}) ከተከፈለ መጠን ({1}) ይበልጣል።
 DocType: Landed Cost Voucher,Distribute Charges Based On,አሰራጭ ክፍያዎች ላይ የተመሠረተ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},የተከፈለበት መጠን ከ {0} ያንሳል
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,የሰው ኃይል ቅንብሮች
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,የሂሳብ ማስተማሪዎች
@@ -3593,6 +3642,7 @@
 DocType: Employee,Health Insurance,የጤና መድህን
 DocType: Asset Repair,Manufacturing Manager,የማምረቻ አስተዳዳሪ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},ተከታታይ አይ {0} እስከሁለት ዋስትና ስር ነው {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,የብድር መጠን ከታቀዱት ዋስትናዎች አንጻር ከሚፈቀደው ከፍተኛ የብድር መጠን ከ {0} ይበልጣል
 DocType: Plant Analysis Criteria,Minimum Permissible Value,ዝቅተኛ ፍቃደኛ ዋጋ
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,የተጠቃሚ {0} አስቀድሞም ይገኛል
 apps/erpnext/erpnext/hooks.py,Shipments,ማዕድኑን
@@ -3644,6 +3694,7 @@
 DocType: Subscription,Discounts,ቅናሾች
 DocType: Bank Transaction,Unallocated Amount,unallocated መጠን
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,እባክዎ በትዕዛዝ ትዕዛዝ እና በተጨባጭ ወጪዎች ላይ ተፈፃሚነት እንዲኖረው ያድርጉ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} የኩባንያ የባንክ ሂሳብ አይደለም
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,አንድ ተዛማጅ ንጥል ማግኘት አልተቻለም. ለ {0} ሌላ ዋጋ ይምረጡ.
 DocType: POS Profile,Taxes and Charges,ግብሮች እና ክፍያዎች
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",አንድ ምርት ወይም ገዙ ይሸጣሉ ወይም በስቶክ ውስጥ የተቀመጠ ነው አንድ አገልግሎት.
@@ -3692,6 +3743,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,ልክ ቀን ከፀናበት እስከ ቀን ድረስ ከተጠቀሰው ቀን ያነሰ መሆን አለበት.
 DocType: Employee Skill,Evaluation Date,የግምገማ ቀን።
 DocType: Quotation Item,Stock Balance,የአክሲዮን ቀሪ
+DocType: Loan Security Pledge,Total Security Value,አጠቃላይ የደህንነት እሴት
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ክፍያ የሽያጭ ትዕዛዝ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,ዋና ሥራ አስኪያጅ
 DocType: Purchase Invoice,With Payment of Tax,በግብር ክፍያ
@@ -3704,6 +3756,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,ትክክለኛውን መለያ ይምረጡ
 DocType: Salary Structure Assignment,Salary Structure Assignment,የደመወዝ ክፍያ ሥራ
 DocType: Purchase Invoice Item,Weight UOM,የክብደት UOM
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},መለያ {0} በዳሽቦርዱ ገበታ ላይ አይገኝም {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,ተለዋዋጭ ባህርያት አሳይ
@@ -3784,6 +3837,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,የአሁኑ ግምቱ ተመን
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,የ root መለያዎች ብዛት ከ 4 በታች መሆን አይችልም።
 DocType: Training Event,Advance,ቅድሚያ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,በብድር ላይ:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,የ GoCardless የክፍያ አፈፃፀም ቅንብሮች
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,የ Exchange ቅሰም / ማጣት
 DocType: Opportunity,Lost Reason,የጠፋ ምክንያት
@@ -3867,8 +3921,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,ምረጥ የጅምላ አይ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},ልክ ያልሆነ {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,ረድፍ {0}: - የእህት / እህት / የተወለደበት ቀን ከዛሬ የበለጠ ሊሆን አይችልም።
 DocType: Fee Validity,Reference Inv,የማጣቀሻ ማመልከቻ
 DocType: Sales Invoice Advance,Advance Amount,የቅድሚያ ክፍያ መጠን
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,የቅጣት የወለድ መጠን (%) በቀን
 DocType: Manufacturing Settings,Capacity Planning,የአቅም ዕቅድ
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,የሬጅ ማስተካከያ (የኩባንያው የገንዘብ ምንዛሪ
 DocType: Asset,Policy number,የፖሊሲ ቁጥር
@@ -3884,7 +3940,9 @@
 DocType: Normal Test Items,Require Result Value,የ ውጤት ውጤት እሴት
 DocType: Purchase Invoice,Pricing Rules,የዋጋ አሰጣጥ ህጎች።
 DocType: Item,Show a slideshow at the top of the page,በገጹ ላይኛው ክፍል ላይ አንድ ስላይድ ትዕይንት አሳይ
+DocType: Appointment Letter,Body,አካል
 DocType: Tax Withholding Rate,Tax Withholding Rate,የግብር መያዣ መጠን
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,የመክፈያ መጀመሪያ ቀን ለአበዳሪ ብድሮች አስገዳጅ ነው
 DocType: Pricing Rule,Max Amt,ማክስ አምት።
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,መደብሮች
@@ -3904,7 +3962,7 @@
 DocType: Call Log,Received By,የተቀበለው በ
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),የቀጠሮ ቆይታ (በደቂቃዎች ውስጥ)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,የገንዘብ ፍሰት ማካካሻ አብነት ዝርዝሮች
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,የብድር አስተዳደር
+DocType: Loan,Loan Management,የብድር አስተዳደር
 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,Update Cost,አዘምን ወጪ
@@ -3912,6 +3970,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B- ቅጽ።
 DocType: Sales Invoice,Mode of Transport,የመጓጓዣ ዘዴ
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,አሳይ የቀጣሪ
+DocType: Loan,Is Term Loan,የጊዜ ብድር ነው
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,አስተላልፍ ሐሳብ
 DocType: Fees,Send Payment Request,የክፍያ ጥያቄን ላክ
 DocType: Travel Request,Any other details,ሌሎች ማንኛውም ዝርዝሮች
@@ -3929,6 +3988,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,በገንዘብ ከ የገንዘብ ፍሰት
 DocType: Budget Account,Budget Account,የበጀት መለያ
 DocType: Quality Inspection,Verified By,በ የተረጋገጡ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,የብድር ደህንነት ያክሉ
 DocType: Travel Request,Name of Organizer,የአደራጁ ስም
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,የገቢ ታክስ ተጠያቂነት ነው
@@ -3979,6 +4039,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ያስፈልጋል ላይ
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",ከተረጋገጠ ፣ ደሞዝ እና አቦዝን በ Salary Slips ውስጥ የተጠጋጋ አጠቃላይ መስክ
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,በሽያጭ ትዕዛዞችን ማቅረቢያ ቀን ይህ ነባሪ ማካካሻ (ቀናት) ነው። ውድድሩ ማካካሻ ትዕዛዙ ከምደባ ከተሰጠበት ቀን ጀምሮ 7 ቀናት ነው።
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,እባክዎን ለተማሪ ተገኝነት በማዋቀር&gt; የቁጥር ተከታታይ በኩል ያዘጋጁ
 DocType: Rename Tool,File to Rename,ዳግም ሰይም ፋይል
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},ረድፍ ውስጥ ንጥል ለማግኘት BOM ይምረጡ {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,የደንበኝነት ምዝገባ ዝመናዎችን በማምጣት ላይ
@@ -3991,6 +4052,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,መለያ ቁጥሮች ተፈጥረዋል
 DocType: POS Profile,Applicable for Users,ለተጠቃሚዎች የሚመለከት
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-yYYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,ከቀን እና እስከዛሬ አስገዳጅ ናቸው
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,ፕሮጀክት እና ሁሉም ተግባሮች ወደ ሁኔታ {0} ይዋቀሩ?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),ቅድሚያ አቀባበል እና ምደባ (FIFO) ያዘጋጁ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,ምንም የሥራ ስራዎች አልተፈጠሩም
@@ -4000,6 +4062,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,ዕቃዎች በ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,የተገዙ ንጥሎች መካከል ወጪ
 DocType: Employee Separation,Employee Separation Template,የሰራተኛ መለያ መለኪያ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},የ {0} ዜሮ ኪቲ በብድር ላይ ቃል የገባ ቃል {0}
 DocType: Selling Settings,Sales Order Required,የሽያጭ ትዕዛዝ ያስፈልጋል
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,ሻጭ ሁን
 ,Procurement Tracker,የግዥ መከታተያ
@@ -4097,11 +4160,12 @@
 ,Minutes to First Response for Opportunity,አጋጣሚ ለማግኘት በመጀመሪያ ምላሽ ደቂቃ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,ጠቅላላ የተዉ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,ረድፍ {0} አይዛመድም ሐሳብ ጥያቄ ለ ንጥል ወይም መጋዘን
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,የሚከፈል መጠን
+DocType: Loan Repayment,Payable Amount,የሚከፈል መጠን
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,ዕድል
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,ከፍተኛ ጥንካሬ ከዜሮ በታች መሆን አይችልም።
 DocType: Options,Option,አማራጭ ፡፡
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},በተዘጋ የሂሳብ አያያዝ ወቅት የሂሳብ ግቤቶችን መፍጠር አይችሉም {0}
 DocType: Operation,Default Workstation,ነባሪ ከገቢር
@@ -4143,6 +4207,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,የወለድ መጠን አስገዳጅ ነው
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ተቀባይነት ፈቃድ ማመልከቻ መዛግብት ጋር አይዛመድም Pay ያለ ይነሱ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ቀጣይ እርምጃዎች
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,የተቀመጡ ዕቃዎች
@@ -4193,8 +4258,6 @@
 DocType: Grant Application,Grant Application Details ,የመተግበሪያ ዝርዝሮችን ይስጡ
 DocType: Employee Separation,Employee Separation,የሰራተኛ መለያ
 DocType: BOM Item,Original Item,የመጀመሪያው ንጥል
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን <a href=""#Form/Employee/{0}"">{0}</a> \ ያጥፉ"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ክፍያ መዛግብት ፈጥሯል - {0}
 DocType: Asset Category Account,Asset Category Account,የንብረት ምድብ መለያ
@@ -4227,8 +4290,11 @@
 DocType: Warranty Claim,Service Address,የአገልግሎት አድራሻ
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,የዋና ውሂብ አስመጣ።
 DocType: Asset Maintenance Task,Calibration,መለካት
+apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,የላብራቶሪ ሙከራ ንጥል {0} አስቀድሞ አለ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} የአንድ ድርጅት ቀን ነው
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,የሚሸጡ ሰዓታት።
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,የክፍያ ጊዜ መዘግየት ቢዘገይ የቅጣቱ የወለድ መጠን በየቀኑ በሚጠባበቅ ወለድ ወለድ ላይ ይቀጣል
+DocType: Appointment Letter content,Appointment Letter content,የቀጠሮ ደብዳቤ ይዘት
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,የአቋም መግለጫ ይተው
 DocType: Patient Appointment,Procedure Prescription,የመድሐኒት ማዘዣ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures እና አለማድረስ
@@ -4248,7 +4314,7 @@
 DocType: Opportunity,Customer / Lead Name,ደንበኛ / በእርሳስ ስም
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,መልቀቂያ ቀን የተጠቀሰው አይደለም
 DocType: Payroll Period,Taxable Salary Slabs,ግብር የሚከፍሉ ሠንጠረዥ ስሌቶች
-DocType: Job Card,Production,ፕሮዳክሽን
+DocType: Plaid Settings,Production,ፕሮዳክሽን
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,ልክ ያልሆነ GSTIN! ያስገቡት ግብዓት ከ GSTIN ቅርጸት ጋር አይዛመድም።
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,የመለያ ዋጋ
 DocType: Guardian,Occupation,ሞያ
@@ -4390,6 +4456,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,የታማኝነት ፕሮግራም ስብስብ
 DocType: Stock Entry Detail,Subcontracted Item,የንዑስ ተቋራጩን ንጥል
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},ተማሪ {0} ከቡድኑ ውስጥ አይካተተም {1}
+DocType: Appointment Letter,Appointment Date,የቀጠሮ ቀን
 DocType: Budget,Cost Center,የወጭ ማዕከል
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,የቫውቸር #
 DocType: Tax Rule,Shipping Country,የሚላክበት አገር
@@ -4460,6 +4527,7 @@
 DocType: Accounting Dimension,Accounting Dimension,የሂሳብ አወጣጥ
 ,Profit and Loss Statement,የትርፍና ኪሳራ መግለጫ
 DocType: Bank Reconciliation Detail,Cheque Number,ቼክ ቁጥር
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,የተከፈለበት መጠን ዜሮ ሊሆን አይችልም
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,በ {0} - {1} ላይ የተጠቆመው ንጥል ቀድሞውኑ በሂሳብ የተዘጋ ነው
 ,Sales Browser,የሽያጭ አሳሽ
 DocType: Journal Entry,Total Credit,ጠቅላላ ክሬዲት
@@ -4563,6 +4631,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,የኩፖን ሁኔታዎችን ያክሉ / ያርትዑ
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ወጪ / መማሩ መለያ ({0}) አንድ &#39;ትርፍ ወይም ኪሳራ&#39; መለያ መሆን አለበት
 DocType: Stock Entry Detail,Stock Entry Child,የአክሲዮን ግቤት ልጅ።
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,የብድር ዋስትና ቃል ኪዳን ኩባንያ እና የብድር ኩባንያ ተመሳሳይ መሆን አለባቸው
 DocType: Project,Copied From,ከ ተገልብጧል
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,ደረሰኝ አስቀድሞ ለሁሉም የክፍያ ሰዓቶች ተፈጥሯል
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},ስም ስህተት: {0}
@@ -4570,6 +4639,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,የፋይናንስ ወጪ ነው
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,ሠራተኛ {0} ክትትልን አስቀድሞ ምልክት ነው
 DocType: Packing Slip,If more than one package of the same type (for print),ከሆነ ተመሳሳይ ዓይነት ከአንድ በላይ ጥቅል (የህትመት ለ)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,እባክዎ በትምህርቱ&gt; የትምህርት ቅንብሮች ውስጥ አስተማሪ ስም ማጎሪያ ስርዓት ያዋቅሩ
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,እባክዎ በሆቴሎች ቅንጅቶች ውስጥ ነባሪ ደንበኛ ያዘጋጁ
 ,Salary Register,ደመወዝ ይመዝገቡ
 DocType: Company,Default warehouse for Sales Return,ለሽያጭ ተመላሽ ነባሪ መጋዘን
@@ -4614,7 +4684,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,የአሁኑ መለያ ቁጥር
 DocType: Employee,Attendance and Leave Details,የመገኘት እና የመተው ዝርዝሮች።
 ,BOM Comparison Tool,BOM ንፅፅር መሣሪያ።
-,Requested,ተጠይቋል
+DocType: Loan Security Pledge,Requested,ተጠይቋል
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,ምንም መግለጫዎች
 DocType: Asset,In Maintenance,በመጠባበቂያ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,የእርስዎን የሽያጭ ትዕዛዝ ውሂብ ከአማዞን MWS ለመሳብ ይህን አዝራር ጠቅ ያድርጉ.
@@ -4626,7 +4696,6 @@
 DocType: Drug Prescription,Drug Prescription,የመድሃኒት ማዘዣ
 DocType: Service Level,Support and Resolution,ድጋፍ እና መፍትሄ።
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,የነፃ ንጥል ኮድ አልተመረጠም።
-DocType: Loan,Repaid/Closed,/ ይመልስ ተዘግቷል
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,ጠቅላላ ፕሮጀክት ብዛት
 DocType: Monthly Distribution,Distribution Name,የስርጭት ስም
@@ -4660,6 +4729,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,የአክሲዮን ለ አካውንቲንግ Entry
 DocType: Lab Test,LabTest Approver,LabTest አፀደቀ
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ቀድሞውንም ግምገማ መስፈርት ከገመገምን {}.
+DocType: Loan Security Shortfall,Shortfall Amount,የአጭር ጊዜ ብዛት
 DocType: Vehicle Service,Engine Oil,የሞተር ዘይት
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},የስራ ስራዎች ተፈጠረ: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},እባክዎን መሪ መሪውን የኢሜል መታወቂያ {0} ያዘጋጁ
@@ -4678,6 +4748,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},መለያ ለዳሽቦርድ ገበታ {0} አልተዘጋጀም
 DocType: Purchase Invoice,Apply Additional Discount On,ተጨማሪ የቅናሽ ላይ ተግብር
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,ዓይነት ምረጥ ...
+DocType: Loan Interest Accrual,Amounts,መጠን
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,የእርስዎ ቲኬቶች
 DocType: Account,Root Type,ስርወ አይነት
 DocType: Item,FIFO,FIFO
@@ -4685,6 +4756,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},የረድፍ # {0}: በላይ መመለስ አይቻልም {1} ንጥል ለ {2}
 DocType: Item Group,Show this slideshow at the top of the page,በገጹ ላይኛው ክፍል ላይ ይህን ተንሸራታች ትዕይንት አሳይ
 DocType: BOM,Item UOM,ንጥል UOM
+DocType: Loan Security Price,Loan Security Price,የብድር ደህንነት ዋጋ
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),የቅናሽ መጠን በኋላ የግብር መጠን (የኩባንያ የምንዛሬ)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},የዒላማ የመጋዘን ረድፍ ግዴታ ነው {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,የችርቻሮ አሠራሮች ፡፡
@@ -4823,6 +4895,7 @@
 DocType: Coupon Code,Coupon Description,የኩፖን መግለጫ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},ባች ረድፍ ላይ ግዴታ ነው {0}
 DocType: Company,Default Buying Terms,ነባሪ የግying ውል።
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,የብድር ክፍያ
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,የግዢ ደረሰኝ ንጥል አቅርቦት
 DocType: Amazon MWS Settings,Enable Scheduled Synch,መርሐግብር የተያዘለት ማመሳሰልን አንቃ
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,DATETIME ወደ
@@ -4851,6 +4924,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},እሴት እሴትን ያስገቡ {0} እና {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,ጥያቄ ምንጭ ዘመቻ ከሆነ ዘመቻ ስም ያስገቡ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,የጋዜጣ አሳታሚዎች
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},ለ {0} ትክክለኛ <b>የብድር ዋስትና ዋጋ</b> አልተገኘም
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,የወደፊት ቀናት አይፈቀዱም
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,የተያዘው የመላኪያ ቀን ከሽያጭ ትእዛዝ ቀን በኋላ መሆን አለበት
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,አስይዝ ደረጃ
@@ -4917,6 +4991,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,እቅድ / ዋጋ ዋጋ
 DocType: Antibiotic,Healthcare,የጤና ጥበቃ
 DocType: Target Detail,Target Detail,ዒላማ ዝርዝር
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,የብድር ሂደቶች
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,ነጠላ መለኪያው
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,ሁሉም ስራዎች
 DocType: Sales Order,% of materials billed against this Sales Order,ቁሳቁሶችን% ይህን የሽያጭ ትዕዛዝ ላይ እንዲከፍሉ
@@ -4979,7 +5054,7 @@
 DocType: Item,Reorder level based on Warehouse,መጋዘን ላይ የተመሠረተ አስይዝ ደረጃ
 DocType: Activity Cost,Billing Rate,አከፋፈል ተመን
 ,Qty to Deliver,ለማዳን ብዛት
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,የክፍያ መጠየቂያ ግቤት ይፍጠሩ።
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,የክፍያ መጠየቂያ ግቤት ይፍጠሩ።
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ከዚህ ቀን በኋላ ውሂብ ከአሁኑ በኋላ ይዘምናል
 ,Stock Analytics,የክምችት ትንታኔ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,ክወናዎች ባዶ ሊተው አይችልም
@@ -5013,6 +5088,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,የውጭ ውህደቶችን አያገናኙ።
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,ተጓዳኝ ክፍያ ይምረጡ።
 DocType: Pricing Rule,Item Code,ንጥል ኮድ
+DocType: Loan Disbursement,Pending Amount For Disbursal,ለትርፍ ጊዜ መጠባበቂያ በመጠባበቅ ላይ
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-yYYYY.-
 DocType: Serial No,Warranty / AMC Details,የዋስትና / AMC ዝርዝሮች
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,የ እንቅስቃሴ ላይ የተመሠረተ ቡድን በእጅ ይምረጡ ተማሪዎች
@@ -5036,6 +5112,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,ኳታ ጠቅላላ
 DocType: Landed Cost Item,Receipt Document,ደረሰኝ ሰነድ
 DocType: Employee Education,School/University,ትምህርት ቤት / ዩኒቨርስቲ
+DocType: Loan Security Pledge,Loan  Details,የብድር ዝርዝሮች
 DocType: Sales Invoice Item,Available Qty at Warehouse,መጋዘን ላይ ይገኛል ብዛት
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,የሚከፈል መጠን
 DocType: Share Transfer,(including),(ጨምሮ)
@@ -5059,6 +5136,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,ቡድኖች
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,መለያ ቡድን
 DocType: Purchase Invoice,Hold Invoice,ደረሰኝ ያዙ
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,የዋስትና ሁኔታ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,እባክዎ ተቀጣሪን ይምረጡ
 DocType: Sales Order,Fully Delivered,ሙሉ በሙሉ ደርሷል
 DocType: Promotional Scheme Price Discount,Min Amount,አነስተኛ መጠን
@@ -5068,7 +5146,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},በመገኘቱ መጠን የብድር መጠን መብለጥ አይችልም {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ረድፍ {0} # የተመደበ መጠን {1} ከቀረበበት የይገባኛል መጠን በላይ ሊሆን አይችልም {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ንጥል ያስፈልጋል ትዕዛዝ ቁጥር ይግዙ {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,የተሸከሙ ቅጠሎችን ይሸከም።
@@ -5096,6 +5173,7 @@
 DocType: Pick List Item,Serial No and Batch,ተከታታይ የለም እና ባች
 DocType: Warranty Claim,From Company,ኩባንያ ከ
 DocType: GSTR 3B Report,January,ጥር
+DocType: Loan Repayment,Principal Amount Paid,የዋና ገንዘብ ክፍያ ተከፍሏል
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ግምገማ መስፈርት በበርካታ ድምር {0} መሆን አለበት.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Depreciations ብዛት የተመዘገበ ማዘጋጀት እባክዎ
 DocType: Supplier Scorecard Period,Calculations,ስሌቶች
@@ -5121,6 +5199,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ስለ የእርስዎ ኩባንያ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,የአክሲዮን እርጅናን ውሂብ አሳይ።
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,መለያ ወደ ክሬዲት ሚዛን ሉህ መለያ መሆን አለበት
+DocType: Loan Repayment,Penalty Amount,የቅጣት መጠን
 DocType: Donor,Donor,ለጋሽ
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ለንጥል ግብሮች ግብሮችን ያዘምኑ
 DocType: Global Defaults,Disable In Words,ቃላት ውስጥ አሰናክል
@@ -5151,6 +5230,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ወጪ ማእከል እና በጀት
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,በመክፈት ላይ ቀሪ ፍትህ
 DocType: Appointment,CRM,ሲ
+DocType: Loan Repayment,Partial Paid Entry,ከፊል የተከፈለ ግቤት
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,እባክዎ የክፍያ መርሐግብር ያዘጋጁ።
 DocType: Pick List,Items under this warehouse will be suggested,በዚህ መጋዘኑ ስር ያሉ ዕቃዎች የተጠቆሙ ናቸው ፡፡
 DocType: Purchase Invoice,N,N
@@ -5184,7 +5264,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ለንጥል {1} አልተገኘም
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},እሴት በ {0} እና {1} መካከል መሆን አለበት
 DocType: Accounts Settings,Show Inclusive Tax In Print,Inclusive Tax In Print ውስጥ አሳይ
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","የባንክ አካውንት, ከምርጫ እና ቀን በኋላ ግዴታ ነው"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,መልዕክት ተልኳል
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,ልጅ እንደ አንጓዎች ጋር መለያ የመቁጠር ሊዘጋጅ አይችልም
 DocType: C-Form,II,II
@@ -5198,6 +5277,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,ራስ-ማዘመኛን ያንቁ።
 DocType: Stock Settings,Item Naming By,ንጥል በ መሰየምን
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},ሌላው ክፍለ ጊዜ መዝጊያ Entry {0} በኋላ ተደርጓል {1}
+DocType: Proposed Pledge,Proposed Pledge,የታቀደው ቃል ኪዳኖች
 DocType: Work Order,Material Transferred for Manufacturing,ቁሳዊ ማኑፋክቸሪንግ ለ ተላልፈዋል
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,መለያ {0} ነው አይደለም አለ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,የታማኝነት ፕሮግራም የሚለውን ይምረጡ
@@ -5208,7 +5288,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ወደ ክስተቶች በማቀናበር ላይ {0}, የሽያጭ አካላት ከታች ያለውን ጋር ተያይዞ ሠራተኛው የተጠቃሚ መታወቂያ የለውም ጀምሮ {1}"
 DocType: Timesheet,Billing Details,አከፋፈል ዝርዝሮች
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,የመነሻ እና የመድረሻ መጋዘን የተለየ መሆን አለበት
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,በሰብአዊ ሀብት&gt; የሰው ሠራሽ ቅንጅቶች ውስጥ የሰራተኛ መለያ ስም መስሪያ ስርዓት ያዋቅሩ
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ክፍያ አልተሳካም. ለተጨማሪ ዝርዝሮች እባክዎ የ GoCardless መለያዎን ይመልከቱ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},አይደለም በላይ የቆዩ የአክሲዮን ግብይቶችን ለማዘመን አይፈቀድላቸውም {0}
 DocType: Stock Entry,Inspection Required,የምርመራ ያስፈልጋል
@@ -5221,6 +5300,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,ፕሮግራም
+DocType: Unpledge,Against Pledge,በኪሳራ ላይ
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ይህን ሚና ያላቸው ተጠቃሚዎች የታሰሩ መለያዎች ላይ የሂሳብ ግቤቶች የታሰሩ መለያዎች ማዘጋጀት እና ለመፍጠር ቀይር / የተፈቀደላቸው
 DocType: Plaid Settings,Plaid Environment,ደረቅ አካባቢ።
 ,Project Billing Summary,የፕሮጀክት የክፍያ ማጠቃለያ።
@@ -5272,6 +5352,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ቡድኖች
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,የቀናት ቀጠሮዎች ብዛት አስቀድሞ በቅድሚያ ሊያዙ ይችላሉ
 DocType: Article,LMS User,የኤል.ኤም.ኤስ. ተጠቃሚ።
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,የብድር ዋስትና ቃል ለገባ ብድር ግዴታ ነው
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),የአቅርቦት አቅርቦት (ግዛት / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,የክምችት UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,ትዕዛዝ {0} አልተካተተም ነው ይግዙ
@@ -5346,6 +5427,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,የሥራ ካርድ ይፍጠሩ ፡፡
 DocType: Quotation,Referral Sales Partner,ሪፈራል የሽያጭ አጋር
 DocType: Quality Procedure Process,Process Description,የሂደት መግለጫ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",ማራገፍ አይቻልም ፣ የብድር ዋስትና ዋጋ ከተከፈለበት መጠን ይበልጣል
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ደንበኛ {0} ተፈጥሯል.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,በአሁኑ ጊዜ በማንኛውም መጋዘን ውስጥ ምንም አክሲዮስ የለም
 ,Payment Period Based On Invoice Date,ደረሰኝ ቀን ላይ የተመሠረተ የክፍያ ክፍለ ጊዜ
@@ -5366,7 +5448,7 @@
 DocType: Asset,Insurance Details,ኢንሹራንስ ዝርዝሮች
 DocType: Account,Payable,ትርፍ የሚያስገኝ
 DocType: Share Balance,Share Type,ዓይነት አጋራ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,የሚያየን ክፍለ ጊዜዎች ያስገቡ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,የሚያየን ክፍለ ጊዜዎች ያስገቡ
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ተበዳሪዎች ({0})
 DocType: Pricing Rule,Margin,ህዳግ
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,አዲስ ደንበኞች
@@ -5375,6 +5457,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,በመገኛ ምንጭነት ያሉ እድሎች
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS የመልዕክት መለወጥ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,ጫን ወይም መጠን ለድርድር ብድር ዋስትና ግዴታ ነው
 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,Assessment Report,የግምገማ ሪፖርት
@@ -5409,6 +5492,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledger አጋራ
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,የሽያጭ ደረሰኝ {0} ተፈጥሯል
 DocType: Employee,Confirmation Date,ማረጋገጫ ቀን
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን <a href=""#Form/Employee/{0}"">{0}</a> \ ያጥፉ"
 DocType: Inpatient Occupancy,Check Out,ጨርሰህ ውጣ
 DocType: C-Form,Total Invoiced Amount,ጠቅላላ በደረሰኝ የተቀመጠው መጠን
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,ዝቅተኛ ብዛት ማክስ ብዛት በላይ ሊሆን አይችልም
@@ -5422,7 +5507,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks የኩባንያ መታወቂያ
 DocType: Travel Request,Travel Funding,የጉዞ የገንዘብ ድጋፍ
 DocType: Employee Skill,Proficiency,ብቃት።
-DocType: Loan Application,Required by Date,ቀን በሚጠይቀው
 DocType: Purchase Invoice Item,Purchase Receipt Detail,የግ Rece ደረሰኝ ዝርዝር
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,አዝርዕቱ የሚያድግበት ሁሉም ቦታዎች ላይ አገናኝ
 DocType: Lead,Lead Owner,በእርሳስ ባለቤት
@@ -5441,7 +5525,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,የአሁኑ BOM ኒው BOM ተመሳሳይ መሆን አይችልም
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,የቀጣሪ መታወቂያ
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ጡረታ መካከል ቀን በመቀላቀል ቀን የበለጠ መሆን አለበት
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,አቅራቢ&gt; የአቅራቢ ዓይነት
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,በርካታ ስሪቶች
 DocType: Sales Invoice,Against Income Account,የገቢ መለያ ላይ
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ደርሷል
@@ -5474,7 +5557,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,ግምቱ አይነት ክፍያዎች ያካተተ ምልክት ተደርጎበታል አይችልም
 DocType: POS Profile,Update Stock,አዘምን Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,የክፍያ ዝርዝሮች
+DocType: Loan Repayment,Payment Details,የክፍያ ዝርዝሮች
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM ተመን
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,የተጫነ ፋይል በማንበብ ላይ።
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","የተቋረጠው የሥራ ትዕዛዝ ሊተው አይችልም, መተው መጀመሪያ ይጥፉ"
@@ -5509,6 +5592,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},ባች ቁጥር ንጥል ግዴታ ነው {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,ከፍተኛ የብድር ዋጋ
 ,Stock Ledger,የክምችት የሒሳብ መዝገብ
 DocType: Company,Exchange Gain / Loss Account,የ Exchange ቅሰም / ማጣት መለያ
 DocType: Amazon MWS Settings,MWS Credentials,MWS ምስክርነቶች
@@ -5616,7 +5700,6 @@
 DocType: Fee Schedule,Fee Schedule,ክፍያ ፕሮግራም
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,የአምድ መለያዎች
 DocType: Bank Transaction,Settled,የተስተካከለ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,የመክፈያ ቀን ከአበዳሪው ክፍያ የመጀመሪያ ቀን በኋላ መሆን አይችልም።
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,መለኪያዎች።
 DocType: Company,Create Chart Of Accounts Based On,መለያዎች ላይ የተመሠረተ ላይ ነው ገበታ ፍጠር
@@ -5636,6 +5719,7 @@
 DocType: Customer,Credit Limit and Payment Terms,የክፍያ ገደብ እና የክፍያ ውሎች
 DocType: Loyalty Program,Collection Rules,የስብስብ መመሪያ
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,ንጥል 3
+DocType: Loan Security Shortfall,Shortfall Time,የአጭር ጊዜ ጊዜ
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ትዕዛዝ ግቤት
 DocType: Purchase Order,Customer Contact Email,የደንበኛ የዕውቂያ ኢሜይል
 DocType: Warranty Claim,Item and Warranty Details,ንጥል እና ዋስትና መረጃ
@@ -5655,12 +5739,14 @@
 DocType: Sales Person,Sales Person Name,የሽያጭ ሰው ስም
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,በሰንጠረዡ ላይ ቢያንስ 1 መጠየቂያ ያስገቡ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ምንም የቤተ ሙከራ ሙከራ አልተፈጠረም
+DocType: Loan Security Shortfall,Security Value ,የደህንነት እሴት
 DocType: POS Item Group,Item Group,ንጥል ቡድን
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,የተማሪ ቡድን:
 DocType: Depreciation Schedule,Finance Book Id,የገንዘብ የመጽሐፍ መጽሐፍ መታወቂያ
 DocType: Item,Safety Stock,የደህንነት Stock
 DocType: Healthcare Settings,Healthcare Settings,የጤና እንክብካቤ ቅንብሮች
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,ጠቅላላ ድጐማዎችን
+DocType: Appointment Letter,Appointment Letter,የቀጠሮ ደብዳቤ
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},ወደ {0}
@@ -5715,6 +5801,7 @@
 DocType: Stock Entry,From BOM,BOM ከ
 DocType: Assessment Code,Assessment Code,ግምገማ ኮድ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,መሠረታዊ
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,የብድር ማመልከቻዎች ከደንበኞች እና ከሠራተኞች ፡፡
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} በበረዶ በፊት የአክሲዮን ዝውውሮች
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&#39;አመንጭ ፕሮግራም »ላይ ጠቅ ያድርጉ
 DocType: Job Card,Current Time,የአሁኑ ጊዜ
@@ -5741,7 +5828,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,እርዳታ ስጥ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ምንም የተማሪ ቡድኖች ተፈጥሯል.
 DocType: Purchase Invoice Item,Serial No,መለያ ቁጥር
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ወርሃዊ የሚያየን መጠን ብድር መጠን በላይ ሊሆን አይችልም
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ወርሃዊ የሚያየን መጠን ብድር መጠን በላይ ሊሆን አይችልም
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,በመጀመሪያ Maintaince ዝርዝሮችን ያስገቡ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ረድፍ # {0}: የተጠበቀው የትዕዛዝ ቀን ከግዢ ትዕዛዝ ቀን በፊት ሊሆን አይችልም
 DocType: Purchase Invoice,Print Language,የህትመት ቋንቋ
@@ -5755,6 +5842,7 @@
 DocType: Asset,Finance Books,የገንዘብ ሰነዶች
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,የሰራተኞች የግብር ነጻነት መግለጫ ምድብ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,ሁሉም ግዛቶች
+DocType: Plaid Settings,development,ልማት
 DocType: Lost Reason Detail,Lost Reason Detail,የጠፋ ምክንያት ዝርዝር።
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,እባክዎ ለሠራተኞቹ {0} በሠራተኛ / በክፍል መዝገብ ላይ የመተው ፖሊሲን ያስቀምጡ
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,ለተመረጠው ደንበኛ እና ንጥል ልክ ያልሆነ የክላይት ትዕዛዝ
@@ -5817,12 +5905,14 @@
 DocType: Staffing Plan Detail,Current Openings,ወቅታዊ ክፍት ቦታዎች
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ክወናዎች ከ የገንዘብ ፍሰት
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,የ CGST ሂሳብ
+DocType: Vehicle Log,Current Odometer value ,የአሁኑ የኦኖሜትር እሴት
 apps/erpnext/erpnext/utilities/activation.py,Create Student,ተማሪ ይፍጠሩ።
 DocType: Asset Movement Item,Asset Movement Item,የንብረት እንቅስቃሴ ንጥል
 DocType: Purchase Invoice,Shipping Rule,መላኪያ ደንብ
 DocType: Patient Relation,Spouse,የትዳር ጓደኛ
 DocType: Lab Test Groups,Add Test,ሙከራ አክል
 DocType: Manufacturer,Limited to 12 characters,12 ቁምፊዎች የተገደበ
+DocType: Appointment Letter,Closing Notes,ማስታወሻዎችን መዝጋት
 DocType: Journal Entry,Print Heading,አትም HEADING
 DocType: Quality Action Table,Quality Action Table,የጥራት እርምጃ ሰንጠረዥ።
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,ጠቅላላ ዜሮ መሆን አይችልም
@@ -5889,6 +5979,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),ጠቅላላ (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},እባክዎን መለያ / ቡድን (ቡድን) ለየይታው ይምረጡ / ይፍጠሩ - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,መዝናኛ እና መዝናኛዎች
+DocType: Loan Security,Loan Security,የብድር ደህንነት
 ,Item Variant Details,የንጥል ልዩ ዝርዝሮች
 DocType: Quality Inspection,Item Serial No,ንጥል ተከታታይ ምንም
 DocType: Payment Request,Is a Subscription,የደንበኝነት ምዝገባ ነው
@@ -5901,7 +5992,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,የቅርብ ጊዜ ዕድሜ።
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,መርሃግብር የተያዙ እና የገቡ ቀናት ከዛሬ በታች ሊሆኑ አይችሉም
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ቁሳቁሶችን ለአቅራቢው ያስተላልፉ።
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ኢ.ኢ.አ.
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,አዲስ መለያ ምንም መጋዘን ሊኖረው አይችልም. መጋዘን የክምችት Entry ወይም የግዢ ደረሰኝ በ መዘጋጀት አለበት
 DocType: Lead,Lead Type,በእርሳስ አይነት
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,ጥቅስ ይፍጠሩ።
@@ -5919,7 +6009,6 @@
 DocType: Leave Allocation,Leave Period,ጊዜውን ይተው
 DocType: Item,Default Material Request Type,ነባሪ የቁስ ጥያቄ አይነት
 DocType: Supplier Scorecard,Evaluation Period,የግምገማ ጊዜ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ደንበኛ&gt; የደንበኛ ቡድን&gt; ግዛት
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ያልታወቀ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,የሥራ ትዕዛዝ አልተፈጠረም
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6003,7 +6092,8 @@
 ,Customer-wise Item Price,በደንበኛ-ጥበበኛ ንጥል ዋጋ።
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,የገንዘብ ፍሰት መግለጫ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ምንም የተፈጥሮ ጥያቄ አልተፈጠረም
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},የብድር መጠን ከፍተኛ የብድር መጠን መብለጥ አይችልም {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},የብድር መጠን ከፍተኛ የብድር መጠን መብለጥ አይችልም {0}
+DocType: Loan,Loan Security Pledge,የብድር ዋስትና ቃል
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,ፈቃድ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,እናንተ ደግሞ ካለፈው በጀት ዓመት ሚዛን በዚህ የበጀት ዓመት ወደ ቅጠሎች ማካተት የሚፈልጉ ከሆነ ወደፊት አኗኗራችሁ እባክዎ ይምረጡ
@@ -6021,6 +6111,7 @@
 DocType: Pricing Rule,Price Discount Scheme,የዋጋ ቅናሽ መርሃግብር።
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,የጥገና ሁኔታን ለመሰረዝ ወይም ለመጠናቀቅ የተሞላ መሆን አለበት
 DocType: Amazon MWS Settings,US,አሜሪካ
+DocType: Loan Security Pledge,Pledged,ተጭኗል
 DocType: Holiday List,Add Weekly Holidays,ሳምንታዊ በዓላትን አክል
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,ንጥል ሪፖርት ያድርጉ ፡፡
 DocType: Staffing Plan Detail,Vacancies,መመዘኛዎች
@@ -6039,7 +6130,6 @@
 DocType: Production Plan Item,Planned Start Date,የታቀደ መጀመሪያ ቀን
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,እባክዎን BOM ይምረጡ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,በ ITC የተዋቀረ ቀረጥ አግኝቷል
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,የመክፈያ መግቢያ ፍጠር።
 DocType: Purchase Order Item,Blanket Order Rate,የበራሪ ትዕዛዝ ተመን
 ,Customer Ledger Summary,የደንበኛ ሌዘር ማጠቃለያ ፡፡
 apps/erpnext/erpnext/hooks.py,Certification,የዕውቅና ማረጋገጫ
@@ -6060,6 +6150,7 @@
 DocType: Appraisal Template,Appraisal Template Title,ግምገማ አብነት ርዕስ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ንግድ
 DocType: Patient,Alcohol Current Use,የአልኮል መጠጥ አጠቃቀም
+DocType: Loan,Loan Closure Requested,የብድር መዝጊያ ተጠይቋል
 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,የግብር ነጻነት ምድብ
@@ -6083,6 +6174,7 @@
 DocType: Opening Invoice Creation Tool,Sales,የሽያጭ
 DocType: Stock Entry Detail,Basic Amount,መሰረታዊ መጠን
 DocType: Training Event,Exam,ፈተና
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,የሂሳብ ብድር ደህንነት እጥረት
 DocType: Email Campaign,Email Campaign,የኢሜል ዘመቻ ፡፡
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,የገበያ ስህተት
 DocType: Complaint,Complaint,ቅሬታ
@@ -6162,6 +6254,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,የሰራተኛ መዝገብ ለመፍጠር ይህን ያስገቡ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},የብድር ደህንነት ዋጋ ከ {0} ጋር መደራረብ
 DocType: Item Default,Item Default,የንጥል ነባሪ
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,የውስጥ-ግዛት አቅርቦቶች።
 DocType: Chapter Member,Leave Reason,ምክንያትን ተው
@@ -6188,6 +6281,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} ያገለገሉ ኩፖኖች {1} ናቸው። የተፈቀደው ብዛት ደክሟል
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,የቁሳዊ ጥያቄውን ማስገባት ይፈልጋሉ?
 DocType: Job Offer,Awaiting Response,ምላሽ በመጠባበቅ ላይ
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,ብድር ግዴታ ነው
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-yYYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,ከላይ
 DocType: Support Search Source,Link Options,የአገናኝ አማራጮች
@@ -6200,6 +6294,7 @@
 DocType: Training Event Employee,Optional,አማራጭ
 DocType: Salary Slip,Earning & Deduction,ገቢ እና ተቀናሽ
 DocType: Agriculture Analysis Criteria,Water Analysis,የውሃ ትንተና
+DocType: Pledge,Post Haircut Amount,የፀጉር ቀለም መጠንን ይለጥፉ
 DocType: Sales Order,Skip Delivery Note,ማቅረቢያ ማስታወሻ ዝለል
 DocType: Price List,Price Not UOM Dependent,ዋጋ UOM ጥገኛ አይደለም።
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} ፈጣሪዎች ተፈጥረዋል.
@@ -6226,6 +6321,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,የምርት ጥቅል ከ ንጥሎች ያግኙ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,የመክፈያ ዘዴ ለጊዜ ብድሮች አስገዳጅ ነው
 DocType: Asset,Straight Line,ቀጥተኛ መስመር
 DocType: Project User,Project User,የፕሮጀክት ተጠቃሚ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,ሰነጠቀ
@@ -6270,7 +6366,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ሚና Frozen መለያዎች &amp; አርትዕ Frozen ግቤቶችን አዘጋጅ የሚፈቀድለት
 DocType: Supplier Scorecard Scoring Variable,Path,ዱካ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ይህ ልጅ መገናኛ ነጥቦች አሉት እንደ የመቁጠር ወደ ወጪ ማዕከል መለወጥ አይቻልም
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM የልወጣ ሁኔታ ({0} -&gt; {1}) ለንጥል አልተገኘም {{2}
 DocType: Production Plan,Total Planned Qty,የታቀደ አጠቃላይ ቅደም ተከተል
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ግብይቶቹ ቀደም ሲል ከ መግለጫው ተመልሰዋል።
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,በመክፈት ላይ እሴት
@@ -6279,11 +6374,8 @@
 DocType: Material Request Plan Item,Required Quantity,የሚፈለግ ብዛት።
 DocType: Lab Test Template,Lab Test Template,የሙከራ መለኪያ አብነት
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},የሂሳብ ጊዜ ከ {0} ጋር ይደራረባል
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,አቅራቢ&gt; የአቅራቢ ዓይነት
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,የሽያጭ መለያ
 DocType: Purchase Invoice Item,Total Weight,ጠቅላላ ክብደት
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን <a href=""#Form/Employee/{0}"">{0}</a> \ ያጥፉ"
 DocType: Pick List Item,Pick List Item,ዝርዝር ንጥል ይምረጡ።
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,የሽያጭ ላይ ኮሚሽን
 DocType: Job Offer Term,Value / Description,እሴት / መግለጫ
@@ -6330,6 +6422,7 @@
 DocType: Patient Encounter,Encounter Date,የግጥሚያ ቀን
 DocType: Work Order,Update Consumed Material Cost In Project,በፕሮጄክት ውስጥ የታሰበውን የቁሳዊ ወጪን አዘምን ፡፡
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,መለያ: {0} ምንዛሬ ጋር: {1} መመረጥ አይችልም
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ለደንበኞች እና ለሠራተኞች የሚሰጡ ብድሮች ፡፡
 DocType: Bank Statement Transaction Settings Item,Bank Data,የባንክ መረጃ
 DocType: Purchase Receipt Item,Sample Quantity,ናሙና መጠኑ
 DocType: Bank Guarantee,Name of Beneficiary,የዋና ተጠቃሚ ስም
@@ -6398,7 +6491,6 @@
 DocType: Contract,Signed On,የተፈረመበት
 DocType: Bank Account,Party Type,የድግስ አይነት
 DocType: Discounted Invoice,Discounted Invoice,የተቀነሰ የክፍያ መጠየቂያ
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ተገኝነትን እንደ ምልክት ያድርጉ <b></b>
 DocType: Payment Schedule,Payment Schedule,የክፍያ ዕቅድ
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ለተጠቀሰው የሰራተኛ የመስክ እሴት ምንም ተቀጣሪ አልተገኘም። &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,ማላጠር
@@ -6470,6 +6562,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,አበዳሪዎች
 DocType: Assessment Plan,Assessment Name,ግምገማ ስም
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,የረድፍ # {0}: መለያ ምንም ግዴታ ነው
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,የብድር መዘጋት የ {0} መጠን ያስፈልጋል
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ንጥል ጥበበኛ የግብር ዝርዝር
 DocType: Employee Onboarding,Job Offer,የስራ እድል
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ተቋም ምህፃረ ቃል
@@ -6493,7 +6586,6 @@
 DocType: Purchase Order,To Receive,መቀበል
 DocType: Leave Period,Holiday List for Optional Leave,የአማራጭ ፈቃድ የአፈፃጸም ዝርዝር
 DocType: Item Tax Template,Tax Rates,የግብር ተመኖች
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,የንጥል ኮድ&gt; የንጥል ቡድን&gt; የምርት ስም
 DocType: Asset,Asset Owner,የንብረት ባለቤት
 DocType: Item,Website Content,የድር ጣቢያ ይዘት።
 DocType: Bank Account,Integration ID,የተቀናጀ መታወቂያ።
@@ -6509,6 +6601,7 @@
 DocType: Amazon MWS Settings,Synch Orders,የማመሳሰል ትዕዛዞች
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,ትዕዛዞች ምርት ከእስር.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,በጀት ዓመት ይምረጡ ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},እባክዎን ለድርጅት የብድር አይነት ይምረጡ {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS መገለጫ POS የሚመዘገብ ለማድረግ ያስፈልጋል
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",የታማኝነት ስብስብ ነጥቦች ከተጠቀሰው ጊዜ (በሽያጭ ደረሰኝ በኩል) ተወስዶ የተሰራውን መሰረት በማድረግ ነው.
 DocType: Program Enrollment Tool,Enroll Students,ተማሪዎች ይመዝገቡ
@@ -6537,6 +6630,7 @@
 DocType: Customer,Mention if non-standard receivable account,ጥቀስ መደበኛ ያልሆነ እንደተቀበለ መለያ ከሆነ
 DocType: Bank,Plaid Access Token,ባዶ የመዳረሻ ማስመሰያ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,እባክዎ የቀረውን ጥቅማጥቅሞችን {0} ለአሉት አሁን ካለው ክፍል ላይ ያክሉ
+DocType: Bank Account,Is Default Account,ነባሪ መለያ ነው
 DocType: Journal Entry Account,If Income or Expense,ገቢ ወይም የወጪ ከሆነ
 DocType: Course Topic,Course Topic,የትምህርት ርዕስ
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},የ POS ቫውቸር ዝጋ ክፍያ ቀን መዝጋት ለ {0} ከቀን {1} እስከ {2}
@@ -6549,7 +6643,7 @@
 DocType: Disease,Treatment Task,የሕክምና ተግባር
 DocType: Payment Order Reference,Bank Account Details,የባንክ ሂሳብ ዝርዝሮች
 DocType: Purchase Order Item,Blanket Order,የበራሪ ትዕዛዝ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,የክፍያ ተመላሽ ገንዘብ መጠን ከዚህ የበለጠ መሆን አለበት።
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,የክፍያ ተመላሽ ገንዘብ መጠን ከዚህ የበለጠ መሆን አለበት።
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,የግብር ንብረቶች
 DocType: BOM Item,BOM No,BOM ምንም
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ዝርዝሮችን አዘምን
@@ -6605,6 +6699,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce ምርቶች።
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},ቀመር ወይም ሁኔታ ውስጥ የአገባብ ስህተት: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,ይህ ጀምሮ ችላ ንጥል {0} አንድ የአክሲዮን ንጥል አይደለም
+,Loan Security Status,የብድር ደህንነት ሁኔታ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",በተወሰነ ግብይት ውስጥ የዋጋ ሕግ ተግባራዊ ሳይሆን ወደ ሁሉም የሚመለከታቸው የዋጋ ደንቦች መሰናከል ያለበት.
 DocType: Payment Term,Day(s) after the end of the invoice month,ከሚሊኒየሙ ወር ማብቂያ ቀን በኋላ (ቶች)
 DocType: Assessment Group,Parent Assessment Group,የወላጅ ግምገማ ቡድን
@@ -6619,7 +6714,6 @@
 DocType: Stock Entry Detail,Additional Cost,ተጨማሪ ወጪ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ቫውቸር ምንም ላይ የተመሠረተ ማጣሪያ አይችሉም, ቫውቸር በ ተመድበው ከሆነ"
 DocType: Quality Inspection,Incoming,ገቢ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,እባክዎን ለተማሪ ተገኝነት በማዋቀር&gt; በቁጥር ተከታታይ በኩል ያዘጋጁ
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ለሽያጭ እና ለግዢ ነባሪ የግብር አብነቶች ተፈጥረዋል.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,የአመሳሾቹ ውጤት ዘገባ {0} አስቀድሞም ይገኛል.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ምሳሌ ABCD. #####. ተከታታይነት ከተዘጋጀ እና የቡድን ቁጥር በግብይቶች ውስጥ ካልተጠቀሰ, በዚህ ተከታታይ ላይ ተመስርተው ራስ-ሰር ቁጥሩ ቁጥር ይፈጠራል. ለእዚህ ንጥል እቃ ዝርዝር በግልጽ ለመጥቀስ የሚፈልጉ ከሆነ, ይህንን ባዶ ይተውት. ማሳሰቢያ: ይህ ቅንብር በስምሪት ቅንጅቶች ውስጥ ከሚታወቀው Seriesing ቅድመ-ቅጥያ ቅድሚያ ይሰጠዋል."
@@ -6630,8 +6724,10 @@
 DocType: Contract,Party User,የጭፈራ ተጠቃሚ
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,ለ <b>{0}</b> ንብረቶች አልተፈጠሩም። ንብረት እራስዎ መፍጠር ይኖርብዎታል።
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',የቡድን በ «ኩባንያ &#39;ከሆነ ኩባንያ ባዶ ማጣሪያ ያዘጋጁ እባክዎ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ደንበኛ&gt; የደንበኛ ቡድን&gt; ግዛት
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,መለጠፍ ቀን ወደፊት ቀን ሊሆን አይችልም
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},የረድፍ # {0}: መለያ አይ {1} ጋር አይዛመድም {2} {3}
+DocType: Loan Repayment,Interest Payable,የወለድ ክፍያ
 DocType: Stock Entry,Target Warehouse Address,የዒላማ መሸጫ ቤት አድራሻ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ተራ ፈቃድ
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,የሰራተኛ ተመዝግቦ መግቢያ ለመገኘት የታሰበበት ከለውጥያው ጊዜ በፊት ያለው ሰዓት
@@ -6760,6 +6856,7 @@
 DocType: Issue,Reset Service Level Agreement,የአገልግሎት ደረጃን እንደገና ማስጀመር ስምምነት።
 ,Sales Person-wise Transaction Summary,የሽያጭ ሰው-ጥበብ የግብይት ማጠቃለያ
 DocType: Training Event,Contact Number,የእውቂያ ቁጥር
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,የብድር መጠን አስገዳጅ ነው
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,መጋዘን {0} የለም
 DocType: Cashier Closing,Custody,የጥበቃ
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,የተቀጣሪ ግብር ማከሚያ ማረጋገጫ የግቤት ዝርዝር
@@ -6808,6 +6905,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ሒሳብ ብዛት
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,ሁኔታዎች በተመረጡት ሁሉም ዕቃዎች ላይ ሁኔታ ይተገበራል ፡፡
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,ግቦች ባዶ መሆን አይችልም
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,የተሳሳተ መጋዘን
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,ተማሪዎችን መመዝገብ
 DocType: Item Group,Parent Item Group,የወላጅ ንጥል ቡድን
 DocType: Appointment Type,Appointment Type,የቀጠሮ አይነት
@@ -6861,10 +6959,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,አማካኝ ደረጃ
 DocType: Appointment,Appointment With,ቀጠሮ በ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ጠቅላላ የክፍያ መጠን በክፍያ ሠንጠረዥ ውስጥ ከትልቅ / ጠቅላላ ድምር ጋር መሆን አለበት
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ተገኝነትን እንደ ምልክት ያድርጉ <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",“በደንበኞች የቀረበ ንጥል” የዋጋ ምጣኔ ሊኖረው አይችልም ፡፡
 DocType: Subscription Plan Detail,Plan,ዕቅድ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,አጠቃላይ የሒሳብ መዝገብ መሠረት የባንክ መግለጫ ቀሪ
-DocType: Job Applicant,Applicant Name,የአመልካች ስም
+DocType: Appointment Letter,Applicant Name,የአመልካች ስም
 DocType: Authorization Rule,Customer / Item Name,ደንበኛ / ንጥል ስም
 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**. 
 
@@ -6908,11 +7007,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,የአክሲዮን የመቁጠር ግቤት ይህን መጋዘን የለም እንደ መጋዘን ሊሰረዝ አይችልም.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ስርጭት
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,የሚከተሉት ሠራተኞች በአሁኑ ወቅት ለዚህ ሠራተኛ ሪፖርት እያደረጉ ስለሆነ የሰራተኛ ሁኔታ ወደ &#39;ግራ&#39; መደረግ አይችልም ፡፡
-DocType: Journal Entry Account,Loan,ብድር
+DocType: Loan Repayment,Amount Paid,መጠን የሚከፈልበት
+DocType: Loan Security Shortfall,Loan,ብድር
 DocType: Expense Claim Advance,Expense Claim Advance,የወጪ ማሳሰቢያ ቅደም ተከተል
 DocType: Lab Test,Report Preference,ምርጫ ሪፖርት ያድርጉ
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,የፈቃደኛ መረጃ.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,ፕሮጀክት ሥራ አስኪያጅ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,በደንበኞች ቡድን
 ,Quoted Item Comparison,የተጠቀሰ ንጥል ንጽጽር
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},በ {0} እና በ {1} መካከል በማቀናጀት ይደራረቡ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,የደንበኞች አገልግሎት
@@ -6932,6 +7033,7 @@
 DocType: Material Request Plan Item,Material Issue,ቁሳዊ ችግር
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ነፃ ንጥል በዋጋ አወጣጥ ደንብ ውስጥ አልተዘጋጀም {0}
 DocType: Employee Education,Qualification,እዉቀት
+DocType: Loan Security Shortfall,Loan Security Shortfall,የብድር ደህንነት እጥረት
 DocType: Item Price,Item Price,ንጥል ዋጋ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,ሳሙና እና ሳሙና
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},ተቀጣሪ {0} የኩባንያው አካል አይደለም {1}
@@ -6954,6 +7056,7 @@
 DocType: Appointment Booking Settings,Appointment Details,የቀጠሮ ዝርዝሮች
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,የተጠናቀቀ ምርት
 DocType: Warehouse,Warehouse Name,የመጋዘን ስም
+DocType: Loan Security Pledge,Pledge Time,የዋስትና ጊዜ
 DocType: Naming Series,Select Transaction,ይምረጡ የግብይት
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ሚና በማፅደቅ ወይም የተጠቃሚ በማፅደቅ ያስገቡ
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,የአገልግሎት ደረጃ ስምምነት ከድርጅት ዓይነት {0} እና ህጋዊ አካል {1} ቀድሞውኑ አለ።
@@ -6961,7 +7064,6 @@
 DocType: BOM,Rate Of Materials Based On,ደረጃ ይስጡ እቃዎች ላይ የተመረኮዘ ላይ
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ከነቃ, የአካዳሚክ የትምህርት ጊዜ በፕሮግራም ምዝገባ ፕሮግራም ውስጥ አስገዳጅ ይሆናል."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",የነፃ ፣ የ Nil ደረጃ እና GST ያልሆኑ ውስጣዊ አቅርቦቶች እሴቶች።
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ደንበኛ&gt; የደንበኛ ቡድን&gt; ግዛት
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ኩባንያ</b> የግዴታ ማጣሪያ ነው።
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ሁሉንም አታመልክት
 DocType: Purchase Taxes and Charges,On Item Quantity,በእቃ ቁጥር።
@@ -7006,7 +7108,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,እጥረት ብዛት
 DocType: Purchase Invoice,Input Service Distributor,የግቤት አገልግሎት አሰራጭ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ንጥል ተለዋጭ {0} ተመሳሳይ ባሕርያት ጋር አለ
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,እባክዎ በትምህርቱ&gt; የትምህርት ቅንብሮች ውስጥ የትምህርት አሰጣጥ / መለያ መመሪያን ያዋቅሩ
 DocType: Loan,Repay from Salary,ደመወዝ ከ ልከፍለው
 DocType: Exotel Settings,API Token,ኤ.ፒ.አይ. የምስክር ወረቀት
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ላይ ክፍያ በመጠየቅ ላይ {0} {1} መጠን ለ {2}
@@ -7026,6 +7127,7 @@
 DocType: Salary Slip,Total Interest Amount,ጠቅላላ የወለድ መጠን
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መጋዘኖችን ያሰኘንን ወደ ሊቀየር አይችልም
 DocType: BOM,Manage cost of operations,ስራዎች ወጪ ያቀናብሩ
+DocType: Unpledge,Unpledge,ማራገፊያ
 DocType: Accounts Settings,Stale Days,የቆዳ ቀናቶች
 DocType: Travel Itinerary,Arrival Datetime,የመድረሻ ወቅት
 DocType: Tax Rule,Billing Zipcode,የክፍያ መጠየቂያ ዚፕ ኮድ
@@ -7211,6 +7313,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ሰዓቶች
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},በ {0} አዲስ ቀጠሮ ተፈጥሯል
 DocType: Project,Expected Start Date,የሚጠበቀው መጀመሪያ ቀን
+DocType: Work Order,This is a location where raw materials are available.,ጥሬ እቃዎች የሚገኙበት ቦታ ይህ ነው ፡፡
 DocType: Purchase Invoice,04-Correction in Invoice,04-በቅርስ ውስጥ ማስተካከያ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,የሥራ ቦርድ ቀደም ሲል ለ BOM ከተዘጋጁ ነገሮች ሁሉ ቀድሞ ተፈጥሯል
 DocType: Bank Account,Party Details,የፓርቲ ዝርዝሮች
@@ -7229,6 +7332,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,ጥቅሶች:
 DocType: Contract,Partially Fulfilled,በከፊል ተሞልቷል
 DocType: Maintenance Visit,Fully Completed,ሙሉ በሙሉ ተጠናቅቋል
+DocType: Loan Security,Loan Security Name,የብድር ደህንነት ስም
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",ከ &quot;-&quot; ፣ &quot;#&quot; ፣ &quot;፣&quot; ፣ &quot;/&quot; ፣ &quot;{&quot; እና &quot;}&quot; በስተቀር ልዩ ቁምፊዎች ከመለያ መሰየሚያ አይፈቀድም
 DocType: Purchase Invoice Item,Is nil rated or exempted,ደረጃ ተሰጥቶታል ወይም ነፃ ይደረጋል
 DocType: Employee,Educational Qualification,ተፈላጊ የትምህርት ደረጃ
@@ -7285,6 +7389,7 @@
 DocType: Program,Is Featured,ተለይቶ የቀረበ
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,በማምጣት ላይ ...
 DocType: Agriculture Analysis Criteria,Agriculture User,የግብርና ተጠቃሚ
+DocType: Loan Security Shortfall,America/New_York,አሜሪካ / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,እስከ ቀን ድረስ የሚያገለግል ቀን ከክኔ ቀን በፊት መሆን አይችልም
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,የተማሪ ምድብ
@@ -7362,8 +7467,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,አንተ ቀጥ እሴት ለማዘጋጀት ፍቃድ አይደለም
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled ግቤቶችን ያግኙ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ተቀጣሪ {0} በርቷል {1} ላይ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,ለጆርናሉ ምዝገባ ምንም ተመላሽ ገንዘቦች አልተመረጡም
 DocType: Purchase Invoice,GST Category,GST ምድብ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,የታቀደው ቃል ኪዳኖች አስተማማኝ ዋስትና ላላቸው ብድሮች አስገዳጅ ናቸው
 DocType: Payment Reconciliation,From Invoice Date,የደረሰኝ ቀን ጀምሮ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,በጀት
 DocType: Invoice Discounting,Disbursed,ወጡ
@@ -7420,14 +7525,13 @@
 DocType: Restaurant,Active Menu,ገባሪ ምናሌ
 DocType: Accounting Dimension Detail,Default Dimension,ነባሪ ልኬት።
 DocType: Target Detail,Target Qty,ዒላማ ብዛት
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},ከብድር ላይ: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Checkout ቅንብሮች
 DocType: Student Attendance,Present,ስጦታ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,የመላኪያ ማስታወሻ {0} መቅረብ የለበትም
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",ለሠራተኛው በኢሜል የተያዘው የደመወዝ ወረቀቱ በይለፍ ቃል የተጠበቀ ይሆናል ፣ በይለፍ ቃል ፖሊሲው መሠረት የይለፍ ቃሉ ይወጣል ፡፡
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,መለያ {0} መዝጊያ አይነት ተጠያቂነት / ፍትህ መሆን አለበት
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},ሠራተኛ ደመወዝ ማዘዥ {0} አስቀድሞ ጊዜ ወረቀት የተፈጠሩ {1}
-DocType: Vehicle Log,Odometer,ቆጣሪው
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,ቆጣሪው
 DocType: Production Plan Item,Ordered Qty,የዕቃው መረጃ ብዛት
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,ንጥል {0} ተሰናክሏል
 DocType: Stock Settings,Stock Frozen Upto,የክምችት Frozen እስከሁለት
@@ -7484,7 +7588,6 @@
 DocType: Serial No,Delivery Document Type,የመላኪያ የሰነድ አይነት
 DocType: Sales Order,Partly Delivered,በከፊል ደርሷል
 DocType: Item Variant Settings,Do not update variants on save,አስቀምጥ ላይ ተለዋዋጭዎችን አያድኑ
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,የደንበኞች ቡድን
 DocType: Email Digest,Receivables,ከማግኘት
 DocType: Lead Source,Lead Source,በእርሳስ ምንጭ
 DocType: Customer,Additional information regarding the customer.,ደንበኛው በተመለከተ ተጨማሪ መረጃ.
@@ -7580,6 +7683,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ትክክለኛ
 DocType: Appointment,Skype ID,የስካይፕ መታወቂያ
 DocType: Restaurant Menu,Restaurant Manager,የምግብ ቤት አደራጅ
+DocType: Loan,Penalty Income Account,የቅጣት ገቢ ሂሳብ
 DocType: Call Log,Call Log,የጥሪ ምዝግብ ማስታወሻ
 DocType: Authorization Rule,Customerwise Discount,Customerwise ቅናሽ
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,ተግባራት ለ Timesheet.
@@ -7667,6 +7771,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,የምርት ቅናሽ መርሃግብር።
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,በደዋዩ ምንም ጉዳይ አልተነሳም ፡፡
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,በአቅራቢዎች ቡድን
 DocType: Restaurant Reservation,Waitlisted,ተጠባባቂ
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ነጻ የማድረግ ምድብ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,የመገበያያ ገንዘብ አንዳንድ ሌሎች የምንዛሬ በመጠቀም ግቤቶች በማድረጉ በኋላ ሊቀየር አይችልም
@@ -7677,7 +7782,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,ማማከር
 DocType: Subscription Plan,Based on price list,በዋጋ ዝርዝር ላይ ተመስርቶ
 DocType: Customer Group,Parent Customer Group,የወላጅ የደንበኞች ቡድን
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,የኢ-ዌይ ቢል ጄኤስሰን ከሽያጭ መጠየቂያ ደረሰኝ ብቻ ሊመነጭ ይችላል ፡፡
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ለእዚህ ጥያቄዎች ከፍተኛ ሙከራዎች ደርሰዋል!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ምዝገባ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ክፍያ የሚፈጽም ክፍያ
@@ -7695,6 +7799,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,የመከላከያ ጥገና
 DocType: Delivery Note Item,Against Sales Invoice,የሽያጭ ደረሰኝ ላይ
 DocType: Purchase Invoice,07-Others,ሌሎች - ሌሎች
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,የጥቅስ መጠን
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,serialized ንጥል ሲሪያል ቁጥሮችን ያስገቡ
 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. ,እርስዎ ኮርስ ላይ የተመሠረቱ ቡድኖች በማድረግ ላይ ሳለ ባች ከግምት የማይፈልጉ ከሆነ አልተመረጠም ተወው.
@@ -7802,6 +7907,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,የክፍያ ደረሰኝ ማስታወሻ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ይሄ በዚህ የደንበኛ ላይ ግብይቶችን ላይ የተመሠረተ ነው. ዝርዝሮችን ለማግኘት ከታች ያለውን የጊዜ ይመልከቱ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,የቁሳዊ ጥያቄን ይፍጠሩ።
+DocType: Loan Interest Accrual,Pending Principal Amount,በመጠባበቅ ላይ ያለ ዋና ገንዘብ መጠን
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",የመጀመሪያ እና የመጨረሻ ቀኖች ልክ በሆነ የደመወዝ ክፍለ ጊዜ ውስጥ አይደሉም ፣ ማስላት አይችሉም {0}
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,አዲስ የትምህርት ደረጃ
@@ -7845,6 +7951,7 @@
 											to fullfill Sales Order {2}",የዝርዝር ቅደም ተከተሉን {2} ሙሉ ለሙሉ ተይዟል \ {1} ን አይነት {0} መላክ አይቻልም.
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-yYYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,አቅራቢው ትዕምርተ {0} ተፈጥሯል
+DocType: Loan Security Unpledge,Unpledge Type,ማራገፊያ ዓይነት
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,የመጨረሻ ዓመት የጀመረበት ዓመት በፊት ሊሆን አይችልም
 DocType: Employee Benefit Application,Employee Benefits,የሰራተኛ ጥቅማ ጥቅም
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,የሰራተኛ መታወቂያ
@@ -7927,6 +8034,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,የኮርስ ኮድ:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,የወጪ ሒሳብ ያስገቡ
 DocType: Quality Action Resolution,Problem,ችግር ፡፡
+DocType: Loan Security Type,Loan To Value Ratio,ብድር ዋጋን ለመለየት ብድር
 DocType: Account,Stock,አክሲዮን
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የግዢ ትዕዛዝ አንዱ, የግዥ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት"
 DocType: Employee,Current Address,ወቅታዊ አድራሻ
@@ -7944,6 +8052,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,የባንክ መግለጫ መግለጫ ግብይት
 DocType: Sales Invoice Item,Discount and Margin,ቅናሽ እና ኅዳግ
 DocType: Lab Test,Prescription,መድሃኒት
+DocType: Process Loan Security Shortfall,Update Time,የጊዜ አዘምን
 DocType: Import Supplier Invoice,Upload XML Invoices,የኤክስኤምኤል ደረሰኞችን ይስቀሉ
 DocType: Company,Default Deferred Revenue Account,ነባሪ የተገደበ የገቢ መለያ
 DocType: Project,Second Email,ሁለተኛ ኢሜይል
@@ -7957,7 +8066,7 @@
 DocType: Quality Action,Preventive,መከላከል
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ላልተመዘገቡ ሰዎች የተሰሩ አቅርቦቶች።
 DocType: Company,Date of Incorporation,የተቀላቀለበት ቀን
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ጠቅላላ ግብር
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,ጠቅላላ ግብር
 DocType: Manufacturing Settings,Default Scrap Warehouse,ነባሪ የስዕል መለጠፊያ መጋዘን
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,የመጨረሻ የግዢ ዋጋ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ብዛት ለ (ብዛት የተመረተ) ግዴታ ነው
@@ -7976,6 +8085,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ነባሪ የክፍያ አካልን ያዘጋጁ
 DocType: Stock Entry Detail,Against Stock Entry,ከአክሲዮን ግባ ጋር።
 DocType: Grant Application,Withdrawn,ራቀ
+DocType: Loan Repayment,Regular Payment,መደበኛ ክፍያ
 DocType: Support Search Source,Support Search Source,የፍለጋ ምንጭን ይደግፉ
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,ቻርጅ
 DocType: Project,Gross Margin %,ግዙፍ ኅዳግ %
@@ -7988,8 +8098,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,ያለ ቀረጥ ክፍያ
 DocType: BOM Operation,BOM Operation,BOM ኦፕሬሽን
 DocType: Purchase Taxes and Charges,On Previous Row Amount,ቀዳሚ ረድፍ መጠን ላይ
+DocType: Student,Home Address,የቤት አድራሻ
 DocType: Options,Is Correct,ትክክል ነው
 DocType: Item,Has Expiry Date,የፍርድ ቀን አለው
+DocType: Loan Repayment,Paid Accrual Entries,የተከፈለባቸው የሂሳብ ግቤቶች
+DocType: Loan Security,Loan Security Type,የብድር ደህንነት አይነት
 apps/erpnext/erpnext/config/support.py,Issue Type.,የጉዳይ ዓይነት።
 DocType: POS Profile,POS Profile,POS መገለጫ
 DocType: Training Event,Event Name,የክስተት ስም
@@ -8001,6 +8114,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ቅንብር በጀቶችን, ዒላማዎች ወዘተ ወቅታዊ"
 apps/erpnext/erpnext/www/all-products/index.html,No values,ምንም እሴቶች የሉም።
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ተለዋዋጭ ስም
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,ለማስታረቅ የባንክ ሂሳቡን ይምረጡ።
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} ንጥል አብነት ነው, በውስጡ ከተለዋጮችዎ አንዱ ይምረጡ"
 DocType: Purchase Invoice Item,Deferred Expense,የወጡ ወጪዎች
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,ወደ መልዕክቶች ተመለስ።
@@ -8052,7 +8166,6 @@
 DocType: GL Entry,To Rename,እንደገና ለመሰየም።
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,መለያ ቁጥር ለማከል ይምረጡ።
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,እባክዎ በትምህርቱ&gt; የትምህርት ቅንብሮች ውስጥ የትምህርት አሰጣጥ / መለያ መመሪያን ያዋቅሩ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',እባክዎ ለደንበኛው &#39;% s&#39; የፊስካል ኮድ ያዘጋጁ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,እባክዎ መጀመሪያ ኩባንያውን ይምረጡ
 DocType: Item Attribute,Numeric Values,ቁጥራዊ እሴቶች
@@ -8076,6 +8189,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,በ FIFO ላይ በመመርኮዝ ያግኙ
 DocType: Soil Texture,Clay Loam,ክሬይ ሎማን
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,ሥር አርትዕ ሊደረግ አይችልም.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,የብድር ደህንነት እሴት
 DocType: Item,Units of Measure,ይለኩ አሃዶች
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,በሜትሮ ከተማ ተከራይ
 DocType: Supplier,Default Tax Withholding Config,ነባሪ የግብር መያዣ ውቅር
@@ -8122,6 +8236,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,የመጀመሪያው ምድብ ይምረጡ
 apps/erpnext/erpnext/config/projects.py,Project master.,ፕሮጀክት ዋና.
 DocType: Contract,Contract Terms,የውል ስምምነቶች
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,የተቀነሰ የገንዘብ መጠን
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,ውቅር ቀጥል።
 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,Maximum benefit amount of component {0} exceeds {1},ከፍተኛው የሽያጭ መጠን {0} ከ {1}
@@ -8154,6 +8269,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,የጥሪ ምዝግብ ማስታወሻን ይመልከቱ።
 DocType: BOM Operation,Operating Cost(Company Currency),የክወና ወጪ (የኩባንያ የምንዛሬ)
 DocType: Loan Application,Rate of Interest,የወለድ ተመን
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},የብድር ዋስትና ቃል ኪዳን በብድር ላይ ቀድሞውኑ ቃል ገብቷል {0}
 DocType: Expense Claim Detail,Sanctioned Amount,ማዕቀብ መጠን
 DocType: Item,Shelf Life In Days,ዘመናዊ ህይወት በጊዜ ውስጥ
 DocType: GL Entry,Is Opening,በመክፈት ላይ ነው
@@ -8167,3 +8283,4 @@
 DocType: Account,Cash,ጥሬ ገንዘብ
 DocType: Sales Invoice,Unpaid and Discounted,ያልተከፈለ እና የተቀነሰ።
 DocType: Employee,Short biography for website and other publications.,ድር ጣቢያ እና ሌሎች ጽሑፎች አጭር የሕይወት ታሪክ.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,ረድፍ # {0}: - ጥሬ እቃዎችን ወደ ንዑስ ተቋራጩ በሚሰጥበት ጊዜ አቅራቢውን መጋዘን መምረጥ አይቻልም
diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv
index 45793e4..f8f8466 100644
--- a/erpnext/translations/ar.csv
+++ b/erpnext/translations/ar.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,فرصة ضائعة السبب
 DocType: Patient Appointment,Check availability,التحقق من الصلاحية
 DocType: Retention Bonus,Bonus Payment Date,تاريخ دفع المكافأة
-DocType: Employee,Job Applicant,طالب الوظيفة
+DocType: Appointment Letter,Job Applicant,طالب الوظيفة
 DocType: Job Card,Total Time in Mins,إجمالي الوقت بالدقائق
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ويستند هذا على المعاملات مقابل هذا المورد. انظر الجدول الزمني أدناه للاطلاع على التفاصيل
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,نسبة الإنتاج الزائد لأمر العمل
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,معلومات الاتصال
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,البحث عن أي شيء ...
 ,Stock and Account Value Comparison,الأسهم وقيمة الحساب مقارنة
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,لا يمكن أن يكون المبلغ المصروف أكبر من مبلغ القرض
 DocType: Company,Phone No,رقم الهاتف
 DocType: Delivery Trip,Initial Email Notification Sent,تم إرسال إشعار البريد الإلكتروني المبدئي
 DocType: Bank Statement Settings,Statement Header Mapping,تعيين رأس بيان
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,مهتم
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,افتتاحي
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,برنامج:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,يجب أن يكون &quot;صالح من الوقت&quot; أقل من &quot;وقت صلاحية صالح&quot;.
 DocType: Item,Copy From Item Group,نسخة من المجموعة السلعة
 DocType: Journal Entry,Opening Entry,فتح مدخل
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,حساب الدفع فقط
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,درجة
 DocType: Restaurant Table,No of Seats,عدد المقاعد
+DocType: Loan Type,Grace Period in Days,فترة السماح بالأيام
 DocType: Sales Invoice,Overdue and Discounted,المتأخرة و مخفضة
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},الأصل {0} لا ينتمي إلى الحارس {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,تم قطع الاتصال
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,الإجراءات المقررة
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,عرض نقاط البيع فقط
 DocType: Supplier Group,Supplier Group Name,اسم مجموعة الموردين
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,علامة الحضور كما <b></b>
 DocType: Driver,Driving License Categories,فئات رخصة القيادة
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,الرجاء إدخال تاريخ التسليم
 DocType: Depreciation Schedule,Make Depreciation Entry,انشئ قيد اهلاك
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,تفاصيل العمليات المنجزة
 DocType: Asset Maintenance Log,Maintenance Status,حالة الصيانة
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,البند ضريبة المبلغ المدرجة في القيمة
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,قرض ضمان unpledge
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,تفاصيل العضوية
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: المورد مطلوب  بالمقابلة بالحساب الدائن {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,الاصناف والتسعيرات
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},مجموع الساعات: {0}
+DocType: Loan,Loan Manager,مدير القرض
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},(من التاريخ) يجب أن يكون ضمن السنة المالية. بافتراض (من التاريخ) = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,فترة
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',"تحديث عبر 'وقت دخول """
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,حدد العميل أو المورد.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,رمز البلد في الملف لا يتطابق مع رمز البلد الذي تم إعداده في النظام
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},الحساب {0} لا ينتمي إلى شركة {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,حدد أولوية واحدة فقط كإعداد افتراضي.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},قيمة الدفعة المقدمة لا يمكن أن تكون أكبر من {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",تم تخطي الفتحة الزمنية ، تتداخل الفتحة {0} إلى {1} مع فاصل الزمني {2} إلى {3}
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,إجازة محظورة
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},الصنف{0} قد وصل إلى نهاية عمره في {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,مدخلات البنك
-DocType: Customer,Is Internal Customer,هو عميل داخلي
+DocType: Sales Invoice,Is Internal Customer,هو عميل داخلي
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,رقم فاتورة المبيعات
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,طلب مواد
 DocType: Bank Reconciliation,Update Clearance Date,تحديث تاريخ التخليص
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,حزمة الكمية
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,لا يمكن إنشاء قرض حتى تتم الموافقة على الطلب
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"الصنف {0} غير موجودة في ""مواد الخام المتوفره"" الجدول في أمر الشراء {1}"
 DocType: Salary Slip,Total Principal Amount,مجموع المبلغ الرئيسي
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,صيح
 DocType: Student Guardian,Mother,أم
 DocType: Restaurant Reservation,Reservation End Time,وقت انتهاء الحجز
+DocType: Salary Slip Loan,Loan Repayment Entry,إدخال سداد القرض
 DocType: Crop,Biennial,مرة كل سنتين
 ,BOM Variance Report,تقرير الفرق BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,طلبات مؤكدة من الزبائن.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},الدفعة مقابل {0} {1} لا يمكن أن تكون أكبر من المبلغ القائم {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,جميع وحدات خدمات الرعاية الصحية
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,حول تحويل الفرص
+DocType: Loan,Total Principal Paid,إجمالي المبلغ المدفوع
 DocType: Bank Account,Address HTML,عنوان HTML
 DocType: Lead,Mobile No.,رقم الجوال
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,طريقة الدفع
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,التوازن في العملة الأساسية
 DocType: Supplier Scorecard Scoring Standing,Max Grade,ماكس الصف
 DocType: Email Digest,New Quotations,عرض مسعر جديد
+DocType: Loan Interest Accrual,Loan Interest Accrual,استحقاق فائدة القرض
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,لم يتم إرسال المشاركة {0} كـ {1} في الإجازة.
 DocType: Journal Entry,Payment Order,أمر دفع
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,التحقق من البريد الإلكتروني
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,الدخل من المصادر الأخرى
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",إذا كانت فارغة ، فسيتم اعتبار حساب المستودع الأصلي أو افتراضي الشركة
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ارسال كشف الراتب إلي البريد الاكتروني المفضل من قبل الموظف
+DocType: Work Order,This is a location where operations are executed.,هذا هو المكان الذي يتم فيه تنفيذ العمليات.
 DocType: Tax Rule,Shipping County,مقاطعة البريدية
 DocType: Currency Exchange,For Selling,للبيع
 apps/erpnext/erpnext/config/desktop.py,Learn,تعلم
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,رمز القسيمة المطبق
 DocType: Asset,Next Depreciation Date,تاريخ االاستهالك التالي
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,تكلفة النشاط لكل موظف
+DocType: Loan Security,Haircut %,حلاقة شعر ٪
 DocType: Accounts Settings,Settings for Accounts,إعدادات الحسابات
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},المورد فاتورة لا يوجد في شراء الفاتورة {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,إدارة شجرة موظفي المبيعات.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},يرجى تحديد سعر غرفة الفندق على {}
 DocType: Journal Entry,Multi Currency,متعدد العملات
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,نوع الفاتورة
+DocType: Loan,Loan Security Details,تفاصيل ضمان القرض
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,صالح من تاريخ يجب أن يكون أقل من تاريخ يصل صالح
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},حدث استثناء أثناء التوفيق {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,حدد المخزن المعتمد
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,يلزم الموافقة على اختبار المختبر
 DocType: Attendance,Working Hours,ساعات العمل
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,إجمالي المعلقة
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},معامل تحويل UOM ({0} -&gt; {1}) غير موجود للعنصر: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,تغيير رقم تسلسل بدء / الحالي من سلسلة الموجودة.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,النسبة المئوية المسموح لك بدفعها أكثر مقابل المبلغ المطلوب. على سبيل المثال: إذا كانت قيمة الطلبية 100 دولار للعنصر وتم تعيين التسامح على 10 ٪ ، فيُسمح لك بدفع فاتورة بمبلغ 110 دولارات.
 DocType: Dosage Strength,Strength,قوة
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,تاريخ تسجيل المركبة
 DocType: Campaign Email Schedule,Campaign Email Schedule,جدول البريد الإلكتروني للحملة
 DocType: Student Log,Medical,طبي
+DocType: Work Order,This is a location where scraped materials are stored.,هذا هو الموقع حيث يتم تخزين المواد كشط.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,يرجى اختيار المخدرات
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,(مالك الزبون المحتمل) لا يمكن أن يكون نفسه (الزبون المحتمل)
 DocType: Announcement,Receiver,المستلم
@@ -886,7 +898,7 @@
 DocType: Driver,Applicable for external driver,ينطبق على سائق خارجي
 DocType: Sales Order Item,Used for Production Plan,تستخدم لخطة الإنتاج
 DocType: BOM,Total Cost (Company Currency),التكلفة الإجمالية (عملة الشركة)
-DocType: Loan,Total Payment,إجمالي الدفعة
+DocType: Repayment Schedule,Total Payment,إجمالي الدفعة
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO تم إنشاؤها بالفعل لجميع عناصر أمر المبيعات
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,تحذير أوامر الشراء
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,مستأجر من التاريخ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,يكفي لبناء أجزاء
+DocType: Loan Security,Loan Security Code,رمز ضمان القرض
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,يرجى حفظ أولا
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,العناصر مطلوبة لسحب المواد الخام المرتبطة بها.
 DocType: POS Profile User,POS Profile User,نقاط البيع الشخصية الملف الشخصي
@@ -968,6 +981,7 @@
 DocType: Patient,Risk Factors,عوامل الخطر
 DocType: Patient,Occupational Hazards and Environmental Factors,المخاطر المهنية والعوامل البيئية
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,تم إنشاء إدخالات المخزون بالفعل لأمر العمل
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,كود الصنف&gt; مجموعة الصنف&gt; العلامة التجارية
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,انظر الطلبات السابقة
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} محادثات
 DocType: Vital Signs,Respiratory rate,معدل التنفس
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,حذف معاملات وحركات للشركة
 DocType: Production Plan Item,Quantity and Description,الكمية والوصف
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,رقم المرجع و تاريخ المرجع إلزامي للمعاملة المصرفية
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد&gt; الإعدادات&gt; سلسلة التسمية
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,إضافة / تعديل الضرائب والرسوم
 DocType: Payment Entry Reference,Supplier Invoice No,رقم فاتورة المورد
 DocType: Territory,For reference,للرجوع إليها
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,حساب حجب الضرائب
 DocType: Pricing Rule,Sales Partner,شريك المبيعات
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,جميع نتائج الموردين
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,كمية الطلب
+DocType: Loan,Disbursed Amount,المبلغ المصروف
 DocType: Buying Settings,Purchase Receipt Required,إيصال استلام المشتريات مطلوب
 DocType: Sales Invoice,Rail,سكة حديدية
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,التكلفة الفعلية
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,متصلة QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},يرجى تحديد / إنشاء حساب (دفتر الأستاذ) للنوع - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,حساب الدائنين
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,الحساب إلزامي للحصول على إدخالات الدفع
 DocType: Payment Entry,Type of Payment,نوع الدفع
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,تاريخ نصف اليوم إلزامي
 DocType: Sales Order,Billing and Delivery Status,الفوترة والدفع الحالة
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,فوترة AMT
 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,Principal Amount,المبلغ الرئيسي
+DocType: Repayment Schedule,Principal Amount,المبلغ الرئيسي
 DocType: Loan Application,Total Payable Interest,مجموع الفوائد الدائنة
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},المجموع: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,فتح الاتصال
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,حدث خطأ أثناء عملية التحديث
 DocType: Restaurant Reservation,Restaurant Reservation,حجز المطعم
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,البنود الخاصة بك
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,مورد&gt; نوع المورد
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,تجهيز العروض
 DocType: Payment Entry Deduction,Payment Entry Deduction,دفع الاشتراك خصم
 DocType: Service Level Priority,Service Level Priority,أولوية مستوى الخدمة
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,وصف الباتش
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,إنشاء مجموعات الطلاب
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",حساب بوابة الدفع لم يتم انشاءه، يرجى إنشاء واحد يدويا.
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},لا يمكن استخدام مستودعات المجموعة في المعاملات. يرجى تغيير قيمة {0}
 DocType: Supplier Scorecard,Per Year,كل سنة
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,غير مؤهل للقبول في هذا البرنامج حسب دوب
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,الصف # {0}: لا يمكن حذف العنصر {1} الذي تم تعيينه لأمر شراء العميل.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",أثناء إنشاء حساب لشركة تابعة {0} ، لم يتم العثور على الحساب الأصل {1}. يرجى إنشاء الحساب الأصل في شهادة توثيق البرامج المقابلة
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,تقسيم القضية
 DocType: Student Attendance,Student Attendance,الحضور طالب
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,لا توجد بيانات للتصدير
 DocType: Sales Invoice Timesheet,Time Sheet,ورقة الوقت
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush المواد الخام مبني على
 DocType: Sales Invoice,Port Code,رمز الميناء
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,تاريخ التسليم الفعلي
 DocType: Lab Test,Test Template,نموذج الاختبار
+DocType: Loan Security Pledge,Securities,ضمانات
 DocType: Restaurant Order Entry Item,Served,خدم
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,معلومات الفصل.
 DocType: Account,Accounts,حسابات
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O سلبي
 DocType: Work Order Operation,Planned End Time,وقت الانتهاء المخطط له
 DocType: POS Profile,Only show Items from these Item Groups,فقط عرض العناصر من مجموعات العناصر هذه
+DocType: Loan,Is Secured Loan,هو قرض مضمون
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,لا يمكن تحويل حساب جرت عليه أي عملية إلى حساب دفتر أستاذ
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,تفاصيل نوع العضوية
 DocType: Delivery Note,Customer's Purchase Order No,رقم أمر الشراء الصادر من الزبون
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,يرجى تحديد الشركة وتاريخ النشر للحصول على إدخالات
 DocType: Asset,Maintenance,صيانة
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,الحصول على من لقاء المريض
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},معامل تحويل UOM ({0} -&gt; {1}) غير موجود للعنصر: {2}
 DocType: Subscriber,Subscriber,مكتتب
 DocType: Item Attribute Value,Item Attribute Value,قيمة مواصفة الصنف
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,يجب أن يكون صرف العملات ساريًا للشراء أو البيع.
@@ -1517,6 +1537,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,لا يوجد تصريح
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,قائمة مراجعة إنجاز العقد
 DocType: Vital Signs,Heart Rate / Pulse,معدل ضربات القلب / نبض
+DocType: Customer,Default Company Bank Account,الحساب البنكي الافتراضي للشركة
 DocType: Supplier,Default Bank Account,حساب المصرف الافتراضي
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",لتصفية استنادا الحزب، حدد حزب النوع الأول
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},&quot;الأوراق المالية التحديث&quot; لا يمكن التحقق من أنه لم يتم تسليم المواد عن طريق {0}
@@ -1634,7 +1655,6 @@
 DocType: Sales Team,Incentives,الحوافز
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,القيم خارج المزامنة
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,قيمة الفرق
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد&gt; سلسلة الترقيم
 DocType: SMS Log,Requested Numbers,الأرقام المطلوبة
 DocType: Volunteer,Evening,مساء
 DocType: Quiz,Quiz Configuration,مسابقة التكوين
@@ -1654,6 +1674,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,على إجمالي الصف السابق
 DocType: Purchase Invoice Item,Rejected Qty,الكمية المرفوضة
 DocType: Setup Progress Action,Action Field,حقل الإجراء
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,نوع القرض لأسعار الفائدة والعقوبة
 DocType: Healthcare Settings,Manage Customer,إدارة العملاء
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,قم دائمًا بمزامنة منتجاتك من Amazon MWS قبل مزامنة تفاصيل الطلبات
 DocType: Delivery Trip,Delivery Stops,توقف التسليم
@@ -1665,6 +1686,7 @@
 ,Final Assessment Grades,درجات التقييم النهائية
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,اسم الشركة التي كنت تقوم بإعداد هذا النظام.
 DocType: HR Settings,Include holidays in Total no. of Working Days,العطلات تحسب من ضمن أيام العمل
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,٪ من المجموع الكلي
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,إعداد المعهد الخاص بك في إربنكست
 DocType: Agriculture Analysis Criteria,Plant Analysis,تحليل النباتات
 DocType: Task,Timeline,الجدول الزمني
@@ -1672,9 +1694,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,صنف بديل
 DocType: Shopify Log,Request Data,طلب البيانات
 DocType: Employee,Date of Joining,تاريخ الالتحاق بالعمل
+DocType: Delivery Note,Inter Company Reference,بين شركة مرجع
 DocType: Naming Series,Update Series,تحديث الرقم المتسلسل
 DocType: Supplier Quotation,Is Subcontracted,وتعاقد من الباطن
 DocType: Restaurant Table,Minimum Seating,الحد الأدنى للجلوس
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,لا يمكن أن يكون السؤال مكررًا
 DocType: Item Attribute,Item Attribute Values,قيم سمة العنصر
 DocType: Examination Result,Examination Result,نتيجة الامتحان
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,إيصال استلام مشتريات
@@ -1776,6 +1800,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,تزامن غير متصل الفواتير
 DocType: Payment Request,Paid,مدفوع
 DocType: Service Level,Default Priority,الأولوية الافتراضية
+DocType: Pledge,Pledge,التعهد
 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.","استبدال قائمة مواد معينة في جميع قوائم المواد الأخرى حيث يتم استخدامها. وسوف تحل محل  قائمة المواد القديمة، تحديث التكلفة وتجديد ""قائمة المواد التي تحتوي بنود مفصصه"" الجدول وفقا لقائمة المواد جديد"
@@ -1789,6 +1814,7 @@
 DocType: Guardian,Guardian Name,اسم ولي الأمر
 DocType: Cheque Print Template,Has Print Format,لديها تنسيق طباعة
 DocType: Support Settings,Get Started Sections,تبدأ الأقسام
+,Loan Repayment and Closure,سداد القرض وإغلاقه
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,تقرها
 ,Base Amount,كمية أساسية
@@ -1799,10 +1825,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,من المكان
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},لا يمكن أن يكون مبلغ القرض أكبر من {0}
 DocType: Student Admission,Publish on website,نشر على الموقع الإلكتروني
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,المورد تاريخ الفاتورة لا يمكن أن يكون أكبر من تاريخ النشر
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,كود الصنف&gt; مجموعة الصنف&gt; العلامة التجارية
 DocType: Subscription,Cancelation Date,تاريخ الإلغاء
 DocType: Purchase Invoice Item,Purchase Order Item,صنف امر الشراء
 DocType: Agriculture Task,Agriculture Task,مهمة زراعية
@@ -1821,7 +1847,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,نسبة خصم إضافي
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,عرض قائمة من جميع ملفات الفيديو مساعدة
 DocType: Agriculture Analysis Criteria,Soil Texture,قوام التربة
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,حدد رئيس حساب في البنك حيث أودع الاختيار.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,تسمح للمستخدم لتحرير الأسعار قائمة قيم في المعاملات
 DocType: Pricing Rule,Max Qty,أعلى الكمية
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,طباعة بطاقة التقرير
@@ -1953,7 +1978,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",بمجرد تعيينها ، ستكون هذه الفاتورة قيد الانتظار حتى التاريخ المحدد
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,كمية البيع
-DocType: Repayment Schedule,Interest Amount,مبلغ الفائدة
+DocType: Loan Interest Accrual,Interest Amount,مبلغ الفائدة
 DocType: Job Card,Time Logs,سجلات الوقت
 DocType: Sales Invoice,Loyalty Amount,مبلغ الولاء
 DocType: Employee Transfer,Employee Transfer Detail,نقل موظف التفاصيل
@@ -1968,6 +1993,7 @@
 DocType: Cashier Closing,Returns,عائدات
 DocType: Job Card,WIP Warehouse,مستودع WIP
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},الرقم التسلسلي {0} تحت عقد الصيانة حتى {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},تم تجاوز حد المبلغ المعتمد لـ {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,التوظيف
 DocType: Lead,Organization Name,اسم المنظمة
 DocType: Support Settings,Show Latest Forum Posts,إظهار أحدث مشاركات المنتدى
@@ -1994,7 +2020,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,أوامر الشراء البنود المتأخرة
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,الرمز البريدي
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},طلب المبيعات {0} هو {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},اختر حساب دخل الفائدة في القرض {0}
 DocType: Opportunity,Contact Info,معلومات الاتصال
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,إنشاء إدخالات مخزون
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,لا يمكن ترقية موظف بحالة مغادرة
@@ -2078,7 +2103,6 @@
 DocType: Salary Slip,Deductions,استقطاعات
 DocType: Setup Progress Action,Action Name,اسم الإجراء
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,بداية السنة
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,إنشاء قرض
 DocType: Purchase Invoice,Start date of current invoice's period,تاريخ بدء فترة الفاتورة الحالية
 DocType: Shift Type,Process Attendance After,عملية الحضور بعد
 ,IRS 1099,مصلحة الضرائب 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,حدد النطاقات الخاصة بك
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify المورد
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,بنود دفع الفواتير
+DocType: Repayment Schedule,Is Accrued,المستحقة
 DocType: Payroll Entry,Employee Details,موظف تفاصيل
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,معالجة ملفات XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,دخول نقطة الولاء
 DocType: Employee Checkin,Shift End,التحول نهاية
 DocType: Stock Settings,Default Item Group,المجموعة الافتراضية للمواد
+DocType: Loan,Partially Disbursed,صرف جزئ
 DocType: Job Card Time Log,Time In Mins,الوقت في دقيقة
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,منح المعلومات.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,سيؤدي هذا الإجراء إلى إلغاء ربط هذا الحساب بأي خدمة خارجية تدمج ERPNext مع حساباتك المصرفية. لا يمكن التراجع. هل أنت متأكد؟
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,لا يمكن إدخال البند نفسه عدة مرات.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",يمكن إنشاء المزيد من الحسابات تحت المجموعة، لكن إدخالات القيود يمكن ان تكون فقط مقابل  حسابات فردية و ليست مجموعة
+DocType: Loan Repayment,Loan Closure,إغلاق القرض
 DocType: Call Log,Lead,زبون محتمل
 DocType: Email Digest,Payables,الواجب دفعها (دائنة)
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2177,6 +2204,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,لا يمكن إنشاء الفاتورة الإلكترونية JSON إلا من وثيقة مقدمة
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ضريبة الموظف وفوائده
 DocType: Bank Guarantee,Validity in Days,الصلاحية في أيام
+DocType: Unpledge,Haircut,حلاقة شعر
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-النموذج لا ينطبق على الفاتورة: {0}
 DocType: Certified Consultant,Name of Consultant,اسم المستشار
 DocType: Payment Reconciliation,Unreconciled Payment Details,لم تتم تسويتها تفاصيل الدفع
@@ -2229,7 +2257,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,بقية العالم
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,العنصر {0} لا يمكن أن يكون دفعة
 DocType: Crop,Yield UOM,العائد أوم
+DocType: Loan Security Pledge,Partially Pledged,تعهد جزئي
 ,Budget Variance Report,تقرير إنحرافات الموازنة
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,مبلغ القرض المحكوم عليه
 DocType: Salary Slip,Gross Pay,إجمالي الأجور
 DocType: Item,Is Item from Hub,هو البند من المحور
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,احصل على عناصر من خدمات الرعاية الصحية
@@ -2264,6 +2294,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,إجراءات الجودة الجديدة
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},رصيد الحساب لـ {0} يجب ان يكون دائما {1}
 DocType: Patient Appointment,More Info,المزيد من المعلومات
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,لا يمكن أن يكون تاريخ الميلاد أكبر من تاريخ الانضمام.
 DocType: Supplier Scorecard,Scorecard Actions,إجراءات بطاقة الأداء
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},المورد {0} غير موجود في {1}
 DocType: Purchase Invoice,Rejected Warehouse,رفض مستودع
@@ -2360,6 +2391,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,يرجى تعيين رمز العنصر أولا
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,نوع الوثيقة
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},تعهد ضمان القرض: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,المواعيد ومواجهات المرضى
@@ -2415,6 +2447,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,عدد المواعيد المتزامنة
 apps/erpnext/erpnext/config/desktop.py,Getting Started,ابدء
 DocType: Purchase Invoice,Taxes and Charges Calculation,حساب الضرائب والرسوم
+DocType: Loan Interest Accrual,Payable Principal Amount,المبلغ الرئيسي المستحق
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,كتاب اهلاك الأُصُول المدخلة تلقائيا
 DocType: BOM Operation,Workstation,محطة العمل
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,طلب تسعيرة مزود
@@ -2451,7 +2484,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,طعام
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,مدى العمر 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,تفاصيل قيد إغلاق نقطة البيع
-DocType: Bank Account,Is the Default Account,هو الحساب الافتراضي
 DocType: Shopify Log,Shopify Log,سجل Shopify
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,لا يوجد اتصال.
 DocType: Inpatient Occupancy,Check In,تحقق في
@@ -2509,12 +2541,14 @@
 DocType: Sales Order Item,Planned Quantity,المخطط الكمية
 DocType: Water Analysis,Water Analysis Criteria,معايير تحليل المياه
 DocType: Item,Maintain Stock,منتج يخزن
+DocType: Loan Security Unpledge,Unpledge Time,الوقت unpledge
 DocType: Terms and Conditions,Applicable Modules,وحدات قابلة للتطبيق
 DocType: Employee,Prefered Email,البريد الإلكتروني المفضل
 DocType: Student Admission,Eligibility and Details,الأهلية والتفاصيل
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,المدرجة في الربح الإجمالي
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,صافي التغير في الأصول الثابتة
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,الكمية المقسمة
+DocType: Work Order,This is a location where final product stored.,هذا هو المكان الذي يتم فيه تخزين المنتج النهائي.
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,الرسوم من النوع (فعلي) في الصف {0} لا يمكن تضمينها في سعر البند
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},الحد الأقصى: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,من (التاريخ والوقت)
@@ -2555,8 +2589,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,الضمان / AMC الحالة
 ,Accounts Browser,متصفح الحسابات
 DocType: Procedure Prescription,Referral,إحالة
+,Territory-wise Sales,المبيعات الحكيمة
 DocType: Payment Entry Reference,Payment Entry Reference,دفع الدخول المرجعي
 DocType: GL Entry,GL Entry,GL الدخول
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,الصف # {0}: لا يمكن أن يكون المستودع المقبوض ومستودع الموردين متماثلين
 DocType: Support Search Source,Response Options,خيارات الاستجابة
 DocType: Pricing Rule,Apply Multiple Pricing Rules,تطبيق قواعد التسعير متعددة
 DocType: HR Settings,Employee Settings,إعدادات الموظف
@@ -2617,6 +2653,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,قد يكون مصطلح الدفع في الصف {0} مكررا.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),الزراعة (تجريبي)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,قائمة بمحتويات الشحنة
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد&gt; الإعدادات&gt; سلسلة التسمية
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,ايجار مكتب
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,إعدادات العبارة  SMS
 DocType: Disease,Common Name,اسم شائع
@@ -2633,6 +2670,7 @@
 DocType: Item,Sales Details,تفاصيل المبيعات
 DocType: Coupon Code,Used,مستخدم
 DocType: Opportunity,With Items,مع الأصناف
+DocType: Vehicle Log,last Odometer Value ,قيمة عداد المسافات الأخيرة
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',الحملة &#39;{0}&#39; موجودة بالفعل لـ {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,فريق الصيانة
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",الترتيب الذي يجب أن تظهر الأقسام. 0 هي الأولى ، 1 الثانية وما إلى ذلك.
@@ -2643,7 +2681,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,المطالبة بالنفقات {0} بالفعل موجوده في سجل المركبة
 DocType: Asset Movement Item,Source Location,موقع المصدر
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,اسم المؤسسة
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,الرجاء إدخال قيمة السداد
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,الرجاء إدخال قيمة السداد
 DocType: Shift Type,Working Hours Threshold for Absent,ساعات العمل عتبة الغياب
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,يمكن أن يكون هناك عامل جمع متعدد الطبقات يعتمد على إجمالي الإنفاق. ولكن سيكون عامل التحويل لاسترداد القيمة هو نفسه دائمًا لجميع المستويات.
 apps/erpnext/erpnext/config/help.py,Item Variants,متغيرات الصنف
@@ -2667,6 +2705,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},هذا {0} يتعارض مع {1} عن {2} {3}
 DocType: Student Attendance Tool,Students HTML,طلاب HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} يجب أن يكون أقل من {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,يرجى اختيار نوع مقدم الطلب أولاً
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse",اختر قائمة المواد، الكمية، وإلى المخزن
 DocType: GST HSN Code,GST HSN Code,غست هسن كود
 DocType: Employee External Work History,Total Experience,مجموع الخبرة
@@ -2757,7 +2796,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",لم يتم العثور على BOM نشط للعنصر {0}. التسليم عن طريق \ Serial لا يمكن ضمانه
 DocType: Sales Partner,Sales Partner Target,المبلغ المطلوب للمندوب
-DocType: Loan Type,Maximum Loan Amount,أعلى قيمة للقرض
+DocType: Loan Application,Maximum Loan Amount,أعلى قيمة للقرض
 DocType: Coupon Code,Pricing Rule,قاعدة التسعير
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},رقم لفة مكرر للطالب {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Material Request to Purchase Order
@@ -2780,6 +2819,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},الاجازات خصصت بنجاح ل {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,لا توجد عناصر لحزمة
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,فقط ملفات .csv و .xlsx مدعومة حاليًا
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية&gt; إعدادات الموارد البشرية
 DocType: Shipping Rule Condition,From Value,من القيمة
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,تصنيع الكمية إلزامي
 DocType: Loan,Repayment Method,طريقة السداد
@@ -2863,6 +2903,7 @@
 DocType: Customer,Customer POS Id,الرقم التعريفي لنقاط البيع للعملاء
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,الطالب مع البريد الإلكتروني {0} غير موجود
 DocType: Account,Account Name,اسم الحساب
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},مبلغ القرض المعتمد موجود بالفعل لـ {0} ضد الشركة {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,(من تاريخ) لا يمكن أن يكون أكبر (الي التاريخ)
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,المسلسل لا {0} كمية {1} لا يمكن أن يكون جزء
 DocType: Pricing Rule,Apply Discount on Rate,تطبيق الخصم على السعر
@@ -2934,6 +2975,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,صافي الربح
 DocType: Purchase Invoice,Eligibility For ITC,الأهلية لمركز التجارة الدولية
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,نوع الدخول
 ,Customer Credit Balance,رصيد العميل
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,صافي التغير في الحسابات الدائنة
@@ -2945,6 +2987,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),معرف جهاز الحضور (معرف بطاقة الهوية / RF)
 DocType: Quotation,Term Details,تفاصيل الشروط
 DocType: Item,Over Delivery/Receipt Allowance (%),زيادة التسليم / بدل الاستلام (٪)
+DocType: Appointment Letter,Appointment Letter Template,قالب رسالة التعيين
 DocType: Employee Incentive,Employee Incentive,حافز الموظف
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,لا يمكن تسجيل أكثر من {0} طلاب لمجموعة الطلاب هذه.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),الإجمالي (بدون ضريبة)
@@ -2967,6 +3010,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",لا يمكن ضمان التسليم بواسطة Serial No كـ \ Item {0} يضاف مع وبدون ضمان التسليم بواسطة \ Serial No.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,إلغاء ربط الدفع على إلغاء الفاتورة
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,استحقاق الفائدة من قرض العملية
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ينبغي أن تكون القراءة الحالية لعداد المسافات اكبر من القراءة السابقة لعداد المسافات للمركبة {0}
 ,Purchase Order Items To Be Received or Billed,بنود أمر الشراء المطلوب استلامها أو تحرير فواتيرها
 DocType: Restaurant Reservation,No Show,لا إظهار
@@ -3053,6 +3097,7 @@
 يرجى إعداد مركز تكلفة افتراضي للشركة."
 DocType: Payment Schedule,Payment Term,مصطلح الدفع
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,يوجد تصنيف مجموعة زبائن بنفس الاسم يرجى تغيير اسم الزبون أو إعادة تسمية مجموعة الزبائن
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,يجب أن يكون تاريخ انتهاء القبول أكبر من تاريخ بدء القبول.
 DocType: Location,Area,منطقة
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,جهة اتصال جديدة
 DocType: Company,Company Description,وصف الشركة
@@ -3127,6 +3172,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,البيانات المعينة
 DocType: Purchase Order Item,Warehouse and Reference,مستودع والمراجع
 DocType: Payroll Period Date,Payroll Period Date,جدول الرواتب الفترة التاريخ
+DocType: Loan Disbursement,Against Loan,ضد القرض
 DocType: Supplier,Statutory info and other general information about your Supplier,معلومات قانونية ومعلومات عامة أخرى عن بريدا
 DocType: Item,Serial Nos and Batches,الرقم التسلسلي ودفعات
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,قوة الطالب
@@ -3193,6 +3239,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,اختر شركة
 DocType: Delivery Settings,Delivery Settings,إعدادات التسليم
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ابحث عن المعلومة
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},لا يمكن إلغاء ضغط أكثر من {0} الكمية من {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},الحد الأقصى للإجازة المسموح بها في نوع الإجازة {0} هو {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,نشر عنصر واحد
 DocType: SMS Center,Create Receiver List,إنشاء قائمة استقبال
@@ -3340,6 +3387,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),المبلغ الأساسي (عملة الشركة )
 DocType: Purchase Invoice,Registered Regular,مسجل منتظم
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,مواد أولية
+DocType: Plaid Settings,sandbox,رمل
 DocType: Payment Reconciliation Payment,Reference Row,إشارة الصف
 DocType: Installation Note,Installation Time,تثبيت الزمن
 DocType: Sales Invoice,Accounting Details,تفاصيل المحاسبة
@@ -3352,12 +3400,11 @@
 DocType: Leave Ledger Entry,Transaction Type,نوع المعاملة
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,معايير القبول
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,الرجاء إدخال طلبات المواد في الجدول أعلاه
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,المبلغ الكلي المستحق
 DocType: Task,Expected Time (in hours),الوقت المتوقع (بالساعات)
 DocType: Item Reorder,Check in (group),تحقق في (مجموعة)
 DocType: Soil Texture,Silt,طمي
@@ -3388,6 +3435,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,خصم الضريبة للحصول على إعفاء من الضرائب غير معتمد
 DocType: Volunteer,Anytime,في أي وقت
 DocType: Bank Account,Bank Account No,رقم الحساب البنكي
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,الصرف والسداد
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,إقرار الإعفاء من ضريبة الموظف
 DocType: Patient,Surgical History,التاريخ الجراحي
 DocType: Bank Statement Settings Item,Mapped Header,رأس المعين
@@ -3451,6 +3499,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,قم بإنشاء اختبار (اختبارات) معملية في إرسال فاتورة المبيعات
 DocType: Serial No,Invoice Details,تفاصيل الفاتورة
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,يجب تقديم هيكل الرواتب قبل تقديم بيان الإعفاء الضريبي
+DocType: Loan Application,Proposed Pledges,التعهدات المقترحة
 DocType: Grant Application,Show on Website,عرض على الموقع
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,ابدأ
 DocType: Hub Tracked Item,Hub Category,فئة المحور
@@ -3462,7 +3511,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,المورد بطاقة الأداء الدائمة
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},صف {0}: من مواد مشروع القانون لم يتم العثور على هذا البند {1}
 DocType: Contract Fulfilment Checklist,Requirement,المتطلبات
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية&gt; إعدادات الموارد البشرية
 DocType: Journal Entry,Accounts Receivable,حسابات القبض
 DocType: Quality Goal,Objectives,الأهداف
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,الدور المسموح به لإنشاء تطبيق إجازة Backdated
@@ -3475,6 +3523,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,تضمن القيود التي تم تسويتها
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,إجمالي المبلغ المخصص ({0}) أكبر من المبلغ المدفوع ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,توزيع الرسوم بناء على
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},لا يمكن أن يكون المبلغ المدفوع أقل من {0}
 DocType: Projects Settings,Timesheets,الجداول الزمنية
 DocType: HR Settings,HR Settings,إعدادات الموارد البشرية
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,الماجستير المحاسبة
@@ -3620,6 +3669,7 @@
 DocType: Employee,Health Insurance,تأمين صحي
 DocType: Asset Repair,Manufacturing Manager,مدير التصنيع
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},الرقم التسلسلي  {0} تحت الضمان حتى {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,يتجاوز مبلغ القرض الحد الأقصى لمبلغ القرض {0} وفقًا للأوراق المالية المقترحة
 DocType: Plant Analysis Criteria,Minimum Permissible Value,الحد الأدنى للقيمة المسموح بها
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,المستخدم {0} موجود بالفعل
 apps/erpnext/erpnext/hooks.py,Shipments,شحنات
@@ -3663,7 +3713,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,نوع من الاعمال
 DocType: Sales Invoice,Consumer,مستهلك
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",الرجاء تحديد القيمة المخصصة و نوع الفاتورة ورقم الفاتورة على الأقل  في صف واحد
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد&gt; الإعدادات&gt; سلسلة التسمية
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,تكلفة الشراء الجديد
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},اوامر البيع المطلوبة القطعة ل {0}
 DocType: Grant Application,Grant Description,وصف المنحة
@@ -3672,6 +3721,7 @@
 DocType: Subscription,Discounts,الخصومات
 DocType: Bank Transaction,Unallocated Amount,المبلغ غير المخصصة
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,يرجى تمكين Applicable على أمر الشراء والتطبيق على المصروفات الفعلية للحجز
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} ليس حسابًا مصرفيًا للشركة
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,لا يمكن العثور على بند مطابق. يرجى اختيار قيمة أخرى ل {0}.
 DocType: POS Profile,Taxes and Charges,الضرائب والرسوم
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",منتج أو خدمة تم شراؤها أو بيعها أو حفظها في المخزون.
@@ -3720,6 +3770,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,يجب أن يكون صالحًا من تاريخ أقل من تاريخ صالحة صالح.
 DocType: Employee Skill,Evaluation Date,تاريخ التقييم
 DocType: Quotation Item,Stock Balance,رصيد المخزون
+DocType: Loan Security Pledge,Total Security Value,إجمالي قيمة الأمن
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ترتيب مبيعات لدفع
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,المدير التنفيذي
 DocType: Purchase Invoice,With Payment of Tax,مع دفع الضرائب
@@ -3732,6 +3783,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,يرجى اختيارالحساب الصحيح
 DocType: Salary Structure Assignment,Salary Structure Assignment,تعيين هيكل الراتب
 DocType: Purchase Invoice Item,Weight UOM,وحدة قياس الوزن
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},الحساب {0} غير موجود في مخطط لوحة المعلومات {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,قائمة المساهمين المتاحين بأرقام الأوراق
 DocType: Salary Structure Employee,Salary Structure Employee,موظف هيكل الراتب
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,عرض سمات متغير
@@ -3813,6 +3865,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,معدل التقييم الحالي
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,لا يمكن أن يكون عدد حسابات الجذر أقل من 4
 DocType: Training Event,Advance,مقدما
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,ضد القرض:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,إعدادات بوابة الدفع GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,أرباح / خسائر الناتجة عن صرف العملة
 DocType: Opportunity,Lost Reason,فقد السبب
@@ -3896,8 +3949,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,حدد الدفعة رقم
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},غير صالح {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,الصف {0}: لا يمكن أن يكون تاريخ ميلاد الأخوة أكبر من اليوم.
 DocType: Fee Validity,Reference Inv,ريفيرانس إنف
 DocType: Sales Invoice Advance,Advance Amount,المبلغ مقدما
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,عقوبة سعر الفائدة (٪) في اليوم الواحد
 DocType: Manufacturing Settings,Capacity Planning,القدرة على التخطيط
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,تعديل التقريب (عملة الشركة
 DocType: Asset,Policy number,رقم مركز الشرطه
@@ -3913,7 +3968,9 @@
 DocType: Normal Test Items,Require Result Value,تتطلب قيمة النتيجة
 DocType: Purchase Invoice,Pricing Rules,قواعد التسعير
 DocType: Item,Show a slideshow at the top of the page,تظهر الشرائح في أعلى الصفحة
+DocType: Appointment Letter,Body,الجسم
 DocType: Tax Withholding Rate,Tax Withholding Rate,سعر الخصم الضريبي
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,تاريخ بدء السداد إلزامي للقروض لأجل
 DocType: Pricing Rule,Max Amt,ماكس امت
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,قوائم المواد
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,مخازن
@@ -3933,7 +3990,7 @@
 DocType: Call Log,Received By,استلمت من قبل
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),مدة التعيين (بالدقائق)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,تفاصيل نموذج رسم التدفق النقدي
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,إدارة القروض
+DocType: Loan,Loan Management,إدارة القروض
 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,Update Cost,تحديث التكلفة
@@ -3941,6 +3998,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-نموذج
 DocType: Sales Invoice,Mode of Transport,وسيلة تنقل
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,عرض كشف الراتب
+DocType: Loan,Is Term Loan,هو قرض لأجل
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,نقل المواد
 DocType: Fees,Send Payment Request,إرسال طلب الدفع
 DocType: Travel Request,Any other details,أي تفاصيل أخرى
@@ -3958,6 +4016,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,التدفق النقدي من التمويل
 DocType: Budget Account,Budget Account,حساب الميزانية
 DocType: Quality Inspection,Verified By,التحقق من
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,إضافة قرض الضمان
 DocType: Travel Request,Name of Organizer,اسم المنظم
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,هي مسؤولية ضريبة الدخل
@@ -4008,6 +4067,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,مطلوب في
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",إذا تم تحديده ، يقوم بإخفاء وتعطيل حقل Rounded Total في قسائم الرواتب
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,هذا هو الإزاحة الافتراضية (أيام) لتاريخ التسليم في أوامر المبيعات. الإزاحة الاحتياطية هي 7 أيام من تاريخ وضع الطلب.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد&gt; سلسلة الترقيم
 DocType: Rename Tool,File to Rename,إعادة تسمية الملف
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},الرجاء تحديد قائمة المواد للبند في الصف {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,جلب تحديثات الاشتراك
@@ -4020,6 +4080,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,الأرقام التسلسلية التي تم إنشاؤها
 DocType: POS Profile,Applicable for Users,ينطبق على المستخدمين
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,من تاريخ وتاريخ إلزامي
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,عيّن Project وجميع المهام إلى الحالة {0}؟
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),تعيين السلف والتخصيص (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,لم يتم إنشاء أوامر العمل
@@ -4029,6 +4090,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,البنود من قبل
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,تكلفة البنود التي تم شراؤها
 DocType: Employee Separation,Employee Separation Template,قالب فصل الموظفين
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},صفر الكمية من {0} مرهونة مقابل القرض {0}
 DocType: Selling Settings,Sales Order Required,طلب المبيعات مطلوبة
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,كن بائعًا
 ,Procurement Tracker,المقتفي المشتريات
@@ -4126,11 +4188,12 @@
 ,Minutes to First Response for Opportunity,دقائق إلى الاستجابة الأولى للفرص
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,إجمالي الغياب
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,الصنف أو المستودع للصف {0} لا يطابق طلب المواد
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,المبلغ المستحق
+DocType: Loan Repayment,Payable Amount,المبلغ المستحق
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,فرصة
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,أقصى قوة لا يمكن أن يكون أقل من الصفر.
 DocType: Options,Option,اختيار
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},لا يمكنك تكوين ادخالات محاسبة في فترة المحاسبة المغلقة {0}
 DocType: Operation,Default Workstation,محطة العمل الافتراضية
@@ -4172,6 +4235,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,مبلغ الفائدة إلزامي
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,الإجازة بدون راتب لا تتطابق مع سجلات (طلب الإجازة) الموافق عليها
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,الخطوات القادمة
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,العناصر المحفوظة
@@ -4242,8 +4306,6 @@
 DocType: Grant Application,Grant Application Details ,تفاصيل طلب المنح
 DocType: Employee Separation,Employee Separation,فصل الموظف
 DocType: BOM Item,Original Item,البند الأصلي
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","يرجى حذف الموظف <a href=""#Form/Employee/{0}"">{0}</a> \ لإلغاء هذا المستند"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,وثيقة التاريخ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},سجلات الرسوم  تم انشاؤها - {0}
 DocType: Asset Category Account,Asset Category Account,حساب فئة الأصول
@@ -4279,6 +4341,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,عنصر الاختبار المعملي {0} موجود بالفعل
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} عطلة للشركة
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ساعات للفوترة
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,يتم فرض معدل الفائدة الجزائية على مبلغ الفائدة المعلق على أساس يومي في حالة التأخر في السداد
+DocType: Appointment Letter content,Appointment Letter content,محتوى رسالة التعيين
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ترك إخطار الحالة
 DocType: Patient Appointment,Procedure Prescription,وصفة الإجراء
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,أثاث وتركيبات
@@ -4298,7 +4362,7 @@
 DocType: Opportunity,Customer / Lead Name,العميل/ اسم العميل المحتمل
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,لم يتم ذكر تاريخ الاستحقاق
 DocType: Payroll Period,Taxable Salary Slabs,بلاطات الراتب الخاضعة للضريبة
-DocType: Job Card,Production,الإنتاج
+DocType: Plaid Settings,Production,الإنتاج
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN غير صالح! لا يتطابق الإدخال الذي أدخلته مع تنسيق GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,قيمة الحساب
 DocType: Guardian,Occupation,الاحتلال
@@ -4442,6 +4506,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,مجموعة برامج الولاء
 DocType: Stock Entry Detail,Subcontracted Item,البند من الباطن
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},الطالب {0} لا ينتمي إلى المجموعة {1}
+DocType: Appointment Letter,Appointment Date,تاريخ الموعد
 DocType: Budget,Cost Center,مركز التكلفة
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,سند #
 DocType: Tax Rule,Shipping Country,دولة الشحن
@@ -4512,6 +4577,7 @@
 DocType: Accounting Dimension,Accounting Dimension,البعد المحاسبي
 ,Profit and Loss Statement,الأرباح والخسائر
 DocType: Bank Reconciliation Detail,Cheque Number,رقم الشيك
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,لا يمكن أن يكون المبلغ المدفوع صفرًا
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,العنصر الذي تمت الإشارة إليه بواسطة {0} - {1} تم تحرير فاتورة به بالفعل
 ,Sales Browser,تصفح المبيعات
 DocType: Journal Entry,Total Credit,إجمالي الائتمان
@@ -4628,6 +4694,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,إضافة / تحرير شروط القسيمة
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,حساب نفقات / قروق ({0}) يجب ان يكون حساب ارباح و خسائر
 DocType: Stock Entry Detail,Stock Entry Child,الأسهم دخول الطفل
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,يجب أن تكون شركة تعهد قرض التأمين وشركة القرض هي نفسها
 DocType: Project,Copied From,تم نسخها من
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,الفاتورة التي تم إنشاؤها بالفعل لجميع ساعات الفوترة
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},اسم الخطأ: {0}
@@ -4635,6 +4702,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,تكلفة التمويل
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,تم وضع علامة حضور للموظف {0} بالفعل
 DocType: Packing Slip,If more than one package of the same type (for print),إذا كان أكثر من حزمة واحدة من نفس النوع (للطباعة)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم&gt; إعدادات التعليم
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,يرجى تعيين العملاء الافتراضي في إعدادات المطعم
 ,Salary Register,راتب التسجيل
 DocType: Company,Default warehouse for Sales Return,المستودع الافتراضي لعائد المبيعات
@@ -4679,7 +4747,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,الرقم التسلسلي الحالي
 DocType: Employee,Attendance and Leave Details,تفاصيل الحضور والإجازة
 ,BOM Comparison Tool,أداة مقارنة BOM
-,Requested,طلب
+DocType: Loan Security Pledge,Requested,طلب
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4691,7 +4759,6 @@
 DocType: Drug Prescription,Drug Prescription,وصفة الدواء
 DocType: Service Level,Support and Resolution,الدعم والقرار
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,لم يتم تحديد رمز العنصر المجاني
-DocType: Loan,Repaid/Closed,سداد / مغلق
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,توقعات مجموع الكمية
 DocType: Monthly Distribution,Distribution Name,توزيع الاسم
@@ -4725,6 +4792,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,القيود المحاسبية للمخزون
 DocType: Lab Test,LabTest Approver,لابتيست أبروفر
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,لقد سبق أن قيمت معايير التقييم {}.
+DocType: Loan Security Shortfall,Shortfall Amount,عجز المبلغ
 DocType: Vehicle Service,Engine Oil,زيت المحرك
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},أوامر العمل التي تم إنشاؤها: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},يرجى تعيين معرف بريد إلكتروني لل Lead {0}
@@ -4743,6 +4811,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},لم يتم تعيين الحساب لمخطط لوحة المعلومات {0}
 DocType: Purchase Invoice,Apply Additional Discount On,تطبيق خصم إضافي على
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,اختر صنف...
+DocType: Loan Interest Accrual,Amounts,مبالغ
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,تذاكرك
 DocType: Account,Root Type,نوع الجذر
 DocType: Item,FIFO,FIFO
@@ -4750,6 +4819,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},الصف # {0}: لا يمكن الارجاع أكثر من {1} للبند {2}
 DocType: Item Group,Show this slideshow at the top of the page,تظهر هذه الشرائح في أعلى الصفحة
 DocType: BOM,Item UOM,وحدة قياس الصنف
+DocType: Loan Security Price,Loan Security Price,سعر ضمان القرض
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),مبلغ الضريبة بعد خصم مبلغ (شركة العملات)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},المستودع المستهدف إلزامي لصف {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,عمليات بيع المفرق
@@ -4888,6 +4958,7 @@
 DocType: Coupon Code,Coupon Description,وصف القسيمة
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},الدفعة إلزامية على التوالي {0}
 DocType: Company,Default Buying Terms,شروط الشراء الافتراضية
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,صرف قرض
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,شراء السلعة استلام الموردة
 DocType: Amazon MWS Settings,Enable Scheduled Synch,تمكين التزامن المجدولة
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,إلى التاريخ والوقت
@@ -4916,6 +4987,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},أدخل القيمة betweeen {0} و {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,أدخل اسم الحملة إذا كان مصدر من التحقيق هو حملة
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,ناشر الصحف
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},لم يتم العثور على <b>سعر ضمان قرض</b> صالح لـ {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,التواريخ المستقبلية غير مسموح بها
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,يجب أن يكون تاريخ التسليم المتوقع بعد تاريخ أمر المبيعات
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,مستوى اعادة الطلب
@@ -4982,6 +5054,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,اقتراح / سعر الاقتباس
 DocType: Antibiotic,Healthcare,الرعاىة الصحية
 DocType: Target Detail,Target Detail,تفاصل الهدف
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,عمليات القرض
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,متغير واحد
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,جميع الوظائف
 DocType: Sales Order,% of materials billed against this Sales Order,٪ من المواد فوترت مقابل أمر المبيعات
@@ -5044,7 +5117,7 @@
 DocType: Item,Reorder level based on Warehouse,مستوى إعادة الطلب بناء على مستودع
 DocType: Activity Cost,Billing Rate,سعر الفوترة
 ,Qty to Deliver,الكمية للتسليم
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,إنشاء إدخال الصرف
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,إنشاء إدخال الصرف
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ستعمل Amazon على مزامنة البيانات التي تم تحديثها بعد هذا التاريخ
 ,Stock Analytics,تحليلات المخزون
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,لا يمكن ترك (العمليات) فارغة
@@ -5078,6 +5151,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,إلغاء ربط التكامل الخارجي
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,اختيار الدفع المقابل
 DocType: Pricing Rule,Item Code,كود البند
+DocType: Loan Disbursement,Pending Amount For Disbursal,في انتظار المبلغ للصرف
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,الضمان / AMC تفاصيل
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,حدد الطلاب يدويا لمجموعة الأنشطة القائمة
@@ -5101,6 +5175,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,الكمية المجموع
 DocType: Landed Cost Item,Receipt Document,وثيقة استلام
 DocType: Employee Education,School/University,مدرسة / جامعة
+DocType: Loan Security Pledge,Loan  Details,تفاصيل القرض
 DocType: Sales Invoice Item,Available Qty at Warehouse,الكمية المتاحة في مستودع
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,القيمة المقدم فاتورة بها
 DocType: Share Transfer,(including),(تتضمن)
@@ -5124,6 +5199,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,مجموعات
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,مجموعة بواسطة حساب
 DocType: Purchase Invoice,Hold Invoice,عقد الفاتورة
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,حالة التعهد
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,يرجى تحديد موظف
 DocType: Sales Order,Fully Delivered,سلمت بالكامل
 DocType: Promotional Scheme Price Discount,Min Amount,الحد الأدنى للمبلغ
@@ -5133,7 +5209,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},المبلغ المصروف لا يمكن أن يكون أكبر من قيمة القرض {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},الصف {0} # المبلغ المخصص {1} لا يمكن أن يكون أكبر من المبلغ غير المطالب به {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},مطلوب رقم امر الشراء للصنف {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,تحمل أوراق واحال
@@ -5161,6 +5236,7 @@
 DocType: Pick List Item,Serial No and Batch,رقم المسلسل و الدفعة
 DocType: Warranty Claim,From Company,من شركة
 DocType: GSTR 3B Report,January,كانون الثاني
+DocType: Loan Repayment,Principal Amount Paid,المبلغ الرئيسي المدفوع
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع العشرات من معايير التقييم يجب أن يكون {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,الرجاء تعيين عدد الاهلاكات المستنفده مسبقا
 DocType: Supplier Scorecard Period,Calculations,العمليات الحسابية
@@ -5186,6 +5262,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,عن شركتك
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,عرض البيانات شيخوخة الأسهم
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,دائن الى حساب يجب أن يكون من حسابات قائمة المركز المالي
+DocType: Loan Repayment,Penalty Amount,مبلغ العقوبة
 DocType: Donor,Donor,الجهات المانحة
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,تحديث الضرائب للعناصر
 DocType: Global Defaults,Disable In Words,تعطيل خاصية التفقيط
@@ -5216,6 +5293,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,مركز التكلفة والميزانية
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,الرصيد الافتتاحي لحقوق الملكية
 DocType: Appointment,CRM,إدارة علاقات الزبائن
+DocType: Loan Repayment,Partial Paid Entry,دخول مدفوع جزئيًا
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,يرجى ضبط جدول الدفع
 DocType: Pick List,Items under this warehouse will be suggested,وسيتم اقتراح العناصر الموجودة تحت هذا المستودع
 DocType: Purchase Invoice,N,N
@@ -5249,7 +5327,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} لم يتم العثور على العنصر {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},يجب أن تكون القيمة بين {0} و {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,عرض الضريبة الشاملة في الطباعة
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",الحساب المصرفي، من تاريخ إلى تاريخ إلزامي
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,تم ارسال الرسالة
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,الحساب الذي لديه حسابات فرعية لا يمكن تعيينه كحساب استاذ
 DocType: C-Form,II,II
@@ -5263,6 +5340,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,تمكين إعادة الطلب التلقائي
 DocType: Stock Settings,Item Naming By,تسمية السلعة بواسطة
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},قيد إقفال فترة أخرى {0} تم إنشائها بعد {1}
+DocType: Proposed Pledge,Proposed Pledge,التعهد المقترح
 DocType: Work Order,Material Transferred for Manufacturing,المواد المنقولة لغرض التصنيع
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,الحساب {0} غير موجود
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,اختر برنامج الولاء
@@ -5273,7 +5351,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",وضع الأحداث إلى {0}، لأن الموظف المرفقة أدناه الأشخاص المبيعات لايوجد هوية المستخدم {1}
 DocType: Timesheet,Billing Details,تفاصيل الفاتورة
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ويجب أن تكون مصدر ومستودع الهدف مختلفة
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية&gt; إعدادات الموارد البشرية
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,عملية الدفع فشلت. يرجى التحقق من حسابك في GoCardless لمزيد من التفاصيل
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},لا يسمح لتحديث المعاملات المخزنية أقدم من {0}
 DocType: Stock Entry,Inspection Required,التفتيش مطلوب
@@ -5286,6 +5363,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,برنامج
+DocType: Unpledge,Against Pledge,ضد التعهد
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,يسمح للمستخدمين مع هذا الدور لضبط الحسابات المجمدة و إنشاء / تعديل القيود المحاسبية على حسابات مجمدة
 DocType: Plaid Settings,Plaid Environment,بيئة منقوشة
 ,Project Billing Summary,ملخص فواتير المشروع
@@ -5337,6 +5415,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,دفعات
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,عدد أيام يمكن حجز المواعيد مقدما
 DocType: Article,LMS User,LMS المستخدم
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,تعهد ضمان القرض إلزامي للحصول على قرض مضمون
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),مكان التوريد (الولاية / يو تي)
 DocType: Purchase Order Item Supplied,Stock UOM,وحدة قياس السهم
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,أمر الشراء {0} لم يتم تقديمه
@@ -5411,6 +5490,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,إنشاء بطاقة العمل
 DocType: Quotation,Referral Sales Partner,شريك مبيعات الإحالة
 DocType: Quality Procedure Process,Process Description,وصف العملية
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",لا يمكن إلغاء التحميل ، قيمة ضمان القرض أكبر من المبلغ المسدد
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,تم إنشاء العميل {0}.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,حاليا لا يوجد مخزون متاح في أي مستودع
 ,Payment Period Based On Invoice Date,طريقة الدفع بناء على تاريخ الفاتورة
@@ -5431,7 +5511,7 @@
 DocType: Asset,Insurance Details,تفاصيل التأمين
 DocType: Account,Payable,واجب الدفع
 DocType: Share Balance,Share Type,نوع المشاركة
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,الرجاء إدخال فترات السداد
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,الرجاء إدخال فترات السداد
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),المدينون ({0})
 DocType: Pricing Rule,Margin,هامش
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,العملاء الجدد
@@ -5440,6 +5520,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,الفرص من خلال المصدر الرئيسي
 DocType: Appraisal Goal,Weightage (%),الوزن(٪)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,تغيير الملف الشخصي بوس
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,الكمية أو المبلغ هو mandatroy لضمان القرض
 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,Assessment Report,تقرير التقييم
@@ -5475,6 +5556,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,مشاركة دفتر الأستاذ
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,تم إنشاء فاتورة المبيعات {0}
 DocType: Employee,Confirmation Date,تاريخ التأكيد
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","يرجى حذف الموظف <a href=""#Form/Employee/{0}"">{0}</a> \ لإلغاء هذا المستند"
 DocType: Inpatient Occupancy,Check Out,الدفع
 DocType: C-Form,Total Invoiced Amount,إجمالي مبلغ الفاتورة
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,الكمية الادنى لايمكن ان تكون اكبر من الكمية الاعلى
@@ -5488,7 +5571,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,معرّف شركة Quickbooks
 DocType: Travel Request,Travel Funding,تمويل السفر
 DocType: Employee Skill,Proficiency,مهارة
-DocType: Loan Application,Required by Date,مطلوب حسب التاريخ
 DocType: Purchase Invoice Item,Purchase Receipt Detail,شراء إيصال التفاصيل
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,رابط لجميع المواقع التي ينمو فيها المحصول
 DocType: Lead,Lead Owner,مالك الزبون المحتمل
@@ -5507,7 +5589,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,قائمة المواد الحالية و قائمة المواد الجديد لا يمكن أن تكون نفس بعضهما
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,هوية كشف الراتب
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,تاريخ التقاعد يجب أن يكون بعد تاريخ الالتحاق بالعمل
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,مورد&gt; نوع المورد
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,متغيرات متعددة
 DocType: Sales Invoice,Against Income Account,مقابل حساب الدخل
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ تم التسليم
@@ -5540,7 +5621,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,لا يمكن وضع علامة على رسوم التقييم على انها شاملة
 DocType: POS Profile,Update Stock,تحديث المخزون
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,تفاصيل الدفع
+DocType: Loan Repayment,Payment Details,تفاصيل الدفع
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,سعر قائمة المواد
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,قراءة ملف تم الرفع
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",لا يمكن إلغاء طلب العمل المتوقف ، قم بإلغاء إيقافه أولاً للإلغاء
@@ -5575,6 +5656,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},رقم الباتش إلزامي للصنف{0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,الحد الأقصى لقيمة القرض
 ,Stock Ledger,سجل المخزن
 DocType: Company,Exchange Gain / Loss Account,حساب الربح / الخسارة الناتتج عن الصرف
 DocType: Amazon MWS Settings,MWS Credentials,MWS بيانات الاعتماد
@@ -5582,6 +5664,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},يجب أن يكون هدف واحد من {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,املأ النموذج واحفظه
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,منتديات
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},لا أوراق مخصصة للموظف: {0} لنوع الإجازة: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,الكمية الفعلية في المخزون
 DocType: Homepage,"URL for ""All Products""","URL لـ ""جميع المنتجات"""
 DocType: Leave Application,Leave Balance Before Application,رصيد الاجازات قبل الطلب
@@ -5683,7 +5766,6 @@
 DocType: Fee Schedule,Fee Schedule,جدول التكاليف
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,تسميات الأعمدة:
 DocType: Bank Transaction,Settled,تسوية
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,لا يمكن أن يكون تاريخ الصرف بعد تاريخ بدء سداد القرض
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,سيس
 DocType: Quality Feedback,Parameters,المعلمات
 DocType: Company,Create Chart Of Accounts Based On,إنشاء دليل الحسابات استنادا إلى
@@ -5703,6 +5785,7 @@
 DocType: Customer,Credit Limit and Payment Terms,حدود الائتمان وشروط الدفع
 DocType: Loyalty Program,Collection Rules,قواعد الجمع
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,صنف رقم 3
+DocType: Loan Security Shortfall,Shortfall Time,وقت العجز
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ادخال الطلبية
 DocType: Purchase Order,Customer Contact Email,البريد الالكتروني للعميل
 DocType: Warranty Claim,Item and Warranty Details,البند والضمان تفاصيل
@@ -5722,12 +5805,14 @@
 DocType: Sales Person,Sales Person Name,اسم رجل المبيعات
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,الرجاء إدخال الاقل فاتورة 1 في الجدول
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,لم يتم إنشاء اختبار معمل
+DocType: Loan Security Shortfall,Security Value ,قيمة الأمن
 DocType: POS Item Group,Item Group,مجموعة الصنف
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,طالب المجموعة:
 DocType: Depreciation Schedule,Finance Book Id,رقم دفتر تمويل
 DocType: Item,Safety Stock,مخزون الأمان
 DocType: Healthcare Settings,Healthcare Settings,إعدادات الرعاية الصحية
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,مجموع الأوراق المخصصة
+DocType: Appointment Letter,Appointment Letter,رسالة موعد
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},إلى {0}
@@ -5782,6 +5867,7 @@
 DocType: Stock Entry,From BOM,من BOM
 DocType: Assessment Code,Assessment Code,كود التقييم
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,الأساسي
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,طلبات القروض من العملاء والموظفين.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,يتم تجميد المعاملات المخزنية قبل {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"الرجاء انقر على ""إنشاء الجدول الزمني"""
 DocType: Job Card,Current Time,الوقت الحالي
@@ -5808,7 +5894,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,منحة
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,لم يتم إنشاء مجموعات الطلاب.
 DocType: Purchase Invoice Item,Serial No,رقم المسلسل
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,قيمة السداد الشهري لا يمكن أن يكون أكبر من قيمة القرض
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,قيمة السداد الشهري لا يمكن أن يكون أكبر من قيمة القرض
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,الرجاء إدخال تفاصيل الصيانة أولا
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,الصف # {0}: تاريخ التسليم المتوقع لا يمكن أن يكون قبل تاريخ أمر الشراء
 DocType: Purchase Invoice,Print Language,لغة الطباعة
@@ -5822,6 +5908,7 @@
 DocType: Asset,Finance Books,كتب المالية
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,فئة الإعفاء من ضريبة الموظف
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,جميع الأقاليم
+DocType: Plaid Settings,development,تطوير
 DocType: Lost Reason Detail,Lost Reason Detail,تفاصيل السبب المفقود
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,يرجى وضع سياسة الإجازة للموظف {0} في سجل الموظف / الدرجة
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,طلب فارغ غير صالح للعميل والعنصر المحدد
@@ -5884,12 +5971,14 @@
 DocType: Staffing Plan Detail,Current Openings,الفتحات الحالية
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,التدفق النقدي من العمليات
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,مبلغ CGST
+DocType: Vehicle Log,Current Odometer value ,قيمة عداد المسافات الحالية
 apps/erpnext/erpnext/utilities/activation.py,Create Student,خلق طالب
 DocType: Asset Movement Item,Asset Movement Item,بند حركة الأصول
 DocType: Purchase Invoice,Shipping Rule,قواعد الشحن
 DocType: Patient Relation,Spouse,الزوج
 DocType: Lab Test Groups,Add Test,إضافة اختبار
 DocType: Manufacturer,Limited to 12 characters,تقتصر على 12 حرفا
+DocType: Appointment Letter,Closing Notes,ملاحظات ختامية
 DocType: Journal Entry,Print Heading,طباعة عنوان
 DocType: Quality Action Table,Quality Action Table,جدول عمل الجودة
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,الإجمالي لا يمكن أن يكون صفرا
@@ -5956,6 +6045,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),إجمالي (AMT)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},يرجى تحديد / إنشاء حساب (مجموعة) للنوع - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,الترفيه وتسلية
+DocType: Loan Security,Loan Security,ضمان القرض
 ,Item Variant Details,الصنف تفاصيل متغير
 DocType: Quality Inspection,Item Serial No,الرقم التسلسلي للصنف
 DocType: Payment Request,Is a Subscription,هو الاشتراك
@@ -5968,7 +6058,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,مرحلة متأخرة
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,لا يمكن أن تكون التواريخ المجدولة والمقبولة أقل من اليوم
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,نقل المواد إلى المورد
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,المسلسل الجديد غير ممكن للمستودع . يجب ان يكون المستودع مجهز من حركة المخزون او المشتريات المستلمة
 DocType: Lead,Lead Type,نوع الزبون المحتمل
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,إنشاء اقتباس
@@ -5986,7 +6075,6 @@
 DocType: Leave Allocation,Leave Period,اترك فترة
 DocType: Item,Default Material Request Type,النوع الافتراضي لـ مستند 'طلب مواد'
 DocType: Supplier Scorecard,Evaluation Period,فترة التقييم
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,العملاء&gt; مجموعة العملاء&gt; الإقليم
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,غير معروف
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,أمر العمل لم يتم إنشاؤه
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6070,7 +6158,8 @@
 ,Customer-wise Item Price,سعر البند العملاء الحكيم
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,بيان التدفقات النقدية
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,لم يتم إنشاء طلب مادي
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},لا يمكن أن تتجاوز قيمة القرض الحد الأقصى المحدد للقروض {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},لا يمكن أن تتجاوز قيمة القرض الحد الأقصى المحدد للقروض {0}
+DocType: Loan,Loan Security Pledge,تعهد ضمان القرض
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,رخصة
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,الرجاء تحديد المضي قدما إذا كنت تريد ان تتضمن اجازات السنة السابقة
@@ -6088,6 +6177,7 @@
 DocType: Pricing Rule,Price Discount Scheme,مخطط سعر الخصم
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,يجب إلغاء حالة الصيانة أو إكمالها لإرسالها
 DocType: Amazon MWS Settings,US,الولايات المتحدة
+DocType: Loan Security Pledge,Pledged,تعهد
 DocType: Holiday List,Add Weekly Holidays,أضف عطلات أسبوعية
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,بلغ عن شيء
 DocType: Staffing Plan Detail,Vacancies,الشواغر
@@ -6106,7 +6196,6 @@
 DocType: Production Plan Item,Planned Start Date,المخطط لها تاريخ بدء
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,يرجى تحديد بوم
 DocType: Purchase Invoice,Availed ITC Integrated Tax,الاستفادة من الضرائب المتكاملة إيتس
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,إنشاء إدخال السداد
 DocType: Purchase Order Item,Blanket Order Rate,بطالة سعر النظام
 ,Customer Ledger Summary,ملخص دفتر الأستاذ
 apps/erpnext/erpnext/hooks.py,Certification,شهادة
@@ -6127,6 +6216,7 @@
 DocType: Appraisal Template,Appraisal Template Title,عنوان قالب التقييم
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,تجاري
 DocType: Patient,Alcohol Current Use,الاستخدام الحالي للكحول
+DocType: Loan,Loan Closure Requested,مطلوب قرض الإغلاق
 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,فئة الإعفاء الضريبي
@@ -6150,6 +6240,7 @@
 DocType: Opening Invoice Creation Tool,Sales,مبيعات
 DocType: Stock Entry Detail,Basic Amount,المبلغ الأساسي
 DocType: Training Event,Exam,امتحان
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,النقص في عملية قرض القرض
 DocType: Email Campaign,Email Campaign,حملة البريد الإلكتروني
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,خطأ في السوق
 DocType: Complaint,Complaint,شكوى
@@ -6229,6 +6320,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,إرسال هذا لإنشاء سجل الموظف
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},سعر ضمان القرض متداخل مع {0}
 DocType: Item Default,Item Default,البند الافتراضي
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,اللوازم داخل الدولة
 DocType: Chapter Member,Leave Reason,ترك السبب
@@ -6255,6 +6347,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} القسيمة المستخدمة هي {1}. الكمية المسموح بها مستنفدة
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,هل ترغب في تقديم طلب المواد
 DocType: Job Offer,Awaiting Response,انتظار الرد
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,القرض إلزامي
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,فوق
 DocType: Support Search Source,Link Options,خيارات الارتباط
@@ -6267,6 +6360,7 @@
 DocType: Training Event Employee,Optional,اختياري
 DocType: Salary Slip,Earning & Deduction,الكسب و الخصم
 DocType: Agriculture Analysis Criteria,Water Analysis,تحليل المياه
+DocType: Pledge,Post Haircut Amount,بعد قص شعر
 DocType: Sales Order,Skip Delivery Note,تخطي ملاحظة التسليم
 DocType: Price List,Price Not UOM Dependent,السعر لا يعتمد على UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,تم إنشاء المتغيرات {0}.
@@ -6293,6 +6387,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,الحصول على أصناف من حزمة المنتج
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,طريقة السداد إلزامية للقروض لأجل
 DocType: Asset,Straight Line,خط مستقيم
 DocType: Project User,Project User,عضو المشروع
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,انشق، مزق
@@ -6337,7 +6432,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,الدور الوظيفي يسمح له بتجميد الحسابات و تعديل القيود المجمدة
 DocType: Supplier Scorecard Scoring Variable,Path,مسار
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,لا يمكن تحويل مركز التكلفة إلى حساب دفتر الأستاذ لانه مرتبط بعقدة فرعية
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},معامل تحويل UOM ({0} -&gt; {1}) غير موجود للعنصر: {2}
 DocType: Production Plan,Total Planned Qty,مجموع الكمية المخطط لها
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,المعاملات استرجعت بالفعل من البيان
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,القيمة الافتتاحية
@@ -6346,11 +6440,8 @@
 DocType: Material Request Plan Item,Required Quantity,الكمية المطلوبة
 DocType: Lab Test Template,Lab Test Template,قالب اختبار المختبر
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},فترة المحاسبة تتداخل مع {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,مورد&gt; نوع المورد
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,حساب مبيعات
 DocType: Purchase Invoice Item,Total Weight,الوزن الكلي
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","يرجى حذف الموظف <a href=""#Form/Employee/{0}"">{0}</a> \ لإلغاء هذا المستند"
 DocType: Pick List Item,Pick List Item,اختيار عنصر القائمة
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,عمولة على المبيعات
 DocType: Job Offer Term,Value / Description,القيمة / الوصف
@@ -6397,6 +6488,7 @@
 DocType: Patient Encounter,Encounter Date,تاريخ لقاء
 DocType: Work Order,Update Consumed Material Cost In Project,تحديث تكلفة المواد المستهلكة في المشروع
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,الحساب: {0} مع العملة: {1} لا يمكن اختياره
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,القروض المقدمة للعملاء والموظفين.
 DocType: Bank Statement Transaction Settings Item,Bank Data,بيانات البنك
 DocType: Purchase Receipt Item,Sample Quantity,كمية العينة
 DocType: Bank Guarantee,Name of Beneficiary,اسم المستفيد
@@ -6465,7 +6557,6 @@
 DocType: Contract,Signed On,تم تسجيل الدخول
 DocType: Bank Account,Party Type,نوع الحزب
 DocType: Discounted Invoice,Discounted Invoice,فاتورة مخفضة
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,علامة الحضور كما <b></b>
 DocType: Payment Schedule,Payment Schedule,جدول الدفع
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},لم يتم العثور على موظف لقيمة حقل الموظف المحدد. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,اسم مختصر
@@ -6537,6 +6628,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,الدائنين
 DocType: Assessment Plan,Assessment Name,اسم تقييم
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,الصف # {0}: الرقم التسلسلي إلزامي
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,المبلغ {0} مطلوب لإغلاق القرض
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,تفصيل ضريبة وفقاً للصنف
 DocType: Employee Onboarding,Job Offer,عرض عمل
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,اختصار المؤسسة
@@ -6560,7 +6652,6 @@
 DocType: Purchase Order,To Receive,للأستلام
 DocType: Leave Period,Holiday List for Optional Leave,قائمة العطلة للإجازة الاختيارية
 DocType: Item Tax Template,Tax Rates,معدلات الضريبة
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,كود الصنف&gt; مجموعة الصنف&gt; العلامة التجارية
 DocType: Asset,Asset Owner,مالك الأصول
 DocType: Item,Website Content,محتوى الموقع
 DocType: Bank Account,Integration ID,معرف التكامل
@@ -6577,6 +6668,7 @@
 DocType: Amazon MWS Settings,Synch Orders,أوامر التزامن
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,أوامر أصدرت للإنتاج.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,اختر السنة المالية ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},يرجى اختيار نوع القرض للشركة {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,ملف نقطة البيع مطلوب للقيام بإدخال خاص بنقطة البيع
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",سيتم احتساب نقاط الولاء من المبالغ التي تم صرفها (عبر فاتورة المبيعات) ، بناءً على عامل الجمع المذكور.
 DocType: Program Enrollment Tool,Enroll Students,تسجيل الطلاب
@@ -6605,6 +6697,7 @@
 DocType: Customer,Mention if non-standard receivable account,أذكر إذا غير القياسية حساب المستحق
 DocType: Bank,Plaid Access Token,منقوشة رمز الوصول
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,الرجاء إضافة الفوائد المتبقية {0} إلى أي مكون موجود
+DocType: Bank Account,Is Default Account,هو الحساب الافتراضي
 DocType: Journal Entry Account,If Income or Expense,إذا دخل أو مصروف
 DocType: Course Topic,Course Topic,موضوع الدورة
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},توجد قسيمة الإغلاق لنقاط البيع في {0} بين التاريخ {1} و {2}
@@ -6617,7 +6710,7 @@
 DocType: Disease,Treatment Task,العلاج المهمة
 DocType: Payment Order Reference,Bank Account Details,تفاصيل الحساب البنكي
 DocType: Purchase Order Item,Blanket Order,أمر بطانية
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,يجب أن يكون مبلغ السداد أكبر من
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,يجب أن يكون مبلغ السداد أكبر من
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ضريبية الأصول
 DocType: BOM Item,BOM No,رقم قائمة المواد
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,تحديث التفاصيل
@@ -6673,6 +6766,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,منتجات WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},خطأ في بناء الصيغة أو الشرط: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,تم تجاهل الصنف {0} لأنه ليس بند مخزون
+,Loan Security Status,حالة ضمان القرض
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",للا ينطبق قاعدة التسعير في معاملة معينة، يجب تعطيل جميع قوانين التسعير المعمول بها.
 DocType: Payment Term,Day(s) after the end of the invoice month,يوم (أيام) بعد نهاية شهر الفاتورة
 DocType: Assessment Group,Parent Assessment Group,مجموعة التقييم الأب
@@ -6687,7 +6781,6 @@
 DocType: Stock Entry Detail,Additional Cost,تكلفة إضافية
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",لا يمكن الفلتره علي اساس (رقم الأيصال)، إذا تم وضعه في مجموعة على اساس (ايصال)
 DocType: Quality Inspection,Incoming,الوارد
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد&gt; سلسلة الترقيم
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,تم إنشاء قوالب الضرائب الافتراضية للمبيعات والمشتريات.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,سجل نتيجة التقييم {0} موجود بالفعل.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",مثال: ABCD. #####. إذا تم ضبط المسلسل ولم يتم ذكر رقم الدفعة في المعاملات ، فسيتم إنشاء رقم الدفعة تلقائيًا استنادًا إلى هذه السلسلة. إذا كنت تريد دائمًا الإشارة صراحة إلى Batch No لهذا العنصر ، فاترك هذا فارغًا. ملاحظة: سيأخذ هذا الإعداد الأولوية على بادئة Naming Series في إعدادات المخزون.
@@ -6698,8 +6791,10 @@
 DocType: Contract,Party User,مستخدم الحزب
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,الأصول التي لم يتم تكوينها لـ <b>{0}</b> . سيكون عليك إنشاء أصل يدويًا.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',الرجاء تعيين فلتر الشركة فارغا إذا كانت المجموعة بي هي &#39;كومباني&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,العملاء&gt; مجموعة العملاء&gt; الإقليم
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,تاريخ النشر لا يمكن أن يكون تاريخ مستقبلي
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},الصف # {0}: الرقم التسلسلي {1} لا يتطابق مع {2} {3}
+DocType: Loan Repayment,Interest Payable,الفوائد المستحقة الدفع
 DocType: Stock Entry,Target Warehouse Address,عنوان المستودع المستهدف
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,أجازة عادية
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,الوقت الذي يسبق وقت بدء التحول الذي يتم خلاله فحص تسجيل الموظف للحضور.
@@ -6828,6 +6923,7 @@
 DocType: Issue,Reset Service Level Agreement,إعادة ضبط اتفاقية مستوى الخدمة
 ,Sales Person-wise Transaction Summary,ملخص المبيعات بناء على رجل المبيعات
 DocType: Training Event,Contact Number,رقم الاتصال
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,مبلغ القرض إلزامي
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,مستودع {0} غير موجود
 DocType: Cashier Closing,Custody,عهدة
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,إعفاء من ضريبة الموظف
@@ -6876,6 +6972,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,كمية الرصيد
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,سيتم تطبيق الشروط على جميع العناصر المختارة مجتمعة.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,لا يمكن أن تكون الاهداف فارغة
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,مستودع غير صحيح
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,تسجيل الطلاب
 DocType: Item Group,Parent Item Group,الأم الإغلاق المجموعة
 DocType: Appointment Type,Appointment Type,نوع الموعد
@@ -6929,10 +7026,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,المعدل المتوسط
 DocType: Appointment,Appointment With,موعد مع
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,يجب أن يكون إجمالي مبلغ الدفع في جدول الدفع مساويا للمجموع الكبير / المستدير
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,علامة الحضور كما <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""الأصناف المقدمة من العملاء"" لا يمكن ان تحتوي على تكلفة"
 DocType: Subscription Plan Detail,Plan,خطة
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,كشف رصيد الحساب المصرفي وفقا لدفتر الأستاذ العام
-DocType: Job Applicant,Applicant Name,اسم طالب الوظيفة
+DocType: Appointment Letter,Applicant Name,اسم طالب الوظيفة
 DocType: Authorization Rule,Customer / Item Name,العميل / أسم البند
 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**. 
 
@@ -6978,11 +7076,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,مستودع لا يمكن حذف كما يوجد مدخل الأسهم دفتر الأستاذ لهذا المستودع.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,توزيع
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,لا يمكن تعيين حالة الموظف على &quot;يسار&quot; لأن الموظفين التاليين يقومون حاليًا بإبلاغ هذا الموظف:
-DocType: Journal Entry Account,Loan,قرض
+DocType: Loan Repayment,Amount Paid,القيمة المدفوعة
+DocType: Loan Security Shortfall,Loan,قرض
 DocType: Expense Claim Advance,Expense Claim Advance,النفقات المطالبة مقدما
 DocType: Lab Test,Report Preference,تفضيل التقرير
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,معلومات التطوع.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,مدير المشروع
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,المجموعة حسب العميل
 ,Quoted Item Comparison,مقارنة بند المناقصة
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},التداخل في التسجيل بين {0} و {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,ارسال
@@ -7002,6 +7102,7 @@
 DocType: Material Request Plan Item,Material Issue,صرف مواد
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},عنصر حر غير مضبوط في قاعدة التسعير {0}
 DocType: Employee Education,Qualification,المؤهل
+DocType: Loan Security Shortfall,Loan Security Shortfall,قرض أمن النقص
 DocType: Item Price,Item Price,سعر الصنف
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,الصابون والمنظفات
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},الموظف {0} لا ينتمي للشركة {1}
@@ -7024,6 +7125,7 @@
 DocType: Appointment Booking Settings,Appointment Details,تفاصيل الموعد
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,منتج منتهي
 DocType: Warehouse,Warehouse Name,اسم المستودع
+DocType: Loan Security Pledge,Pledge Time,وقت التعهد
 DocType: Naming Series,Select Transaction,حدد المعاملات
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,الرجاء إدخال صلاحية المخول بالتصديق أو المستخدم المخول بالتصديق
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,اتفاقية مستوى الخدمة مع نوع الكيان {0} والكيان {1} موجودة بالفعل.
@@ -7031,7 +7133,6 @@
 DocType: BOM,Rate Of Materials Based On,سعرالمواد استنادا على
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",إذا تم تمكينه ، فسيكون الحقل الدراسي الأكاديمي إلزاميًا في أداة انتساب البرنامج.
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",قيم الإمدادات المعفاة وغير المصنفة وغير الداخلة في ضريبة السلع والخدمات
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,العملاء&gt; مجموعة العملاء&gt; الإقليم
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>الشركة</b> هي مرشح إلزامي.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,الغاء أختيار الكل
 DocType: Purchase Taxes and Charges,On Item Quantity,على كمية البند
@@ -7077,7 +7178,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,نقص الكمية
 DocType: Purchase Invoice,Input Service Distributor,موزع خدمة الإدخال
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,متغير الصنف {0} موجود بنفس الخاصية
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم&gt; إعدادات التعليم
 DocType: Loan,Repay from Salary,سداد من الراتب
 DocType: Exotel Settings,API Token,رمز واجهة برمجة التطبيقات
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},طلب الدفعة مقابل {0} {1} لقيمة {2}
@@ -7097,6 +7197,7 @@
 DocType: Salary Slip,Total Interest Amount,إجمالي مبلغ الفائدة
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,المستودعات مع العقد التابعة لا يمكن أن يتم تحويلها إلى دفتر الاستاذ
 DocType: BOM,Manage cost of operations,إدارة تكلفة العمليات
+DocType: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,أيام قديمة
 DocType: Travel Itinerary,Arrival Datetime,تارخ الوصول
 DocType: Tax Rule,Billing Zipcode,الرمز البريدي للفواتير
@@ -7283,6 +7384,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ساعات
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},تم إنشاء موعد جديد لك من خلال {0}
 DocType: Project,Expected Start Date,تاريخ البدأ المتوقع
+DocType: Work Order,This is a location where raw materials are available.,هذا هو المكان الذي تتوفر فيه المواد الخام.
 DocType: Purchase Invoice,04-Correction in Invoice,04-تصحيح في الفاتورة
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,تم إنشاء أمر العمل بالفعل لكافة العناصر باستخدام قائمة المواد
 DocType: Bank Account,Party Details,تفاصيل الحزب
@@ -7301,6 +7403,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,عروض مسعرة:
 DocType: Contract,Partially Fulfilled,تمت جزئيا
 DocType: Maintenance Visit,Fully Completed,يكتمل
+DocType: Loan Security,Loan Security Name,اسم ضمان القرض
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",الأحرف الخاصة باستثناء &quot;-&quot; ، &quot;#&quot; ، &quot;.&quot; ، &quot;/&quot; ، &quot;{&quot; و &quot;}&quot; غير مسموح في سلسلة التسمية
 DocType: Purchase Invoice Item,Is nil rated or exempted,غير مصنفة أو معفية
 DocType: Employee,Educational Qualification,المؤهلات العلمية
@@ -7357,6 +7460,7 @@
 DocType: Program,Is Featured,هي واردة
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,جلب ...
 DocType: Agriculture Analysis Criteria,Agriculture User,مستخدم بالقطاع الزراعي
+DocType: Loan Security Shortfall,America/New_York,أمريكا / نيويورك
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,صالحة حتى تاريخ لا يمكن أن يكون قبل تاريخ المعاملة
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,طالب الفئة
@@ -7434,8 +7538,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,.أنت غير مخول لتغيير القيم المجمدة
 DocType: Payment Reconciliation,Get Unreconciled Entries,الحصول على مدخلات لم تتم تسويتها
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},الموظف {0} في وضع الإجازة على {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,لم يتم اختيار السداد لمدخل المجلة
 DocType: Purchase Invoice,GST Category,GST الفئة
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,التعهدات المقترحة إلزامية للقروض المضمونة
 DocType: Payment Reconciliation,From Invoice Date,من تاريخ الفاتورة
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,الميزانيات
 DocType: Invoice Discounting,Disbursed,مصروف
@@ -7493,14 +7597,13 @@
 DocType: Restaurant,Active Menu,القائمة النشطة
 DocType: Accounting Dimension Detail,Default Dimension,البعد الافتراضي
 DocType: Target Detail,Target Qty,الهدف الكمية
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},مقابل القرض: {0}
 DocType: Shopping Cart Settings,Checkout Settings,إعدادات الدفع
 DocType: Student Attendance,Present,حاضر
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,إشعار التسليم {0} يجب ألا يكون مسجل
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",سيتم حماية كلمة مرور المرسل بالبريد الإلكتروني للموظف ، وسيتم إنشاء كلمة المرور بناءً على سياسة كلمة المرور.
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,حساب ختامي {0} يجب أن يكون من نوع الخصومات/ حقوق الملكية
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},كشف الراتب للموظف {0} تم إنشاؤه لسجل التوقيت {1}
-DocType: Vehicle Log,Odometer,عداد المسافات
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,عداد المسافات
 DocType: Production Plan Item,Ordered Qty,أمرت الكمية
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,تم تعطيل البند {0}
 DocType: Stock Settings,Stock Frozen Upto,المخزون المجمدة لغاية
@@ -7557,7 +7660,6 @@
 DocType: Serial No,Delivery Document Type,نوع وثيقة التسليم
 DocType: Sales Order,Partly Delivered,سلمت جزئيا
 DocType: Item Variant Settings,Do not update variants on save,لا تقم بتحديث المتغيرات عند الحفظ
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,مجموعة Custmer
 DocType: Email Digest,Receivables,المستحقات للغير (مدينة)
 DocType: Lead Source,Lead Source,مصدر الزبون المحتمل
 DocType: Customer,Additional information regarding the customer.,معلومات إضافية عن الزبون.
@@ -7654,6 +7756,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,فعلي
 DocType: Appointment,Skype ID,هوية السكايب
 DocType: Restaurant Menu,Restaurant Manager,مدير المطعم
+DocType: Loan,Penalty Income Account,حساب دخل الجزاء
 DocType: Call Log,Call Log,سجل المكالمات
 DocType: Authorization Rule,Customerwise Discount,التخفيض من ناحية الزبائن
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,الجدول الزمني للمهام.
@@ -7741,6 +7844,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,مخطط خصم المنتج
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,لم يتم طرح مشكلة من قبل المتصل.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,المجموعة حسب المورد
 DocType: Restaurant Reservation,Waitlisted,على قائمة الانتظار
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,فئة الإعفاء
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,لا يمكن تغيير العملة بعد إجراء إدخالات باستخدام بعض العملات الأخرى
@@ -7751,7 +7855,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,الاستشارات
 DocType: Subscription Plan,Based on price list,على أساس قائمة الأسعار
 DocType: Customer Group,Parent Customer Group,مجموعة عملاء أولياء الأمور
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,يمكن إنشاء فاتورة البريد الإلكتروني JSON فقط من فاتورة المبيعات
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,وصلت محاولات الحد الأقصى لهذا الاختبار!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,اشتراك
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,إنشاء الرسوم معلقة
@@ -7769,6 +7872,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,الصيانة الوقائية
 DocType: Delivery Note Item,Against Sales Invoice,مقابل فاتورة المبيعات
 DocType: Purchase Invoice,07-Others,07-أخرى
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,كمية الاقتباس
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,الرجاء إدخال الأرقام التسلسلية للبند المتسلسل
 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. ,ترك دون تحديد إذا كنت لا ترغب في النظر في دفعة مع جعل مجموعات مقرها بالطبع.
@@ -7876,6 +7980,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,إشعار إيصال الدفع
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ويستند هذا على المعاملات ضد هذا العميل. انظر الجدول الزمني أدناه للاطلاع على التفاصيل
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,إنشاء طلب المواد
+DocType: Loan Interest Accrual,Pending Principal Amount,في انتظار المبلغ الرئيسي
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",تواريخ البدء والانتهاء ليست في فترة كشوف رواتب صالحة ، لا يمكن حساب {0}
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,مصطلح أكاديمي جديد
@@ -7919,6 +8024,7 @@
 											to fullfill Sales Order {2}",لا يمكن تسليم Serial No {0} من البند {1} حيث إنه محجوز \ لإكمال أمر المبيعات {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,المورد الاقتباس {0} خلق
+DocType: Loan Security Unpledge,Unpledge Type,نوع unpledge
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,نهاية العام لا يمكن أن يكون قبل بداية العام
 DocType: Employee Benefit Application,Employee Benefits,الميزات للموظف
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,هوية الموظف
@@ -8001,6 +8107,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,رمز المقرر:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,الرجاء إدخال حساب المصاريف
 DocType: Quality Action Resolution,Problem,مشكلة
+DocType: Loan Security Type,Loan To Value Ratio,نسبة القروض إلى قيمة
 DocType: Account,Stock,المخزون
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",الصف # {0}:  يجب أن يكون نوع الوثيقة المرجعي واحدة منن الاتي اما  طلب شراء او فاتورة شراء أو قيد دفتر يومية
 DocType: Employee,Current Address,العنوان الحالي
@@ -8018,6 +8125,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,إدخال معاملات كشف الحساب البنكي
 DocType: Sales Invoice Item,Discount and Margin,الخصم والهامش
 DocType: Lab Test,Prescription,وصفة طبية
+DocType: Process Loan Security Shortfall,Update Time,تحديث الوقت
 DocType: Import Supplier Invoice,Upload XML Invoices,تحميل فواتير XML
 DocType: Company,Default Deferred Revenue Account,حساب الإيرادات المؤجلة الافتراضي
 DocType: Project,Second Email,البريد الإلكتروني الثاني
@@ -8031,7 +8139,7 @@
 DocType: Quality Action,Preventive,وقائي
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,الإمدادات المقدمة إلى الأشخاص غير المسجلين
 DocType: Company,Date of Incorporation,تاريخ التأسيس
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,مجموع الضرائب
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,مجموع الضرائب
 DocType: Manufacturing Settings,Default Scrap Warehouse,مستودع الخردة الافتراضي
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,سعر الشراء الأخير
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,للكمية (الكمية المصنعة) إلزامي
@@ -8050,6 +8158,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,تعيين طريقة الدفع الافتراضية
 DocType: Stock Entry Detail,Against Stock Entry,ضد دخول الأسهم
 DocType: Grant Application,Withdrawn,مسحوب
+DocType: Loan Repayment,Regular Payment,الدفع المنتظم
 DocType: Support Search Source,Support Search Source,دعم مصدر البحث
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,هامش إجمالي٪
@@ -8062,8 +8171,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,دون دفع الضرائب
 DocType: BOM Operation,BOM Operation,عملية قائمة المواد
 DocType: Purchase Taxes and Charges,On Previous Row Amount,على المبلغ الصف السابق
+DocType: Student,Home Address,عنوان المنزل
 DocType: Options,Is Correct,صحيح
 DocType: Item,Has Expiry Date,تاريخ انتهاء الصلاحية
+DocType: Loan Repayment,Paid Accrual Entries,إدخالات الاستحقاق المدفوعة
+DocType: Loan Security,Loan Security Type,نوع ضمان القرض
 apps/erpnext/erpnext/config/support.py,Issue Type.,نوع القضية.
 DocType: POS Profile,POS Profile,الملف الشخصي لنقطة البيع
 DocType: Training Event,Event Name,اسم الحدث
@@ -8075,6 +8187,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",موسمية لوضع الميزانيات والأهداف الخ
 apps/erpnext/erpnext/www/all-products/index.html,No values,لا توجد قيم
 DocType: Supplier Scorecard Scoring Variable,Variable Name,اسم المتغير
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,حدد الحساب البنكي للتوفيق.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",{0} الصنف هو قالب، يرجى اختيار واحد من مشتقاته
 DocType: Purchase Invoice Item,Deferred Expense,المصروفات المؤجلة
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,العودة إلى الرسائل
@@ -8126,7 +8239,6 @@
 DocType: GL Entry,To Rename,لإعادة تسمية
 DocType: Stock Entry,Repack,أعد حزم
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,حدد لإضافة الرقم التسلسلي.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم&gt; إعدادات التعليم
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',يرجى ضبط الرمز المالي للعميل &#39;٪ s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,يرجى تحديد الشركة أولا
 DocType: Item Attribute,Numeric Values,قيم رقمية
@@ -8150,6 +8262,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,جلب على أساس FIFO
 DocType: Soil Texture,Clay Loam,تربة طينية
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,الجذرلا يمكن تعديل.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,قيمة ضمان القرض
 DocType: Item,Units of Measure,وحدات القياس
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,مستأجر في مدينة مترو
 DocType: Supplier,Default Tax Withholding Config,الافتراضي حجب الضرائب التكوين
@@ -8196,6 +8309,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,الرجاء اختيار الفئة اولا
 apps/erpnext/erpnext/config/projects.py,Project master.,المدير الرئيسي بالمشروع.
 DocType: Contract,Contract Terms,شروط العقد
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,الحد الأقصى للعقوبة
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,متابعة التكوين
 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,Maximum benefit amount of component {0} exceeds {1},يتجاوز الحد الأقصى لمقدار المكون {0} {1}
@@ -8228,6 +8342,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,عرض سجل المكالمات
 DocType: BOM Operation,Operating Cost(Company Currency),تكاليف التشغيل (عملة الشركة)
 DocType: Loan Application,Rate of Interest,معدل الفائدة
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},تعهد ضمان القرض تعهد بالفعل مقابل قرض {0}
 DocType: Expense Claim Detail,Sanctioned Amount,القيمة المقرر صرفه
 DocType: Item,Shelf Life In Days,العمر الافتراضي في الأيام
 DocType: GL Entry,Is Opening,هل قيد افتتاحي
@@ -8241,3 +8356,4 @@
 DocType: Account,Cash,نقد
 DocType: Sales Invoice,Unpaid and Discounted,غير مدفوعة ومخصومة
 DocType: Employee,Short biography for website and other publications.,نبذة على موقع الويب وغيره من المنشورات.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,الصف # {0}: لا يمكن اختيار Warehouse Supplier أثناء توريد المواد الخام إلى المقاول من الباطن
diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv
index 860b6e4..396c296 100644
--- a/erpnext/translations/bg.csv
+++ b/erpnext/translations/bg.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Възможност Изгубена причина
 DocType: Patient Appointment,Check availability,Провери наличността
 DocType: Retention Bonus,Bonus Payment Date,Бонус Дата на плащане
-DocType: Employee,Job Applicant,Кандидат За Работа
+DocType: Appointment Letter,Job Applicant,Кандидат За Работа
 DocType: Job Card,Total Time in Mins,Общо време в минути
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Това се основава на сделки срещу този доставчик. Вижте график по-долу за повече подробности
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Процент на свръхпроизводство за работна поръчка
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Информация за връзка
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Търсете нещо ...
 ,Stock and Account Value Comparison,Сравнение на стойността на запасите и сметките
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Изплатената сума не може да бъде по-голяма от сумата на заема
 DocType: Company,Phone No,Телефон No
 DocType: Delivery Trip,Initial Email Notification Sent,Първоначално изпратено имейл съобщение
 DocType: Bank Statement Settings,Statement Header Mapping,Ръководство за картографиране на отчети
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Заинтересован
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Начален
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,програма:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Валидно от времето трябва да е по-малко от валидното до време.
 DocType: Item,Copy From Item Group,Копирай от група позиция
 DocType: Journal Entry,Opening Entry,Начално записване
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Сметка за плащане
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Клас
 DocType: Restaurant Table,No of Seats,Брой на седалките
+DocType: Loan Type,Grace Period in Days,Грейс период за дни
 DocType: Sales Invoice,Overdue and Discounted,Просрочени и намалени
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Актив {0} не принадлежи на попечителя {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Обаждането е прекъснато
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Предписани процедури
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Показване само на POS
 DocType: Supplier Group,Supplier Group Name,Име на групата доставчици
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отбележете присъствието като <b></b>
 DocType: Driver,Driving License Categories,Категории лицензионни шофьори
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Моля, въведете дата на доставка"
 DocType: Depreciation Schedule,Make Depreciation Entry,Направи запис за амортизация
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Подробности за извършените операции.
 DocType: Asset Maintenance Log,Maintenance Status,Статус на поддръжка
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Сума на данъка върху артикулите, включена в стойността"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Отстраняване на сигурността на заема
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Детайли за членството
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: изисква се доставчик при сметка за задължения {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Позиции и ценообразуване
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Общо часове: {0}
+DocType: Loan,Loan Manager,Кредитен мениджър
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"От дата трябва да бъде в рамките на фискалната година. Ако приемем, че от датата = {0}"
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,интервал
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Updated чрез &quot;Time Log&quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Изберете клиента или доставчика.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Кодът на държавата във файл не съвпада с кода на държавата, създаден в системата"
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Сметка {0} не принадлежи към Фирма {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Изберете само един приоритет по подразбиране.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Сумата на аванса не може да бъде по-голяма от {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Времето слот бе прескочен, слотът {0} до {1} препокрива съществуващ слот {2} до {3}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Оставете Блокиран
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Позиция {0} е достигнала края на своя живот на {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банкови записи
-DocType: Customer,Is Internal Customer,Е вътрешен клиент
+DocType: Sales Invoice,Is Internal Customer,Е вътрешен клиент
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,Фактура за продажба - Номер
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Заявка за материал
 DocType: Bank Reconciliation,Update Clearance Date,Актуализация Клирънсът Дата
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Кол. Пакет
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Не може да се създаде заем, докато заявлението не бъде одобрено"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Позиция {0} не е открита в ""суровини Доставени""в Поръчката {1}"
 DocType: Salary Slip,Total Principal Amount,Обща главна сума
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,правилен
 DocType: Student Guardian,Mother,майка
 DocType: Restaurant Reservation,Reservation End Time,Време за край на резервацията
+DocType: Salary Slip Loan,Loan Repayment Entry,Вписване за погасяване на заем
 DocType: Crop,Biennial,двегодишен
 ,BOM Variance Report,Доклад за отклоненията в BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Потвърдените поръчки от клиенти.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Заплащане срещу {0} {1} не може да бъде по-голяма от дължимата сума, {2}"
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Всички звена за здравни услуги
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Относно възможността за конвертиране
+DocType: Loan,Total Principal Paid,Общо платена главница
 DocType: Bank Account,Address HTML,Адрес HTML
 DocType: Lead,Mobile No.,Моб. номер
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Начин на плащане
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Баланс в базовата валута
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Максимална оценка
 DocType: Email Digest,New Quotations,Нови Оферти
+DocType: Loan Interest Accrual,Loan Interest Accrual,Начисляване на лихви по заеми
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Участието не е изпратено за {0} като {1} в отпуск.
 DocType: Journal Entry,Payment Order,Поръчка за плащане
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Потвърди Имейл
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Приходи от други източници
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ако е празно, ще се вземе предвид акаунтът за родителски склад или фирменото неизпълнение"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Имейли заплата приплъзване на служител на базата на предпочитан имейл избран в Employee
+DocType: Work Order,This is a location where operations are executed.,"Това е място, където се изпълняват операции."
 DocType: Tax Rule,Shipping County,Доставка Област
 DocType: Currency Exchange,For Selling,За продажба
 apps/erpnext/erpnext/config/desktop.py,Learn,Уча
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Приложен купонов код
 DocType: Asset,Next Depreciation Date,Следваща дата на амортизация
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Разходите за дейността според Служител
+DocType: Loan Security,Haircut %,Прическа%
 DocType: Accounts Settings,Settings for Accounts,Настройки за сметки
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Фактура на доставчик не съществува в фактурата за покупка {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Управление на продажбите Person Tree.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Моля, посочете цената на стаята в хотел {}"
 DocType: Journal Entry,Multi Currency,Много валути
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Вид фактура
+DocType: Loan,Loan Security Details,Детайли за сигурност на заема
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Валидно от датата трябва да е по-малко от валидната до дата
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Изключение възникна по време на съгласуване {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Задайте Приет склад
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Изисква се одобрение от лабораторни тестове
 DocType: Attendance,Working Hours,Работно Време
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Общо неизпълнени
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Коефициент на конверсия на UOM ({0} -&gt; {1}) не е намерен за елемент: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промяна на изходния / текущия номер за последователност на съществуваща серия.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Процент, който ви позволява да таксувате повече спрямо поръчаната сума. Например: Ако стойността на поръчката е 100 долара за артикул и толерансът е зададен като 10%, тогава можете да таксувате за 110 долара."
 DocType: Dosage Strength,Strength,сила
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Камион Дата
 DocType: Campaign Email Schedule,Campaign Email Schedule,График на имейл кампанията
 DocType: Student Log,Medical,Медицински
+DocType: Work Order,This is a location where scraped materials are stored.,"Това е място, където се съхраняват изстъргани материали."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Моля изберете Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Собственикът на Потенциален клиент не може да бъде същия като потенциалния клиент
 DocType: Announcement,Receiver,Получател
@@ -886,7 +898,7 @@
 DocType: Driver,Applicable for external driver,Приложим за външен драйвер
 DocType: Sales Order Item,Used for Production Plan,Използвани за производство на План
 DocType: BOM,Total Cost (Company Currency),Обща цена (валута на компанията)
-DocType: Loan,Total Payment,Общо плащане
+DocType: Repayment Schedule,Total Payment,Общо плащане
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO вече е създадена за всички елементи от поръчките за продажба
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Предупреждавайте поръчки за покупка
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Нает от датата
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Достатъчно Части за изграждане
+DocType: Loan Security,Loan Security Code,Код за сигурност на заема
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Моля, запазете първо"
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Необходими са артикули за издърпване на суровините, които са свързани с него."
 DocType: POS Profile User,POS Profile User,Потребителски потребителски профил на POS
@@ -968,6 +981,7 @@
 DocType: Patient,Risk Factors,Рискови фактори
 DocType: Patient,Occupational Hazards and Environmental Factors,Професионални опасности и фактори на околната среда
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Вече се създават записи за поръчка за работа
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код на артикула&gt; Група артикули&gt; Марка
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Вижте минали поръчки
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} разговори
 DocType: Vital Signs,Respiratory rate,Респираторна скорост
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Изтриване на транзакциите на фирма
 DocType: Production Plan Item,Quantity and Description,Количество и описание
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Референтен Не и Референтен Дата е задължително за Bank сделка
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Моля, задайте Именуване на серия за {0} чрез Настройка&gt; Настройки&gt; Наименуване на серия"
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавяне / Редактиране на данъци и такси
 DocType: Payment Entry Reference,Supplier Invoice No,Доставчик - Фактура номер
 DocType: Territory,For reference,За референция
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Сметка за удържане на данъци
 DocType: Pricing Rule,Sales Partner,Търговски партньор
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Всички оценъчни карти на доставчици.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Сума на поръчката
+DocType: Loan,Disbursed Amount,Изплатена сума
 DocType: Buying Settings,Purchase Receipt Required,Покупка Квитанция Задължително
 DocType: Sales Invoice,Rail,релса
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Реална цена
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Свързан с QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Моля, идентифицирайте / създайте акаунт (книга) за тип - {0}"
 DocType: Bank Statement Transaction Entry,Payable Account,Платими Акаунт
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Сметката е задължителна за получаване на плащания
 DocType: Payment Entry,Type of Payment,Вид на плащане
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Половин ден е задължително
 DocType: Sales Order,Billing and Delivery Status,Статус на фактуриране и доставка
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Фактурирана Сума
 DocType: Training Result Employee,Training Result Employee,Обучение Резултати Employee
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,"Логически Склад, за който са направени стоковите разписки."
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,размер на главницата
+DocType: Repayment Schedule,Principal Amount,размер на главницата
 DocType: Loan Application,Total Payable Interest,Общо дължими лихви
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Общо неизключение: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Отворете контакт
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Възникна грешка по време на процеса на актуализиране
 DocType: Restaurant Reservation,Restaurant Reservation,Ресторант Резервация
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Вашите вещи
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Доставчик&gt; Тип доставчик
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Предложение за писане
 DocType: Payment Entry Deduction,Payment Entry Deduction,Плащането - отстъпка/намаление
 DocType: Service Level Priority,Service Level Priority,Приоритет на нивото на услугата
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Партида Описание
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Създаване на студентски групи
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Профил на Портал за плащания не е създаден, моля създайте един ръчно."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},"Груповите складове не могат да се използват при транзакции. Моля, променете стойността на {0}"
 DocType: Supplier Scorecard,Per Year,На година
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Не отговарят на условията за приемане в тази програма съгласно DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Ред № {0}: Не може да се изтрие артикул {1}, който е присвоен на поръчката на клиента."
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Докато създавате акаунт за дъщерна компания {0}, родителски акаунт {1} не е намерен. Моля, създайте родителския акаунт в съответния COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Разделно издаване
 DocType: Student Attendance,Student Attendance,Student Присъствие
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Няма данни за експорт
 DocType: Sales Invoice Timesheet,Time Sheet,Time Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Изписване на суровини въз основа на
 DocType: Sales Invoice,Port Code,Пристанищен код
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Доставчик
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Действителна дата на доставка
 DocType: Lab Test,Test Template,Тестов шаблон
+DocType: Loan Security Pledge,Securities,ценни книжа
 DocType: Restaurant Order Entry Item,Served,Сервира
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Информация за главата.
 DocType: Account,Accounts,Сметки
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O Отрицателен
 DocType: Work Order Operation,Planned End Time,Планирано Крайно време
 DocType: POS Profile,Only show Items from these Item Groups,Показвайте само елементи от тези групи от продукти
+DocType: Loan,Is Secured Loan,Осигурен е заем
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,Сметка със съществуващa трансакция не може да бъде превърната в Главна Счетоводна Книга
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Детайли за типовете членове
 DocType: Delivery Note,Customer's Purchase Order No,Поръчка на Клиента - Номер
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,"Моля, изберете Фирма и дата на публикуване, за да получавате записи"
 DocType: Asset,Maintenance,Поддръжка
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,Излез от срещата с пациента
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Коефициент на конверсия на UOM ({0} -&gt; {1}) не е намерен за елемент: {2}
 DocType: Subscriber,Subscriber,абонат
 DocType: Item Attribute Value,Item Attribute Value,Позиция атрибут - Стойност
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Валутната обмяна трябва да бъде приложима при закупуване или продажба.
@@ -1498,6 +1518,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Няма разрешение
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контролен списък за изпълнение на договори
 DocType: Vital Signs,Heart Rate / Pulse,Сърдечна честота / импулс
+DocType: Customer,Default Company Bank Account,Банкова сметка на фирмата по подразбиране
 DocType: Supplier,Default Bank Account,Банкова сметка по подразб.
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","За да филтрирате базирани на партия, изберете страна Напишете първия"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Обнови Наличност"" не може да е маркирана, защото артикулите, не са доставени чрез {0}"
@@ -1615,7 +1636,6 @@
 DocType: Sales Team,Incentives,Стимули
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Стойности извън синхронизирането
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Стойност на разликата
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Моля, настройте номерацията на сериите за присъствие чрез настройка&gt; серия от номерация"
 DocType: SMS Log,Requested Numbers,Желани номера
 DocType: Volunteer,Evening,вечер
 DocType: Quiz,Quiz Configuration,Конфигурация на викторината
@@ -1635,6 +1655,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,На предишния ред Total
 DocType: Purchase Invoice Item,Rejected Qty,Отхвърлени Количество
 DocType: Setup Progress Action,Action Field,Поле за действие
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Тип заем за лихви и наказателни лихви
 DocType: Healthcare Settings,Manage Customer,Управление на клиента
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Винаги синхронизирайте продуктите си с Amazon MWS преди да синхронизирате подробностите за поръчките
 DocType: Delivery Trip,Delivery Stops,Доставката спира
@@ -1646,6 +1667,7 @@
 ,Final Assessment Grades,Оценъчни оценки
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Името на Вашата фирма, за която искате да създадете тази система."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Включи празници в общия брой на работните дни
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% От общата сума
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Настройте своя институт в ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Анализ на растенията
 DocType: Task,Timeline,Timeline
@@ -1653,9 +1675,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Алтернативна позиция
 DocType: Shopify Log,Request Data,Поискайте данни
 DocType: Employee,Date of Joining,Дата на Присъединяване
+DocType: Delivery Note,Inter Company Reference,Референтен номер на компанията
 DocType: Naming Series,Update Series,Актуализация Номериране
 DocType: Supplier Quotation,Is Subcontracted,Преотстъпват
 DocType: Restaurant Table,Minimum Seating,Минимално сядане
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Въпросът не може да бъде дублиран
 DocType: Item Attribute,Item Attribute Values,Позиция атрибут - Стойности
 DocType: Examination Result,Examination Result,Разглеждане Резултати
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Покупка Разписка
@@ -1757,6 +1781,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Синхронизиране на офлайн Фактури
 DocType: Payment Request,Paid,Платен
 DocType: Service Level,Default Priority,Приоритет по подразбиране
+DocType: Pledge,Pledge,залог
 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."
@@ -1770,6 +1795,7 @@
 DocType: Guardian,Guardian Name,Наименование Guardian
 DocType: Cheque Print Template,Has Print Format,Има формат за печат
 DocType: Support Settings,Get Started Sections,Стартирайте секциите
+,Loan Repayment and Closure,Погасяване и закриване на заем
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,санкционирана
 ,Base Amount,Базова сума
@@ -1780,10 +1806,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,От мястото
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Сумата на заема не може да бъде по-голяма от {0}
 DocType: Student Admission,Publish on website,Публикуване на интернет страницата
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Дата Доставчик на фактура не може да бъде по-голяма, отколкото Публикуване Дата"
 DocType: Installation Note,MAT-INS-.YYYY.-,МАТ-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код на артикула&gt; Група артикули&gt; Марка
 DocType: Subscription,Cancelation Date,Дата на анулиране
 DocType: Purchase Invoice Item,Purchase Order Item,Поръчка за покупка Точка
 DocType: Agriculture Task,Agriculture Task,Задача за селското стопанство
@@ -1802,7 +1828,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Допълнителна отстъпка Процент
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Вижте списък на всички помощни видеоклипове
 DocType: Agriculture Analysis Criteria,Soil Texture,Течност на почвата
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Изберете акаунт шеф на банката, в която е депозирана проверка."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Позволи на потребителя да редактира цените в Ценоразпис от транзакциите
 DocType: Pricing Rule,Max Qty,Max Количество
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Отпечатайте отчетната карта
@@ -1934,7 +1959,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","След като бъде зададена, тази фактура ще бъде задържана до определената дата"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Продажба Сума
-DocType: Repayment Schedule,Interest Amount,Сума на лихва
+DocType: Loan Interest Accrual,Interest Amount,Сума на лихва
 DocType: Job Card,Time Logs,Час Logs
 DocType: Sales Invoice,Loyalty Amount,Стойност на лоялността
 DocType: Employee Transfer,Employee Transfer Detail,Детайли за прехвърлянето на служителите
@@ -1949,6 +1974,7 @@
 DocType: Cashier Closing,Returns,Се завръща
 DocType: Job Card,WIP Warehouse,Склад - незав.производство
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Сериен № {0} е по силата на договор за техническо обслужване до  {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Пределно ограничената сума е пресечена за {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,назначаване на работа
 DocType: Lead,Organization Name,Наименование на организацията
 DocType: Support Settings,Show Latest Forum Posts,Показване на последните мнения в форума
@@ -1975,7 +2001,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Покупки за поръчки Елементи Просрочени
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Пощенски код
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Поръчка за продажба {0} е {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Изберете сметка за доходи от лихви в заем {0}
 DocType: Opportunity,Contact Info,Информация за контакт
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Въвеждане на складови записи
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Не мога да популяризирам служител със състояние вляво
@@ -2059,7 +2084,6 @@
 DocType: Salary Slip,Deductions,Удръжки
 DocType: Setup Progress Action,Action Name,Име на действието
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Старт Година
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Създайте заем
 DocType: Purchase Invoice,Start date of current invoice's period,Начална дата на периода на текущата фактура за
 DocType: Shift Type,Process Attendance After,Посещение на процесите след
 ,IRS 1099,IRS 1099
@@ -2080,6 +2104,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Изберете вашите домейни
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Купи доставчик
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Елементи за плащане на фактура
+DocType: Repayment Schedule,Is Accrued,Начислява се
 DocType: Payroll Entry,Employee Details,Детайли на служителите
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обработка на XML файлове
 DocType: Amazon MWS Settings,CN,CN
@@ -2111,6 +2136,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Въвеждане на точка за лоялност
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Група елементи по подразбиране
+DocType: Loan,Partially Disbursed,Частично Изплатени
 DocType: Job Card Time Log,Time In Mins,Времето в мин
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Дайте информация.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Това действие ще прекрати връзката на този акаунт от всяка външна услуга, интегрираща ERPNext с вашите банкови сметки. Не може да бъде отменено. Сигурен ли си ?"
@@ -2126,6 +2152,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Същата позиция не може да бъде въведена  няколко пъти.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Допълнителни сметки могат да бъдат направени по групи, но записи могат да бъдат направени по отношение на не-групи"
+DocType: Loan Repayment,Loan Closure,Закриване на заем
 DocType: Call Log,Lead,Потенциален клиент
 DocType: Email Digest,Payables,Задължения
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2158,6 +2185,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON може да се генерира само от представен документ
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Данък на служителите и предимства
 DocType: Bank Guarantee,Validity in Days,Валидност в дни
+DocType: Unpledge,Haircut,подстригване
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-форма не е приложима за фактура: {0}
 DocType: Certified Consultant,Name of Consultant,Име на консултанта
 DocType: Payment Reconciliation,Unreconciled Payment Details,Неизравнени данни за плащане
@@ -2210,7 +2238,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Останалата част от света
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Продуктът {0} не може да има партида
 DocType: Crop,Yield UOM,Добив UOM
+DocType: Loan Security Pledge,Partially Pledged,Частично заложено
 ,Budget Variance Report,Бюджет Вариацията Доклад
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Санкционирана сума на заема
 DocType: Salary Slip,Gross Pay,Брутно възнаграждение
 DocType: Item,Is Item from Hub,Елементът е от Центъра
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Получавайте елементи от здравни услуги
@@ -2245,6 +2275,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Нова процедура за качество
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Балансът на сметке {0} винаги трябва да е {1}
 DocType: Patient Appointment,More Info,Повече Информация
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Датата на раждане не може да бъде по-голяма от датата на присъединяване.
 DocType: Supplier Scorecard,Scorecard Actions,Действия в Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Доставчикът {0} не е намерен в {1}
 DocType: Purchase Invoice,Rejected Warehouse,Отхвърлени Warehouse
@@ -2341,6 +2372,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,"Моля, първо задайте кода на елемента"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Залог за заем на заем създаден: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Срещи и срещи с пациентите
@@ -2396,6 +2428,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Брой едновременни срещи
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Приготвяме се да започнем
 DocType: Purchase Invoice,Taxes and Charges Calculation,Данъци и такси - Изчисление
+DocType: Loan Interest Accrual,Payable Principal Amount,Дължима главна сума
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Автоматично отписване на амортизацията на активи
 DocType: BOM Operation,Workstation,Работна станция
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Запитване за оферта  - Доставчик
@@ -2432,7 +2465,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Храна
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Застаряването на населението Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Детайли за ваучерите за затваряне на POS
-DocType: Bank Account,Is the Default Account,Профилът по подразбиране ли е
 DocType: Shopify Log,Shopify Log,Магазин за дневник
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Не е намерена комуникация.
 DocType: Inpatient Occupancy,Check In,Включване
@@ -2490,12 +2522,14 @@
 DocType: Sales Order Item,Planned Quantity,Планирано количество
 DocType: Water Analysis,Water Analysis Criteria,Критерии за анализ на водата
 DocType: Item,Maintain Stock,Поддържане на наличности
+DocType: Loan Security Unpledge,Unpledge Time,Време за сваляне
 DocType: Terms and Conditions,Applicable Modules,Приложими модули
 DocType: Employee,Prefered Email,Предпочитан Email
 DocType: Student Admission,Eligibility and Details,Допустимост и подробности
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Включена в брутната печалба
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Нетна промяна в дълготрайни материални активи
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Необходимият брой
+DocType: Work Order,This is a location where final product stored.,"Това е място, където се съхранява крайният продукт."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Макс: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,От дата/час
@@ -2536,8 +2570,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Гаранция / AMC Status
 ,Accounts Browser,Браузър на сметки
 DocType: Procedure Prescription,Referral,Сезиране
+,Territory-wise Sales,Продажби на територията
 DocType: Payment Entry Reference,Payment Entry Reference,Плащане - Референция
 DocType: GL Entry,GL Entry,Записване в главна книга
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Ред № {0}: Приетите склад и доставчикът не могат да бъдат еднакви
 DocType: Support Search Source,Response Options,Опции за отговор
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Прилагайте множество правила за ценообразуване
 DocType: HR Settings,Employee Settings,Настройки на служители
@@ -2597,6 +2633,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,Срокът за плащане на ред {0} е вероятно дубликат.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Селското стопанство (бета)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Приемо-предавателен протокол
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Моля, задайте Именуване на серия за {0} чрез Настройка&gt; Настройки&gt; Наименуване на серия"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Офис под наем
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Настройки Setup SMS Gateway
 DocType: Disease,Common Name,Често срещано име
@@ -2613,6 +2650,7 @@
 DocType: Item,Sales Details,Продажби Детайли
 DocType: Coupon Code,Used,Използва се
 DocType: Opportunity,With Items,С артикули
+DocType: Vehicle Log,last Odometer Value ,последна стойност на одометъра
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Кампанията &#39;{0}&#39; вече съществува за {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Екип за поддръжка
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Ред, в който секциите трябва да се показват. 0 е първо, 1 е второ и така нататък."
@@ -2623,7 +2661,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense претенция {0} вече съществува за Дневника Vehicle
 DocType: Asset Movement Item,Source Location,Местоположение на източника
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Наименование институт
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Моля, въведете погасяване сума"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Моля, въведете погасяване сума"
 DocType: Shift Type,Working Hours Threshold for Absent,Праг на работното време за отсъстващи
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Въз основа на общата сума може да има няколко фактора за събиране. Но конверсионният коефициент за обратно изкупуване винаги ще бъде същият за всички нива.
 apps/erpnext/erpnext/config/help.py,Item Variants,Елемент Варианти
@@ -2647,6 +2685,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},Този {0} е в конфликт с {1} за {2} {3}
 DocType: Student Attendance Tool,Students HTML,"Студентите, HTML"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} трябва да е по-малко от {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,"Моля, първо изберете типа кандидат"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Изберете BOM, Qty и For Warehouse"
 DocType: GST HSN Code,GST HSN Code,GST HSN кодекс
 DocType: Employee External Work History,Total Experience,Общо Experience
@@ -2737,7 +2776,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",За актив {0} не е намерен активен ценови списък. Доставката чрез \ сериен номер не може да бъде осигурена
 DocType: Sales Partner,Sales Partner Target,Търговски партньор - Цел
-DocType: Loan Type,Maximum Loan Amount,Максимален Размер на заема
+DocType: Loan Application,Maximum Loan Amount,Максимален Размер на заема
 DocType: Coupon Code,Pricing Rule,Ценообразуване Правило
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Дублиран номер на ролката за ученик {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Заявка за материал към поръчка за покупка
@@ -2760,6 +2799,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Листата Разпределен успешно в продължение на {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Няма елементи за опаковане
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Понастоящем се поддържат само .csv и .xlsx файлове
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси&gt; Настройки за човешки ресурси"
 DocType: Shipping Rule Condition,From Value,От стойност
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Произвеждано количество е задължително
 DocType: Loan,Repayment Method,Възстановяване Метод
@@ -2843,6 +2883,7 @@
 DocType: Customer,Customer POS Id,Идентификационен номер на ПОС на клиента
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Студент с имейл {0} не съществува
 DocType: Account,Account Name,Име на Сметка
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Сумата на санкционирания заем вече съществува за {0} срещу компания {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"От дата не може да бъде по-голяма, отколкото е днешна дата"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Сериен № {0} количество {1} не може да бъде една малка част
 DocType: Pricing Rule,Apply Discount on Rate,Прилагане на отстъпка при курс
@@ -2914,6 +2955,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Чиста печалба
 DocType: Purchase Invoice,Eligibility For ITC,Допустимост за ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,Влизане Type
 ,Customer Credit Balance,Клиентско кредитно салдо
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Нетна промяна в Задължения
@@ -2925,6 +2967,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Идентификационен номер на устройството за присъствие (идентификатор на биометричен / RF етикет)
 DocType: Quotation,Term Details,Условия - Детайли
 DocType: Item,Over Delivery/Receipt Allowance (%),Надбавка за доставка / получаване (%)
+DocType: Appointment Letter,Appointment Letter Template,Шаблон писмо за назначаване
 DocType: Employee Incentive,Employee Incentive,Стимулиране на служителите
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,Не може да се запишат повече от {0} студенти за този студентска група.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),Общо (без данъци)
@@ -2947,6 +2990,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.","Не може да се осигури доставка по сериен номер, тъй като \ Item {0} е добавен с и без да се гарантира доставката чрез \ сериен номер"
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Прекратяване на връзката с плащане при анулиране на фактура
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Начисляване на лихви по заемни процеси
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Current показание на километража влязъл трябва да бъде по-голяма от първоначалната Vehicle километража {0}
 ,Purchase Order Items To Be Received or Billed,"Покупка на артикули, които ще бъдат получени или фактурирани"
 DocType: Restaurant Reservation,No Show,Няма показване
@@ -3032,6 +3076,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Не се изисква Разходен Център за сметка ""Печалби и загуби"" {2}. Моля, задайте  Разходен Център по подразбиране за компанията."
 DocType: Payment Schedule,Payment Term,Условия за плащане
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група Клиенти съществува със същото име. Моля, променете името на Клиента или преименувайте Група Клиенти"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Крайната дата на приемане трябва да бъде по-голяма от началната дата на приемане.
 DocType: Location,Area,Площ
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Нов контакт
 DocType: Company,Company Description,Описание на компанията
@@ -3106,6 +3151,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Картографирани данни
 DocType: Purchase Order Item,Warehouse and Reference,Склад и справочник
 DocType: Payroll Period Date,Payroll Period Date,Период на заплащане Дата
+DocType: Loan Disbursement,Against Loan,Срещу заем
 DocType: Supplier,Statutory info and other general information about your Supplier,Законова информация и друга обща информация за вашия доставчик
 DocType: Item,Serial Nos and Batches,Серийни номера и партиди
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Студентска група
@@ -3172,6 +3218,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Изберете фирма
 DocType: Delivery Settings,Delivery Settings,Настройки за доставка
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Извличане на данни
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Не може да се оттегли повече от {0} количество от {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},"Максималният отпуск, разрешен в отпуск тип {0} е {1}"
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Публикуване на 1 елемент
 DocType: SMS Center,Create Receiver List,Създаване на списък за получаване
@@ -3319,6 +3366,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Базовата сума (Валута на компанията)
 DocType: Purchase Invoice,Registered Regular,Регистриран редовно
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Суровини
+DocType: Plaid Settings,sandbox,пясък
 DocType: Payment Reconciliation Payment,Reference Row,Референтен Ред
 DocType: Installation Note,Installation Time,Време за монтаж
 DocType: Sales Invoice,Accounting Details,Счетоводство Детайли
@@ -3331,12 +3379,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Тип транзакция
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерии за приемане
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Моля, въведете Материал Исканията в таблицата по-горе"
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Общо Задължения Сума
 DocType: Task,Expected Time (in hours),Очаквано време (в часове)
 DocType: Item Reorder,Check in (group),Проверете в (група)
 DocType: Soil Texture,Silt,тиня
@@ -3367,6 +3414,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Освобождаване от данък за неразрешено освобождаване от данъци
 DocType: Volunteer,Anytime,По всяко време
 DocType: Bank Account,Bank Account No,Номер на банкова сметка
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Изплащане и погасяване
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Декларация за освобождаване от данък върху доходите на служителите
 DocType: Patient,Surgical History,Хирургическа история
 DocType: Bank Statement Settings Item,Mapped Header,Картографирано заглавие
@@ -3430,6 +3478,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Създаване на лабораторни тестове за подаване на фактури за продажби
 DocType: Serial No,Invoice Details,Данни за фактурите
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Структурата на заплатата трябва да бъде подадена преди подаване на декларация за освобождаване от данъци
+DocType: Loan Application,Proposed Pledges,Предложени обещания
 DocType: Grant Application,Show on Website,Показване на уебсайта
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Започнете
 DocType: Hub Tracked Item,Hub Category,Категория хъб
@@ -3441,7 +3490,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Стойност на таблицата с доставчици
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Спецификация на материалите не е намерена за позиция {1}
 DocType: Contract Fulfilment Checklist,Requirement,изискване
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси&gt; Настройки за човешки ресурси"
 DocType: Journal Entry,Accounts Receivable,Вземания
 DocType: Quality Goal,Objectives,Цели
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Ролята е разрешена за създаване на резервно приложение за напускане
@@ -3454,6 +3502,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Включи засечени позиции
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Общата разпределена сума ({0}) е намазана с платената сума ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Разпредели такси на базата на
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Платената сума не може да бъде по-малка от {0}
 DocType: Projects Settings,Timesheets,График (Отчет)
 DocType: HR Settings,HR Settings,Настройки на човешките ресурси (ЧР)
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Магистър по счетоводство
@@ -3599,6 +3648,7 @@
 DocType: Employee,Health Insurance,Здравна осигуровка
 DocType: Asset Repair,Manufacturing Manager,Мениджър производство
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Сериен № {0} е в гаранция до  {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Заемът надвишава максималния размер на заема от {0} според предложените ценни книжа
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимална допустима стойност
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Потребителят {0} вече съществува
 apps/erpnext/erpnext/hooks.py,Shipments,Пратки
@@ -3642,7 +3692,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Вид на бизнеса
 DocType: Sales Invoice,Consumer,Консуматор
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Моля изберете отпусната сума, Тип фактура и фактура Номер в поне един ред"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Моля, задайте Именуване на серия за {0} чрез Настройка&gt; Настройки&gt; Наименуване на серия"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Разходи за нова покупка
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Поръчка за продажба се изисква за позиция {0}
 DocType: Grant Application,Grant Description,Описание на безвъзмездните средства
@@ -3651,6 +3700,7 @@
 DocType: Subscription,Discounts,Отстъпки
 DocType: Bank Transaction,Unallocated Amount,Неразпределена сума
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,"Моля, активирайте Приложимо за поръчка за покупка и приложимо за реалните разходи за резервацията"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} не е банкова сметка на компанията
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Няма съвпадащи записи. Моля изберете някоя друга стойност за {0}.
 DocType: POS Profile,Taxes and Charges,Данъци и такси
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Продукт или Услуга, която се купува, продава, или се съхраняват на склад."
@@ -3699,6 +3749,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Валидността от датата трябва да бъде по-малка от Valid Up Date.
 DocType: Employee Skill,Evaluation Date,Дата на оценка
 DocType: Quotation Item,Stock Balance,Наличности
+DocType: Loan Security Pledge,Total Security Value,Обща стойност на сигурността
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Поръчка за продажба до Плащане
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Изпълнителен директор
 DocType: Purchase Invoice,With Payment of Tax,С изплащане на данък
@@ -3711,6 +3762,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Моля изберете правилния акаунт
 DocType: Salary Structure Assignment,Salary Structure Assignment,Задание за структурата на заплатите
 DocType: Purchase Invoice Item,Weight UOM,Тегло мерна единица
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Акаунт {0} не съществува в таблицата на таблото {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Списък на наличните акционери с номера на фолиото
 DocType: Salary Structure Employee,Salary Structure Employee,Структура на заплащането на служителите
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Показване на атрибутите на варианта
@@ -3792,6 +3844,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Курс на преоценка
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Броят на коренните акаунти не може да бъде по-малък от 4
 DocType: Training Event,Advance,напредък
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Срещу заем:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Настройки за GoCardless payment gateway
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange Печалба / загуба
 DocType: Opportunity,Lost Reason,Причина за загубата
@@ -3875,8 +3928,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Изберете партида №
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Невалиден {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Ред {0}: датата на раждане на братята не може да бъде по-голяма от днешната.
 DocType: Fee Validity,Reference Inv,Референтна фактура
 DocType: Sales Invoice Advance,Advance Amount,Авансова сума
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Наказателна лихва (%) на ден
 DocType: Manufacturing Settings,Capacity Planning,Планиране на капацитета
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Настройка на закръгляването (валута на компанията
 DocType: Asset,Policy number,Номер на полица
@@ -3892,7 +3947,9 @@
 DocType: Normal Test Items,Require Result Value,Изискайте резултатна стойност
 DocType: Purchase Invoice,Pricing Rules,Правила за ценообразуване
 DocType: Item,Show a slideshow at the top of the page,Покажи на слайдшоу в горната част на страницата
+DocType: Appointment Letter,Body,тяло
 DocType: Tax Withholding Rate,Tax Withholding Rate,Данъчен удържан данък
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Началната дата на погасяване е задължителна за срочните заеми
 DocType: Pricing Rule,Max Amt,Макс
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,списъците с материали
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Магазини
@@ -3912,7 +3969,7 @@
 DocType: Call Log,Received By,Получено от
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Продължителност на срещата (в минути)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детайли на шаблона за картографиране на паричните потоци
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управление на заемите
+DocType: Loan,Loan Management,Управление на заемите
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Абонирай се за отделни приходи и разходи за вертикали продуктови или подразделения.
 DocType: Rename Tool,Rename Tool,Преименуване на Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Актуализация на стойността
@@ -3920,6 +3977,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Начин на транспортиране
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Покажи фиш за заплата
+DocType: Loan,Is Term Loan,Термин заем ли е
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Прехвърляне на материал
 DocType: Fees,Send Payment Request,Изпращане на искане за плащане
 DocType: Travel Request,Any other details,Всякакви други подробности
@@ -3937,6 +3995,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Парични потоци от финансова
 DocType: Budget Account,Budget Account,Сметка за бюджет
 DocType: Quality Inspection,Verified By,Проверени от
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Добавете Заемна гаранция
 DocType: Travel Request,Name of Organizer,Име на организатора
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,Отговорност за облагане на дохода
@@ -3987,6 +4046,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Необходим на
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ако е поставено отметка, скрива и деактивира поле Окръглена обща стойност в фишовете за заплати"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Това е компенсиране по подразбиране (дни) за датата на доставка в поръчки за продажби. Резервното компенсиране е 7 дни от датата на поставяне на поръчката.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Моля, настройте номерацията на сериите за присъствие чрез настройка&gt; серия от номерация"
 DocType: Rename Tool,File to Rename,Файл за Преименуване
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Моля изберете BOM за позиция в Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Извличане на актуализации на абонаментите
@@ -3999,6 +4059,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Създадени серийни номера
 DocType: POS Profile,Applicable for Users,Приложимо за потребители
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,От дата и до дата са задължителни
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Задайте на Project и всички задачи статус {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Задаване на аванси и разпределение (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Няма създадени работни поръчки
@@ -4008,6 +4069,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Елементи от
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Разходи за закупени стоки
 DocType: Employee Separation,Employee Separation Template,Шаблон за разделяне на служители
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Нула количество от {0} обеща заем {0}
 DocType: Selling Settings,Sales Order Required,Поръчка за продажба е задължителна
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Станете продавач
 ,Procurement Tracker,Проследяване на поръчки
@@ -4105,11 +4167,12 @@
 ,Minutes to First Response for Opportunity,Минути за първи отговор на възможност
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Общо Отсъствия
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Точка или склад за ред {0} не съвпада Материал Искане
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Дължима сума
+DocType: Loan Repayment,Payable Amount,Дължима сума
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Възможност
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Максималната сила не може да бъде по-малка от нула.
 DocType: Options,Option,опция
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Не можете да създавате счетоводни записи в затворения счетоводен период {0}
 DocType: Operation,Default Workstation,Работно място по подразбиране
@@ -4151,6 +4214,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Сумата на лихвата е задължителна
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Неплатен отпуск не съвпада с одобрените записи оставите приложението
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Следващи стъпки
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Запазени елементи
@@ -4201,8 +4265,6 @@
 DocType: Grant Application,Grant Application Details ,Подробности за кандидатстването
 DocType: Employee Separation,Employee Separation,Отделяне на служители
 DocType: BOM Item,Original Item,Оригинален елемент
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Моля, изтрийте Служителя <a href=""#Form/Employee/{0}"">{0}</a> \, за да отмените този документ"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата на документа
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Такса - записи създадени - {0}
 DocType: Asset Category Account,Asset Category Account,Дълготраен актив Категория сметка
@@ -4238,6 +4300,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Тест на лабораторния тест {0} вече съществува
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} е фирмен празник
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Часове за плащане
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Наказателната лихва се начислява ежедневно върху чакащата лихва в случай на забавено погасяване
+DocType: Appointment Letter content,Appointment Letter content,Съдържание на писмото
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставете уведомление за състояние
 DocType: Patient Appointment,Procedure Prescription,Процедура за предписване
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Мебели и тела
@@ -4257,7 +4321,7 @@
 DocType: Opportunity,Customer / Lead Name,Клиент / Потенциален клиент - Име
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Дата на клирънс не е определена
 DocType: Payroll Period,Taxable Salary Slabs,Задължителни платени заплати
-DocType: Job Card,Production,Производство
+DocType: Plaid Settings,Production,Производство
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Невалиден GSTIN! Въведеният от вас вход не съответства на формата на GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Стойност на сметката
 DocType: Guardian,Occupation,Професия
@@ -4401,6 +4465,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Колекция от програми за лоялност
 DocType: Stock Entry Detail,Subcontracted Item,Подизпълнителна позиция
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Студентът {0} не принадлежи към групата {1}
+DocType: Appointment Letter,Appointment Date,Дата на назначаване
 DocType: Budget,Cost Center,Разходен център
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Ваучер #
 DocType: Tax Rule,Shipping Country,Доставка Държава
@@ -4471,6 +4536,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Счетоводно измерение
 ,Profit and Loss Statement,ОПР /Отчет за приходите и разходите/
 DocType: Bank Reconciliation Detail,Cheque Number,Чек Номер
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Изплатената сума не може да бъде нула
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Елементът, посочен от {0} - {1}, вече е фактуриран"
 ,Sales Browser,Браузър на продажбите
 DocType: Journal Entry,Total Credit,Общо кредит
@@ -4575,6 +4641,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Добавяне / редактиране на условия за талони
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / Разлика сметка ({0}) трябва да бъде партида на &quot;печалбата или загубата&quot;
 DocType: Stock Entry Detail,Stock Entry Child,Дете за влизане в акции
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Залог за обезпечение на заем и заемно дружество трябва да бъдат еднакви
 DocType: Project,Copied From,Копирано от
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Фактурата вече е създадена за всички часове на плащане
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Наименование грешка: {0}
@@ -4582,6 +4649,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Финансовата цена е
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Присъствие на служител {0} вече е маркирана
 DocType: Packing Slip,If more than one package of the same type (for print),Ако повече от един пакет от същия тип (за печат)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Моля, настройте системата за именуване на инструктори в Образование&gt; Настройки за образование"
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,"Моля, задайте клиент по подразбиране в настройките на ресторанта"
 ,Salary Register,Заплата Регистрирайте се
 DocType: Company,Default warehouse for Sales Return,По подразбиране склад за връщане на продажби
@@ -4626,7 +4694,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Текущ сериен номер
 DocType: Employee,Attendance and Leave Details,Подробности за посещенията и отпуските
 ,BOM Comparison Tool,BOM инструмент за сравнение
-,Requested,Заявени
+DocType: Loan Security Pledge,Requested,Заявени
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Няма забележки
 DocType: Asset,In Maintenance,В поддръжката
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Кликнете върху този бутон, за да изтеглите данните за поръчките си от Amazon MWS."
@@ -4638,7 +4706,6 @@
 DocType: Drug Prescription,Drug Prescription,Лекарствена рецепта
 DocType: Service Level,Support and Resolution,Подкрепа и резолюция
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Безплатният код на артикула не е избран
-DocType: Loan,Repaid/Closed,Платени / Затворен
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Общото прогнозно Количество
 DocType: Monthly Distribution,Distribution Name,Дистрибутор - Име
@@ -4672,6 +4739,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Счетоводен запис за Складова наличност
 DocType: Lab Test,LabTest Approver,LabTest Схема
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Вече оценихте критериите за оценка {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Сума на недостиг
 DocType: Vehicle Service,Engine Oil,Моторно масло
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Създадени работни поръчки: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},"Моля, задайте имейл идентификатор за водещия {0}"
@@ -4690,6 +4758,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Профилът не е зададен за таблицата на таблото {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Нанесете Допълнителна отстъпка от
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Изберете Тип ...
+DocType: Loan Interest Accrual,Amounts,суми
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Вашите билети
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO
@@ -4697,6 +4766,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Не може да се върне повече от {1} за позиция {2}
 DocType: Item Group,Show this slideshow at the top of the page,Покажете слайдшоу в горната част на страницата
 DocType: BOM,Item UOM,Позиция - Мерна единица
+DocType: Loan Security Price,Loan Security Price,Цена на заемна гаранция
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Сума на данъка след сумата на отстъпката (фирмена валута)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целеви склад е задължителен за ред {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Операции на дребно
@@ -4835,6 +4905,7 @@
 DocType: Coupon Code,Coupon Description,Описание на талона
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Партида е задължителна на ред {0}
 DocType: Company,Default Buying Terms,Условия за покупка по подразбиране
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Изплащане на заем
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Покупка Квитанция приложените аксесоари
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Активиране на насрочено синхронизиране
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Към дата и час
@@ -4863,6 +4934,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Въведете стойност betweeen {0} и {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Въведете името на кампанията, ако източник на запитване е кампания"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Издателите на вестници
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Не е намерена валидна <b>цена</b> за <b>заем</b> за {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Бъдещите дати не са разрешени
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Очакваната дата на доставка трябва да бъде след датата на поръчката за продажба
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Пренареждане Level
@@ -4929,6 +5001,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Предложение / ценова оферта
 DocType: Antibiotic,Healthcare,Здравеопазване
 DocType: Target Detail,Target Detail,Цел - Подробности
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Заемни процеси
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Един вариант
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Всички работни места
 DocType: Sales Order,% of materials billed against this Sales Order,% от материали начислени по тази Поръчка за Продажба
@@ -4991,7 +5064,7 @@
 DocType: Item,Reorder level based on Warehouse,Пренареждане равнище въз основа на Warehouse
 DocType: Activity Cost,Billing Rate,(Фактура) Курс
 ,Qty to Deliver,Количество за доставка
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Създаване на запис за изплащане
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Създаване на запис за изплащане
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon ще синхронизира данните, актуализирани след тази дата"
 ,Stock Analytics,Анализи на наличностите
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,Операциите не могат да бъдат оставени празни
@@ -5025,6 +5098,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Прекъснете връзката на външните интеграции
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Изберете съответно плащане
 DocType: Pricing Rule,Item Code,Код
+DocType: Loan Disbursement,Pending Amount For Disbursal,Чакаща сума за дискусия
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Гаранция / AMC Детайли
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,"Изберете ръчно студентите за групата, базирана на дейности"
@@ -5048,6 +5122,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Общ брой
 DocType: Landed Cost Item,Receipt Document,Получаване на документация
 DocType: Employee Education,School/University,Училище / Университет
+DocType: Loan Security Pledge,Loan  Details,Подробности за заема
 DocType: Sales Invoice Item,Available Qty at Warehouse,В наличност Количество в склада
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Фактурирана Сума
 DocType: Share Transfer,(including),(включително)
@@ -5071,6 +5146,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Групи
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Групирай по Сметка
 DocType: Purchase Invoice,Hold Invoice,Задържане на фактура
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Статус на залог
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,"Моля, изберете служител"
 DocType: Sales Order,Fully Delivered,Напълно Доставени
 DocType: Promotional Scheme Price Discount,Min Amount,Минимална сума
@@ -5080,7 +5156,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Платената сума не може да бъде по-голяма от кредит сума {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Ред {0} # Разпределената сума {1} не може да бъде по-голяма от сумата, която не е поискана {2}"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},"Поръчка за покупка брой, необходим за т {0}"
 DocType: Leave Allocation,Carry Forwarded Leaves,Извършва предаден Leaves
@@ -5108,6 +5183,7 @@
 DocType: Pick List Item,Serial No and Batch,Сериен № и Партида
 DocType: Warranty Claim,From Company,От фирма
 DocType: GSTR 3B Report,January,януари
+DocType: Loan Repayment,Principal Amount Paid,Основна изплатена сума
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Сума на рекордите на критериите за оценка трябва да бъде {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Моля, задайте Брой амортизации Резервирано"
 DocType: Supplier Scorecard Period,Calculations,Изчисленията
@@ -5133,6 +5209,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,За вашата компания
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Показване на данни за стареене на запасите
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на сметката трябва да бъде балансова сметка
+DocType: Loan Repayment,Penalty Amount,Сума на наказанието
 DocType: Donor,Donor,дарител
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Актуализирайте данъците за артикулите
 DocType: Global Defaults,Disable In Words,"Изключване ""С думи"""
@@ -5163,6 +5240,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Разходен център и бюджетиране
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Началното салдо Капитал
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Частично платен вход
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Моля, задайте схемата за плащане"
 DocType: Pick List,Items under this warehouse will be suggested,Предметите под този склад ще бъдат предложени
 DocType: Purchase Invoice,N,N
@@ -5196,7 +5274,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} не е намерен за елемент {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Стойността трябва да бъде между {0} и {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Показване на включения данък в печат
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банкова сметка, от дата до дата са задължителни"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Съобщението е изпратено
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Сметка с деца възли не могат да бъдат определени като книга
 DocType: C-Form,II,II
@@ -5210,6 +5287,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Активиране на автоматичната повторна поръчка
 DocType: Stock Settings,Item Naming By,"Позиция наименуването им,"
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Друг период Закриване Влизане {0} е направено след {1}
+DocType: Proposed Pledge,Proposed Pledge,Предложен залог
 DocType: Work Order,Material Transferred for Manufacturing,"Материал, прехвърлен за производство"
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Сметка {0} не съществува
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Изберете програма за лоялност
@@ -5220,7 +5298,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Създаване на събитията в {0}, тъй като Работника прикрепен към по-долу, купува Лицата не разполага с потребителско име {1}"
 DocType: Timesheet,Billing Details,Детайли за фактура
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Източник и целеви склад трябва да бъде различен
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси&gt; Настройки за човешки ресурси"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Плащането не бе успешно. Моля, проверете профила си в GoCardless за повече подробности"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не е позволено да се актуализира борсови сделки по-стари от {0}
 DocType: Stock Entry,Inspection Required,"Инспекция, изискван"
@@ -5233,6 +5310,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,програма
+DocType: Unpledge,Against Pledge,Срещу залог
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Потребителите с тази роля е разрешено да задават замразени сметки и да се създаде / модифицира счетоводни записи срещу замразените сметки
 DocType: Plaid Settings,Plaid Environment,Plaid Environment
 ,Project Billing Summary,Обобщение на проекта за фактуриране
@@ -5284,6 +5362,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Партиди
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Брой назначения за дни може да се резервира предварително
 DocType: Article,LMS User,Потребител на LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Залогът за заем на заем е задължителен за обезпечен заем
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Място на доставка (щат / Юта)
 DocType: Purchase Order Item Supplied,Stock UOM,Склад - мерна единица
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Поръчка за покупка {0} не е подадена
@@ -5358,6 +5437,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Създайте Job Card
 DocType: Quotation,Referral Sales Partner,Референтен партньор за продажби
 DocType: Quality Procedure Process,Process Description,Описание на процеса
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Не може да се отмени, стойността на гаранцията на заема е по-голяма от възстановената сума"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клиент {0} е създаден.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Понастоящем няма налични запаси в нито един склад
 ,Payment Period Based On Invoice Date,Заплащане Период на базата на датата на фактурата
@@ -5378,7 +5458,7 @@
 DocType: Asset,Insurance Details,Застраховка Детайли
 DocType: Account,Payable,Платим
 DocType: Share Balance,Share Type,Тип на акциите
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Моля, въведете Възстановяване Периоди"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Моля, въведете Възстановяване Периоди"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Длъжници ({0})
 DocType: Pricing Rule,Margin,марж
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Нови клиенти
@@ -5387,6 +5467,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Възможности от оловен източник
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Промяна на POS профила
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Количеството или сумата е мандатрой за гаранция на заема
 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,Assessment Report,Доклад за оценка
@@ -5422,6 +5503,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Акционерна книга
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Създадена е фактура за продажба {0}
 DocType: Employee,Confirmation Date,Потвърждение Дата
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Моля, изтрийте Служителя <a href=""#Form/Employee/{0}"">{0}</a> \, за да отмените този документ"
 DocType: Inpatient Occupancy,Check Out,Разгледайте
 DocType: C-Form,Total Invoiced Amount,Общо Сума по фактура
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Минималното количество не може да бъде по-голяма от максималното количество
@@ -5435,7 +5518,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Идентификационен номер на фирма за бързи книги
 DocType: Travel Request,Travel Funding,Финансиране на пътуванията
 DocType: Employee Skill,Proficiency,Опитност
-DocType: Loan Application,Required by Date,Изисвани до дата
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Детайл за получаване на покупка
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Връзка към всички Местоположения, в които расте Растението"
 DocType: Lead,Lead Owner,Потенциален клиент - собственик
@@ -5454,7 +5536,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Текущ BOM и нов BOM не могат да бъдат едни и същи
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Фиш за заплата ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Дата на пенсиониране трябва да е по-голяма от Дата на Присъединяване
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Доставчик&gt; Тип доставчик
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Няколко варианта
 DocType: Sales Invoice,Against Income Account,Срещу Приходна Сметка
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Доставени
@@ -5487,7 +5568,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Такси тип оценка не може маркирани като Inclusive
 DocType: POS Profile,Update Stock,Актуализация Наличности
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,Подробности на плащане
+DocType: Loan Repayment,Payment Details,Подробности на плащане
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Курс
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Четене на качен файл
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Спиралата поръчка за работа не може да бъде отменена, първо я отменете, за да я отмените"
@@ -5522,6 +5603,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Номер на партидата е задължителна за позиция {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Максимална стойност на кредита
 ,Stock Ledger,Фондова Ledger
 DocType: Company,Exchange Gain / Loss Account,Exchange Печалба / загуба на профила
 DocType: Amazon MWS Settings,MWS Credentials,Удостоверения за MWS
@@ -5529,6 +5611,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Цел трябва да бъде един от {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Попълнете формата и да го запишете
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Community Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Няма отпуснати отпуски на служителя: {0} за вид на отпуска: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Реално количество в наличност
 DocType: Homepage,"URL for ""All Products""",URL за &quot;Всички продукти&quot;
 DocType: Leave Application,Leave Balance Before Application,Остатък на отпуск преди заявката
@@ -5630,7 +5713,6 @@
 DocType: Fee Schedule,Fee Schedule,График за такса
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Етикети на колоните:
 DocType: Bank Transaction,Settled,установен
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Датата на изплащане не може да бъде след началната дата на погасяване на заема
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,данък
 DocType: Quality Feedback,Parameters,Параметри
 DocType: Company,Create Chart Of Accounts Based On,Създаване на индивидуален сметкоплан на базата на
@@ -5650,6 +5732,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Кредитен лимит и условия за плащане
 DocType: Loyalty Program,Collection Rules,Правила за събиране
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Позиция 3
+DocType: Loan Security Shortfall,Shortfall Time,Време за недостиг
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Поръчката влизане
 DocType: Purchase Order,Customer Contact Email,Клиент - email за контакти
 DocType: Warranty Claim,Item and Warranty Details,Позиция и подробности за гаранцията
@@ -5669,12 +5752,14 @@
 DocType: Sales Person,Sales Person Name,Търговец - Име
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Моля, въведете поне една фактура в таблицата"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Не е създаден лабораторен тест
+DocType: Loan Security Shortfall,Security Value ,Стойност на сигурността
 DocType: POS Item Group,Item Group,Група позиции
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студентска група:
 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,Total Allocated Leaves,Общо разпределени листа
+DocType: Appointment Letter,Appointment Letter,Писмо за уговаряне на среща
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},За  {0}
@@ -5729,6 +5814,7 @@
 DocType: Stock Entry,From BOM,От BOM
 DocType: Assessment Code,Assessment Code,Код за оценка
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основен
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Заявления за заем от клиенти и служители.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Сток сделки преди {0} са замразени
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Моля, кликнете върху &quot;Генериране Schedule&quot;"
 DocType: Job Card,Current Time,Текущо време
@@ -5755,7 +5841,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Няма създаден студентски групи.
 DocType: Purchase Invoice Item,Serial No,Сериен Номер
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна погасителна сума не може да бъде по-голяма от Размер на заема
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна погасителна сума не може да бъде по-голяма от Размер на заема
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Моля, въведете Maintaince Детайли първа"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Ред # {0}: Очакваната дата на доставка не може да бъде преди датата на поръчката за покупка
 DocType: Purchase Invoice,Print Language,Print Език
@@ -5769,6 +5855,7 @@
 DocType: Asset,Finance Books,Финансови книги
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Декларация за освобождаване от данък за служителите
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,Всички територии
+DocType: Plaid Settings,development,развитие
 DocType: Lost Reason Detail,Lost Reason Detail,Детайл за изгубената причина
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,"Моля, задайте политика за отпуск за служител {0} в регистъра за служител / степен"
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,Невалидна поръчка за избрания клиент и елемент
@@ -5831,12 +5918,14 @@
 DocType: Staffing Plan Detail,Current Openings,Текущи отвори
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Парични потоци от операции
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Сума
+DocType: Vehicle Log,Current Odometer value ,Текуща стойност на одометъра
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Създайте Студент
 DocType: Asset Movement Item,Asset Movement Item,Елемент за движение на активи
 DocType: Purchase Invoice,Shipping Rule,Доставка Правило
 DocType: Patient Relation,Spouse,Съпруг
 DocType: Lab Test Groups,Add Test,Добавяне на тест
 DocType: Manufacturer,Limited to 12 characters,Ограничено до 12 символа
+DocType: Appointment Letter,Closing Notes,Заключителни бележки
 DocType: Journal Entry,Print Heading,Print Heading
 DocType: Quality Action Table,Quality Action Table,Таблица за качествени действия
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Общо не може да е нула
@@ -5903,6 +5992,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Общо (сума)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},"Моля, идентифицирайте / създайте акаунт (група) за тип - {0}"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Забавление и отдих
+DocType: Loan Security,Loan Security,Заемна гаранция
 ,Item Variant Details,Елементи на варианта на елемента
 DocType: Quality Inspection,Item Serial No,Позиция Сериен №
 DocType: Payment Request,Is a Subscription,Е абонамент
@@ -5915,7 +6005,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Последна епоха
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Планираните и приетите дати не могат да бъдат по-малко от днес
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Трансфер Материал на доставчик
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial Не може да има Warehouse. Warehouse трябва да бъде определен от Фондова Влизане или покупка Разписка
 DocType: Lead,Lead Type,Тип потенциален клиент
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Създаване на цитата
@@ -5933,7 +6022,6 @@
 DocType: Leave Allocation,Leave Period,Оставете период
 DocType: Item,Default Material Request Type,Тип заявка за материали по подразбиране
 DocType: Supplier Scorecard,Evaluation Period,Период на оценяване
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Клиентска група&gt; Територия
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,неизвестен
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Работната поръчка не е създадена
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6017,7 +6105,8 @@
 ,Customer-wise Item Price,"Цена на артикула, съобразена с клиентите"
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Отчет за паричните потоци
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Не е създадена материална заявка
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Размер на кредита не може да надвишава сума на максимален заем  {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Размер на кредита не може да надвишава сума на максимален заем  {0}
+DocType: Loan,Loan Security Pledge,Залог за заем на заем
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Разрешително
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"Моля изберете прехвърляне, ако и вие искате да се включат предходната фискална година баланс оставя на тази фискална година"
@@ -6035,6 +6124,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Схема за ценови отстъпки
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,"Състоянието на поддръжката трябва да бъде отменено или завършено, за да бъде изпратено"
 DocType: Amazon MWS Settings,US,нас
+DocType: Loan Security Pledge,Pledged,Заложените
 DocType: Holiday List,Add Weekly Holidays,Добавете седмични празници
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Елемент на отчета
 DocType: Staffing Plan Detail,Vacancies,"Свободни работни места,"
@@ -6053,7 +6143,6 @@
 DocType: Production Plan Item,Planned Start Date,Планирана начална дата
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,"Моля, изберете BOM"
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Наблюдава интегрирания данък за ИТС
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Създаване на запис за изплащане
 DocType: Purchase Order Item,Blanket Order Rate,Обикновена поръчка
 ,Customer Ledger Summary,Обобщение на клиентската книга
 apps/erpnext/erpnext/hooks.py,Certification,сертифициране
@@ -6074,6 +6163,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Оценка Template Title
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Търговски
 DocType: Patient,Alcohol Current Use,Алкохолът текуща употреба
+DocType: Loan,Loan Closure Requested,Изисквано закриване на заем
 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,Категория на освобождаване от данъци
@@ -6097,6 +6187,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Търговски
 DocType: Stock Entry Detail,Basic Amount,Основна сума
 DocType: Training Event,Exam,Изпит
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Дефицит по сигурността на заемния процес
 DocType: Email Campaign,Email Campaign,Кампания по имейл
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Грешка на пазара
 DocType: Complaint,Complaint,оплакване
@@ -6176,6 +6267,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Изпратете това, за да създадете запис на служителите"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Цената на заемната гаранция се припокрива с {0}
 DocType: Item Default,Item Default,Елемент по подразбиране
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Вътрешнодържавни доставки
 DocType: Chapter Member,Leave Reason,Причина за отсъствие
@@ -6202,6 +6294,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Използваните талони са {1}. Позволеното количество се изчерпва
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Искате ли да изпратите материалната заявка
 DocType: Job Offer,Awaiting Response,Очаква отговор
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Заемът е задължителен
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Горе
 DocType: Support Search Source,Link Options,Опции за връзката
@@ -6214,6 +6307,7 @@
 DocType: Training Event Employee,Optional,по избор
 DocType: Salary Slip,Earning & Deduction,Приходи & Удръжки
 DocType: Agriculture Analysis Criteria,Water Analysis,Воден анализ
+DocType: Pledge,Post Haircut Amount,Сума на прическата след публикуване
 DocType: Sales Order,Skip Delivery Note,Пропуснете бележка за доставка
 DocType: Price List,Price Not UOM Dependent,Цена не зависи от UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} вариантите са създадени.
@@ -6240,6 +6334,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Вземи елементите  от продуктов пакет
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Методът на погасяване е задължителен за срочните заеми
 DocType: Asset,Straight Line,Права
 DocType: Project User,Project User,Потребител в проект
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,разцепване
@@ -6284,7 +6379,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Роля позволено да определят замразени сметки &amp; Редактиране на замразени влизания
 DocType: Supplier Scorecard Scoring Variable,Path,път
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Не може да конвертирате Cost Center да Леджър, тъй като има дете възли"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Коефициент на конверсия на UOM ({0} -&gt; {1}) не е намерен за елемент: {2}
 DocType: Production Plan,Total Planned Qty,Общ планиран брой
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Транзакции, които вече са изтеглени от извлечението"
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Наличност - Стойност
@@ -6293,11 +6387,8 @@
 DocType: Material Request Plan Item,Required Quantity,Необходимо количество
 DocType: Lab Test Template,Lab Test Template,Лабораторен тестов шаблон
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Счетоводният период се припокрива с {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Доставчик&gt; Тип доставчик
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Профил за продажби
 DocType: Purchase Invoice Item,Total Weight,Общо тегло
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Моля, изтрийте Служителя <a href=""#Form/Employee/{0}"">{0}</a> \, за да отмените този документ"
 DocType: Pick List Item,Pick List Item,Изберете елемент от списъка
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комисионна за покупко-продажба
 DocType: Job Offer Term,Value / Description,Стойност / Описание
@@ -6344,6 +6435,7 @@
 DocType: Patient Encounter,Encounter Date,Дата на среща
 DocType: Work Order,Update Consumed Material Cost In Project,Актуализиране на разходите за консумирани материали в проекта
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Сметка: {0} с валута: не може да бъде избран {1}
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,"Кредити, предоставяни на клиенти и служители."
 DocType: Bank Statement Transaction Settings Item,Bank Data,Банкови данни
 DocType: Purchase Receipt Item,Sample Quantity,Количество проба
 DocType: Bank Guarantee,Name of Beneficiary,Име на бенефициента
@@ -6412,7 +6504,6 @@
 DocType: Contract,Signed On,Подписано
 DocType: Bank Account,Party Type,Тип Компания
 DocType: Discounted Invoice,Discounted Invoice,Фактура с отстъпка
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отбележете присъствието като <b></b>
 DocType: Payment Schedule,Payment Schedule,Схема на плащане
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Няма намерен служител за дадената стойност на полето на служителя. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Абревиатура
@@ -6484,6 +6575,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Кредитори
 DocType: Assessment Plan,Assessment Name,оценка Име
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Пореден № е задължително
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Сума от {0} е необходима за закриване на заем
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Позиция Wise Tax Подробности
 DocType: Employee Onboarding,Job Offer,Предложение за работа
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Институт Съкращение
@@ -6507,7 +6599,6 @@
 DocType: Purchase Order,To Receive,Да получавам
 DocType: Leave Period,Holiday List for Optional Leave,Почивен списък за незадължителен отпуск
 DocType: Item Tax Template,Tax Rates,Данъчни ставки
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код на артикула&gt; Група артикули&gt; Марка
 DocType: Asset,Asset Owner,Собственик на актив
 DocType: Item,Website Content,Съдържание на уебсайтове
 DocType: Bank Account,Integration ID,Интеграционен идентификатор
@@ -6523,6 +6614,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Синхронизиращи поръчки
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Поръчки пуснати за производство.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Изберете фискална година ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},"Моля, изберете Тип заем за компания {0}"
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS профил изисква да направи POS Влизане
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Точките на лоялност ще се изчисляват от направеното направено (чрез фактурата за продажби), въз основа на посочения коефициент на събираемост."
 DocType: Program Enrollment Tool,Enroll Students,Прием на студенти
@@ -6551,6 +6643,7 @@
 DocType: Customer,Mention if non-standard receivable account,"Споменете, ако нестандартно вземане предвид"
 DocType: Bank,Plaid Access Token,Плейд достъп до маркера
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,"Моля, добавете останалите предимства {0} към някой от съществуващите компоненти"
+DocType: Bank Account,Is Default Account,Профил по подразбиране
 DocType: Journal Entry Account,If Income or Expense,Ако приход или разход
 DocType: Course Topic,Course Topic,Тема на курса
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Програмата за закриване на ваучер за POS съществува за {0} между дата {1} и {2}
@@ -6563,7 +6656,7 @@
 DocType: Disease,Treatment Task,Лечение на лечението
 DocType: Payment Order Reference,Bank Account Details,Детайли за банковата сметка
 DocType: Purchase Order Item,Blanket Order,Поръчка за одеяла
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Сумата за възстановяване трябва да е по-голяма от
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Сумата за възстановяване трябва да е по-голяма от
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Данъчни активи
 DocType: BOM Item,BOM No,BOM Номер
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Актуализиране на подробности
@@ -6619,6 +6712,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Продукти на WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Синтактична грешка във формула или състояние: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Позиция {0} е игнорирана, тъй като тя не е елемент от склад"
+,Loan Security Status,Състояние на сигурността на кредита
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","За да не се прилага ценообразуване правило в дадена сделка, всички приложими правила за ценообразуване трябва да бъдат забранени."
 DocType: Payment Term,Day(s) after the end of the invoice month,Ден (и) след края на месеца на фактурата
 DocType: Assessment Group,Parent Assessment Group,Родител Група оценка
@@ -6633,7 +6727,6 @@
 DocType: Stock Entry Detail,Additional Cost,Допълнителен разход
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрира по Ваучер Не, ако е групирано по ваучер"
 DocType: Quality Inspection,Incoming,Входящ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Моля, настройте номерацията на сериите за присъствие чрез настройка&gt; серия от номерация"
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Създават се стандартни данъчни шаблони за продажби и покупки.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Отчет за резултата от оценката {0} вече съществува.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: ABCD. #####. Ако е зададена серия и партида № не е посочена в транзакциите, тогава автоматично се създава номера на партидата въз основа на тази серия. Ако винаги искате да посочите изрично партида № за този елемент, оставете го празно. Забележка: тази настройка ще има приоритет пред Prefix на серията за наименоване в Настройки на запасите."
@@ -6644,8 +6737,10 @@
 DocType: Contract,Party User,Потребител на партия
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Активите не са създадени за <b>{0}</b> . Ще трябва да създадете актив ръчно.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Моля, поставете фирмения филтър празен, ако Group By е &quot;Company&quot;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Клиентска група&gt; Територия
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Публикуване Дата не може да бъде бъдеща дата
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Пореден № {1} не съвпада с {2} {3}
+DocType: Loan Repayment,Interest Payable,Дължими лихви
 DocType: Stock Entry,Target Warehouse Address,Адрес на целевия склад
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Регулярен отпуск
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Времето преди началния час на смяната, през който се приема за напускане на служителите за присъствие."
@@ -6774,6 +6869,7 @@
 DocType: Issue,Reset Service Level Agreement,Нулиране на споразумение за ниво на обслужване
 ,Sales Person-wise Transaction Summary,Цели на търговец -  Резюме на транзакцията
 DocType: Training Event,Contact Number,Телефон за контакти
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Размерът на заема е задължителен
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Склад {0} не съществува
 DocType: Cashier Closing,Custody,попечителство
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Данни за освобождаване от данък върху доходите на служителите
@@ -6822,6 +6918,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Баланс - Количество
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Условията ще бъдат приложени за всички избрани комбинирани елементи.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Целите не могат да бъдат празни
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Неправилен склад
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Записване на студенти
 DocType: Item Group,Parent Item Group,Родител т Group
 DocType: Appointment Type,Appointment Type,Тип на назначаването
@@ -6875,10 +6972,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Средна цена
 DocType: Appointment,Appointment With,Назначение С
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общата сума за плащане в График на плащанията трябва да е равна на Голямо / Закръглено Общо
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отбележете присъствието като <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","„Предмет, предоставен от клиента“ не може да има процент на оценка"
 DocType: Subscription Plan Detail,Plan,план
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Банково извлечение по Главна книга
-DocType: Job Applicant,Applicant Name,Заявител Име
+DocType: Appointment Letter,Applicant Name,Заявител Име
 DocType: Authorization Rule,Customer / Item Name,Клиент / Име на артикул
 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**. 
 
@@ -6922,11 +7020,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може да се изтрие, тъй като съществува записвания за материални движения за този склад."
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Дистрибуция
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Състоянието на служителя не може да бъде зададено на „Наляво“, тъй като в момента следните служители докладват на този служител:"
-DocType: Journal Entry Account,Loan,заем
+DocType: Loan Repayment,Amount Paid,"Сума, платена"
+DocType: Loan Security Shortfall,Loan,заем
 DocType: Expense Claim Advance,Expense Claim Advance,Разходи за възстановяване на разходи
 DocType: Lab Test,Report Preference,Предпочитание за отчета
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Информация за доброволци.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Ръководител На Проект
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Групиране по клиент
 ,Quoted Item Comparison,Сравнение на редове от оферти
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Припокриване на точкуването между {0} и {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Изпращане
@@ -6946,6 +7046,7 @@
 DocType: Material Request Plan Item,Material Issue,Изписване на материал
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Безплатният артикул не е зададен в правилото за ценообразуване {0}
 DocType: Employee Education,Qualification,Квалификация
+DocType: Loan Security Shortfall,Loan Security Shortfall,Недостиг на кредитна сигурност
 DocType: Item Price,Item Price,Елемент Цена
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Сапуни & почистващи препарати
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Служителят {0} не принадлежи на компанията {1}
@@ -6968,6 +7069,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Подробности за назначение
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Крайния продукт
 DocType: Warehouse,Warehouse Name,Склад - Име
+DocType: Loan Security Pledge,Pledge Time,Време за залог
 DocType: Naming Series,Select Transaction,Изберете транзакция
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Моля, въведете Приемане Role или одобряването на потребителя"
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Споразумение за ниво на услуга с тип субект {0} и субект {1} вече съществува.
@@ -6975,7 +7077,6 @@
 DocType: BOM,Rate Of Materials Based On,Курсове на материали на основата на
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако е активирано, полето Академичен термин ще бъде задължително в програмата за записване на програми."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Стойности на освободени, нулеви стойности и вътрешни доставки без GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Клиентска група&gt; Територия
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Фирмата</b> е задължителен филтър.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Махнете отметката от всичко
 DocType: Purchase Taxes and Charges,On Item Quantity,На брой
@@ -7020,7 +7121,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Недостиг Количество
 DocType: Purchase Invoice,Input Service Distributor,Дистрибутор на входната услуга
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Съществува т вариант {0} със същите атрибути
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Моля, настройте системата за именуване на инструктори в Образование&gt; Настройки за образование"
 DocType: Loan,Repay from Salary,Погасяване от Заплата
 DocType: Exotel Settings,API Token,API Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Искане за плащане срещу {0} {1} за количество {2}
@@ -7040,6 +7140,7 @@
 DocType: Salary Slip,Total Interest Amount,Обща сума на лихвата
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,Складове с деца възли не могат да бъдат превърнати в Леджър
 DocType: BOM,Manage cost of operations,Управление на разходите за дейността
+DocType: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Старши дни
 DocType: Travel Itinerary,Arrival Datetime,Дата на пристигане
 DocType: Tax Rule,Billing Zipcode,Фактуриран пощенски код
@@ -7226,6 +7327,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Часове
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},За вас беше създадена нова среща с {0}
 DocType: Project,Expected Start Date,Очаквана начална дата
+DocType: Work Order,This is a location where raw materials are available.,"Това е място, където се предлагат суровини."
 DocType: Purchase Invoice,04-Correction in Invoice,04-Корекция в фактурата
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Работна поръчка вече е създадена за всички елементи с BOM
 DocType: Bank Account,Party Details,Детайли за партито
@@ -7244,6 +7346,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Оферти:
 DocType: Contract,Partially Fulfilled,Частично изпълнено
 DocType: Maintenance Visit,Fully Completed,Завършен до ключ
+DocType: Loan Security,Loan Security Name,Име на сигурността на заема
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Специални символи, с изключение на &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; И &quot;}&quot; не са позволени в именуването на серии"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Има нулева оценка или се освобождава
 DocType: Employee,Educational Qualification,Образователно-квалификационна
@@ -7300,6 +7403,7 @@
 DocType: Program,Is Featured,Представя се
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Извлича се ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Потребител на селското стопанство
+DocType: Loan Security Shortfall,America/New_York,Америка / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Валидността до датата не може да бъде преди датата на транзакцията
 apps/erpnext/erpnext/stock/stock_ledger.py,{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 Категория
@@ -7377,8 +7481,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,Вие не можете да настроите Frozen стойност
 DocType: Payment Reconciliation,Get Unreconciled Entries,Вземи неизравнени записвания
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Служител {0} е включен Оставете на {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Няма избрани изплащания за вписване в дневника
 DocType: Purchase Invoice,GST Category,GST категория
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Предложените залози са задължителни за обезпечените заеми
 DocType: Payment Reconciliation,From Invoice Date,От Дата на фактура
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Бюджети
 DocType: Invoice Discounting,Disbursed,Изплатени
@@ -7436,14 +7540,13 @@
 DocType: Restaurant,Active Menu,Активно меню
 DocType: Accounting Dimension Detail,Default Dimension,Размер по подразбиране
 DocType: Target Detail,Target Qty,Целево Количество
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Срещу кредит: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Поръчка - Настройки
 DocType: Student Attendance,Present,Настояще
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Складова разписка {0} не трябва да бъде подадена
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Липсата на заплата, изпратена на служителя, ще бъде защитена с парола, паролата ще се генерира въз основа на политиката за паролата."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,Закриване на профила {0} трябва да е от тип Отговорност / Equity
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},Заплата поднасяне на служител {0} вече е създаден за времето лист {1}
-DocType: Vehicle Log,Odometer,одометър
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,одометър
 DocType: Production Plan Item,Ordered Qty,Поръчано Количество
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Точка {0} е деактивирана
 DocType: Stock Settings,Stock Frozen Upto,Фондова Frozen Upto
@@ -7500,7 +7603,6 @@
 DocType: Serial No,Delivery Document Type,Тип документ за Доставка
 DocType: Sales Order,Partly Delivered,Частично Доставени
 DocType: Item Variant Settings,Do not update variants on save,Не актуализирайте вариантите при запис
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Пазител група
 DocType: Email Digest,Receivables,Вземания
 DocType: Lead Source,Lead Source,Потенциален клиент - Източник
 DocType: Customer,Additional information regarding the customer.,Допълнителна информация за клиента.
@@ -7596,6 +7698,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Действителен
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Мениджър на ресторант
+DocType: Loan,Penalty Income Account,Сметка за доходи от санкции
 DocType: Call Log,Call Log,Списък обаждания
 DocType: Authorization Rule,Customerwise Discount,Отстъпка на ниво клиент
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,График за изпълнение на задачите.
@@ -7683,6 +7786,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Схема за отстъпки на продуктите
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Никакъв проблем не е повдигнат от обаждащия се.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Групиране по доставчик
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категория на освобождаване
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Валутна не може да се промени, след като записи с помощта на някои друга валута"
@@ -7693,7 +7797,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Консултативен
 DocType: Subscription Plan,Based on price list,Въз основа на ценоразпис
 DocType: Customer Group,Parent Customer Group,Клиентска група - Родител
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON може да се генерира само от фактура за продажби
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Достигнаха максимални опити за тази викторина!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,абонамент
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Изчаква се създаването на такси
@@ -7711,6 +7814,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Профилактика
 DocType: Delivery Note Item,Against Sales Invoice,Срещу фактура за продажба
 DocType: Purchase Invoice,07-Others,07-Други
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Сума на офертата
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,"Моля, въведете серийни номера за сериализирани елементи"
 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. ,"Оставете без отметка, ако не искате да разгледате партида, докато правите курсови групи."
@@ -7818,6 +7922,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Заплащане Получаване Забележка
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Това се основава на сделки срещу този клиент. Вижте график по-долу за повече подробности
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Създайте материална заявка
+DocType: Loan Interest Accrual,Pending Principal Amount,Висяща главна сума
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Началните и крайните дати не са в валиден Период на заплащане, не могат да се изчислят {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,Нов академичен термин
@@ -7861,6 +7966,7 @@
 											to fullfill Sales Order {2}","Не може да бъде доставен сериен номер {0} на елемент {1}, тъй като е запазен \, за да изпълни поръчката за продажба {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Оферта на доставчик  {0} е създадена
+DocType: Loan Security Unpledge,Unpledge Type,Тип на сваляне
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Краят на годината не може да бъде преди началото на годината
 DocType: Employee Benefit Application,Employee Benefits,Доходи на наети лица
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Идентификационен номер на служителя
@@ -7943,6 +8049,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Код на курса:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Моля, въведете Expense Account"
 DocType: Quality Action Resolution,Problem,проблем
+DocType: Loan Security Type,Loan To Value Ratio,Съотношение заем към стойност
 DocType: Account,Stock,Наличност
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от поръчка за покупка, покупка на фактура или вестник Влизане"
 DocType: Employee,Current Address,Настоящ Адрес
@@ -7960,6 +8067,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Вписване в транзакция на банкова декларация
 DocType: Sales Invoice Item,Discount and Margin,Отстъпка и Марж
 DocType: Lab Test,Prescription,рецепта
+DocType: Process Loan Security Shortfall,Update Time,Време за актуализация
 DocType: Import Supplier Invoice,Upload XML Invoices,Качване на XML фактури
 DocType: Company,Default Deferred Revenue Account,Отчет за разсрочени приходи по подразбиране
 DocType: Project,Second Email,Втори имейл
@@ -7973,7 +8081,7 @@
 DocType: Quality Action,Preventive,профилактичен
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Доставки, направени за нерегистрирани лица"
 DocType: Company,Date of Incorporation,Дата на учредяване
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Общо Данък
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Общо Данък
 DocType: Manufacturing Settings,Default Scrap Warehouse,Склад за скрап по подразбиране
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Последна цена на покупката
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,За Количество (Произведено Количество) е задължително
@@ -7992,6 +8100,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Задайте начина на плащане по подразбиране
 DocType: Stock Entry Detail,Against Stock Entry,Срещу влизането на акции
 DocType: Grant Application,Withdrawn,оттеглен
+DocType: Loan Repayment,Regular Payment,Редовно плащане
 DocType: Support Search Source,Support Search Source,Източник за търсене за поддръжка
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Брутна печалба %
@@ -8004,8 +8113,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Без плащане на данък
 DocType: BOM Operation,BOM Operation,BOM Операция
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На предишния ред Сума
+DocType: Student,Home Address,Начален адрес
 DocType: Options,Is Correct,Е вярно
 DocType: Item,Has Expiry Date,Има дата на изтичане
+DocType: Loan Repayment,Paid Accrual Entries,Платени записвания за начисляване
+DocType: Loan Security,Loan Security Type,Тип на заема
 apps/erpnext/erpnext/config/support.py,Issue Type.,Тип издание
 DocType: POS Profile,POS Profile,POS профил
 DocType: Training Event,Event Name,Име на събитието
@@ -8017,6 +8129,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезонността за определяне на бюджетите, цели и т.н."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Няма стойности
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Име на променливата
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,"Изберете банковата сметка, за да се съгласувате."
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Позиция {0} е шаблон, моля изберете една от неговите варианти"
 DocType: Purchase Invoice Item,Deferred Expense,Отсрочени разходи
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Обратно към Съобщения
@@ -8068,7 +8181,6 @@
 DocType: GL Entry,To Rename,За преименуване
 DocType: Stock Entry,Repack,Преопаковане
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Изберете, за да добавите сериен номер."
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Моля, настройте системата за именуване на инструктори в Образование&gt; Настройки за образование"
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Моля, задайте фискален код за клиента &quot;% s&quot;"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,"Моля, първо изберете фирмата"
 DocType: Item Attribute,Numeric Values,Числови стойности
@@ -8092,6 +8204,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Извличане на базата на FIFO
 DocType: Soil Texture,Clay Loam,Клей Гран
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root не може да се редактира.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Стойност на сигурността на кредита
 DocType: Item,Units of Measure,Мерни единици за измерване
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Нает в Метро Сити
 DocType: Supplier,Default Tax Withholding Config,По подразбиране конфиг
@@ -8138,6 +8251,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Моля, изберете Категория първо"
 apps/erpnext/erpnext/config/projects.py,Project master.,Майстор Project.
 DocType: Contract,Contract Terms,Условия на договора
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Ограничен размер на санкционираната сума
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Продължете конфигурирането
 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,Maximum benefit amount of component {0} exceeds {1},Максималната полза от компонент {0} надвишава {1}
@@ -8170,6 +8284,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Преглед на дневника на повикванията
 DocType: BOM Operation,Operating Cost(Company Currency),Експлоатационни разходи (Валути на фирмата)
 DocType: Loan Application,Rate of Interest,Размерът на лихвата
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Залог за заем вече е заложен срещу заем {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Санкционирани Сума
 DocType: Item,Shelf Life In Days,Живот през дните
 DocType: GL Entry,Is Opening,Се отваря
@@ -8183,3 +8298,4 @@
 DocType: Account,Cash,Каса (Пари в брой)
 DocType: Sales Invoice,Unpaid and Discounted,Неплатен и отстъпка
 DocType: Employee,Short biography for website and other publications.,Кратка биография за уебсайт и други публикации.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,"Ред № {0}: Не може да се избере склад за доставчици, докато се добавят суровини към подизпълнителя"
diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv
index 4bb9c26..24f3fbe 100644
--- a/erpnext/translations/bn.csv
+++ b/erpnext/translations/bn.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,সুযোগ হারানো কারণ
 DocType: Patient Appointment,Check availability,গ্রহণযোগ্যতা যাচাই
 DocType: Retention Bonus,Bonus Payment Date,বোনাস প্রদানের তারিখ
-DocType: Employee,Job Applicant,কাজ আবেদনকারী
+DocType: Appointment Letter,Job Applicant,কাজ আবেদনকারী
 DocType: Job Card,Total Time in Mins,মিনসে মোট সময়
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,এই সরবরাহকারী বিরুদ্ধে লেনদেনের উপর ভিত্তি করে তৈরি. বিস্তারিত জানার জন্য নিচের টাইমলাইনে দেখুন
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,কাজের আদেশের জন্য প্রযোজক শতাংশ
@@ -183,6 +183,7 @@
 DocType: Delivery Stop,Contact Information,যোগাযোগের তথ্য
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,যে কোনও কিছুর সন্ধান করুন ...
 ,Stock and Account Value Comparison,স্টক এবং অ্যাকাউন্টের মূল্য তুলনা
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,বিতরণকৃত পরিমাণ loanণের পরিমাণের চেয়ে বেশি হতে পারে না
 DocType: Company,Phone No,ফোন নম্বর
 DocType: Delivery Trip,Initial Email Notification Sent,প্রাথমিক ইমেল বিজ্ঞপ্তি পাঠানো
 DocType: Bank Statement Settings,Statement Header Mapping,বিবৃতি হেডার ম্যাপিং
@@ -288,6 +289,7 @@
 DocType: Lead,Interested,আগ্রহী
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,উদ্বোধন
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,কার্যক্রম:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,সময় থেকে বৈধ অবধি বৈধ আপ সময়ের চেয়ে কম হতে হবে।
 DocType: Item,Copy From Item Group,আইটেম গ্রুপ থেকে কপি
 DocType: Journal Entry,Opening Entry,প্রারম্ভিক ভুক্তি
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,হিসাব চুকিয়ে শুধু
@@ -335,6 +337,7 @@
 DocType: Student,B-,বি-
 DocType: Assessment Result,Grade,শ্রেণী
 DocType: Restaurant Table,No of Seats,আসন সংখ্যা নেই
+DocType: Loan Type,Grace Period in Days,দিনগুলিতে গ্রেস পিরিয়ড
 DocType: Sales Invoice,Overdue and Discounted,অতিরিক্ত ও ছাড়যুক্ত
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},সম্পদ {0} রক্ষক {1} এর সাথে সম্পর্কিত নয়
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,কল সংযোগ বিচ্ছিন্ন
@@ -386,7 +389,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,নির্ধারিত পদ্ধতি
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,শুধুমাত্র পিওএস দেখান
 DocType: Supplier Group,Supplier Group Name,সরবরাহকারী গ্রুপ নাম
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,হিসাবে উপস্থিতি চিহ্নিত করুন <b></b>
 DocType: Driver,Driving License Categories,ড্রাইভিং লাইসেন্স বিভাগ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ডেলিভারি তারিখ লিখুন দয়া করে
 DocType: Depreciation Schedule,Make Depreciation Entry,অবচয় এণ্ট্রি করুন
@@ -403,10 +405,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,অপারেশনের বিবরণ সম্পন্ন.
 DocType: Asset Maintenance Log,Maintenance Status,রক্ষণাবেক্ষণ অবস্থা
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,আইটেম ট্যাক্স পরিমাণ মান অন্তর্ভুক্ত
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Securityণ সুরক্ষা আনপ্লেজ
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,সদস্যতা বিবরণ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: সরবরাহকারী প্রদেয় অ্যাকাউন্ট বিরুদ্ধে প্রয়োজন বোধ করা হয় {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,চলছে এবং প্রাইসিং
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},মোট ঘন্টা: {0}
+DocType: Loan,Loan Manager,Managerণ ব্যবস্থাপক
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},জন্ম থেকে অর্থবছরের মধ্যে হওয়া উচিত. জন্ম থেকে Assuming = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,অন্তর
@@ -465,6 +469,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',&#39;টাইম ইন&#39; র মাধ্যমে আপডেট
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,গ্রাহক বা সরবরাহকারী নির্বাচন করুন।
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ফাইলের মধ্যে দেশের কোড সিস্টেমের মধ্যে সেট আপ করা দেশের কোডের সাথে মেলে না
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},অ্যাকাউন্ট {0} কোম্পানি অন্তর্গত নয় {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ডিফল্ট হিসাবে কেবলমাত্র একটি অগ্রাধিকার নির্বাচন করুন।
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},অগ্রিম পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","সময় স্লট skiped, স্লট {0} থেকে {1} exisiting স্লট ওভারল্যাপ {2} থেকে {3}"
@@ -540,7 +545,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ত্যাগ অবরুদ্ধ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},আইটেম {0} জীবনের তার শেষ পৌঁছেছে {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ব্যাংক দাখিলা
-DocType: Customer,Is Internal Customer,অভ্যন্তরীণ গ্রাহক হয়
+DocType: Sales Invoice,Is Internal Customer,অভ্যন্তরীণ গ্রাহক হয়
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,বিক্রয় চালান কোন
@@ -564,6 +569,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,উপাদানের জন্য অনুরোধ
 DocType: Bank Reconciliation,Update Clearance Date,আপডেট পরিস্কারের তারিখ
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,বান্ডিল কিটি
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,আবেদন অনুমোদিত না হওয়া পর্যন্ত loanণ তৈরি করতে পারবেন না
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ক্রয় করার &#39;কাঁচামাল সরবরাহ করা&#39; টেবিলের মধ্যে পাওয়া আইটেম {0} {1}
 DocType: Salary Slip,Total Principal Amount,মোট প্রিন্সিপাল পরিমাণ
@@ -571,6 +577,7 @@
 DocType: Quiz Result,Correct,ঠিক
 DocType: Student Guardian,Mother,মা
 DocType: Restaurant Reservation,Reservation End Time,রিজার্ভেশন এন্ড টাইম
+DocType: Salary Slip Loan,Loan Repayment Entry,Anণ পরিশোধের প্রবেশ
 DocType: Crop,Biennial,দ্বিবার্ষিক
 ,BOM Variance Report,বোম ভাঙ্গন রিপোর্ট
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,গ্রাহকরা থেকে নিশ্চিত আদেশ.
@@ -591,6 +598,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},বিপরীতে পরিশোধ {0} {1} বকেয়া পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,সমস্ত স্বাস্থ্যসেবা পরিষেবা ইউনিট
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,সুযোগটি রূপান্তর করার উপর
+DocType: Loan,Total Principal Paid,মোট অধ্যক্ষ প্রদেয়
 DocType: Bank Account,Address HTML,ঠিকানা এইচটিএমএল
 DocType: Lead,Mobile No.,মোবাইল নাম্বার.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,পেমেন্ট পদ্ধতি
@@ -609,12 +617,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,বেস মুদ্রায় ব্যালেন্স
 DocType: Supplier Scorecard Scoring Standing,Max Grade,সর্বোচ্চ গ্রেড
 DocType: Email Digest,New Quotations,নতুন উদ্ধৃতি
+DocType: Loan Interest Accrual,Loan Interest Accrual,Interestণের সুদের পরিমাণ
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,ছুটিতে {0} হিসাবে উপস্থিতি {0} জন্য জমা দেওয়া হয়নি।
 DocType: Journal Entry,Payment Order,পেমেন্ট অর্ডার
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ইমেল যাচাই করুন
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,অন্যান্য উত্স থেকে আয়
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ফাঁকা থাকলে, প্যারেন্ট ওয়ারহাউস অ্যাকাউন্ট বা কোম্পানির ডিফল্ট বিবেচনা করা হবে"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,কর্মচারী থেকে ইমেল বেতন স্লিপ কর্মচারী নির্বাচিত পছন্দসই ই-মেইল উপর ভিত্তি করে
+DocType: Work Order,This is a location where operations are executed.,এটি এমন একটি অবস্থান যেখানে অপারেশনগুলি কার্যকর করা হয়।
 DocType: Tax Rule,Shipping County,শিপিং কাউন্টি
 DocType: Currency Exchange,For Selling,বিক্রয় জন্য
 apps/erpnext/erpnext/config/desktop.py,Learn,শেখা
@@ -623,6 +633,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,প্রয়োগকৃত কুপন কোড
 DocType: Asset,Next Depreciation Date,পরবর্তী অবচয় তারিখ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,কর্মচারী প্রতি কার্যকলাপ খরচ
+DocType: Loan Security,Haircut %,কেশকর্তন %
 DocType: Accounts Settings,Settings for Accounts,অ্যাকাউন্ট এর জন্য সেটিং
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},সরবরাহকারী চালান কোন ক্রয় চালান মধ্যে বিদ্যমান {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,সেলস পারসন গাছ পরিচালনা.
@@ -661,6 +672,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{} এ হোটেল রুম রেট সেট করুন
 DocType: Journal Entry,Multi Currency,বিভিন্ন দেশের মুদ্রা
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,চালান প্রকার
+DocType: Loan,Loan Security Details,Securityণ সুরক্ষা বিবরণ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,তারিখ থেকে বৈধ তারিখ অবধি বৈধের চেয়ে কম হওয়া আবশ্যক
 DocType: Purchase Invoice,Set Accepted Warehouse,স্বীকৃত গুদাম সেট করুন
 DocType: Employee Benefit Claim,Expense Proof,ব্যয় প্রুফ
@@ -761,7 +773,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,ল্যাব টেস্ট অনুমোদন প্রয়োজন
 DocType: Attendance,Working Hours,কর্মঘন্টা
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,পুরো অসাধারন
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -&gt; {1}) আইটেমটির জন্য পাওয়া যায় নি: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,একটি বিদ্যমান সিরিজের শুরু / বর্তমান ক্রম সংখ্যা পরিবর্তন করুন.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,অর্ডারের পরিমাণের তুলনায় আপনাকে আরও বেশি বিল দেওয়ার অনুমতি দেওয়া হচ্ছে শতাংশ। উদাহরণস্বরূপ: যদি কোনও আইটেমের জন্য অর্ডার মান $ 100 এবং সহনশীলতা 10% হিসাবে সেট করা থাকে তবে আপনাকে 110 ডলারে বিল দেওয়ার অনুমতি দেওয়া হবে।
 DocType: Dosage Strength,Strength,শক্তি
@@ -778,6 +789,7 @@
 DocType: Purchase Receipt,Vehicle Date,যানবাহন তারিখ
 DocType: Campaign Email Schedule,Campaign Email Schedule,প্রচারের ইমেল সূচি
 DocType: Student Log,Medical,মেডিকেল
+DocType: Work Order,This is a location where scraped materials are stored.,এটি এমন একটি অবস্থান যেখানে স্ক্র্যাপযুক্ত উপকরণগুলি সংরক্ষণ করা হয়।
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,ড্রাগন নির্বাচন করুন
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,লিড মালিক লিড হিসাবে একই হতে পারে না
 DocType: Announcement,Receiver,গ্রাহক
@@ -871,7 +883,7 @@
 DocType: Driver,Applicable for external driver,বহিরাগত ড্রাইভার জন্য প্রযোজ্য
 DocType: Sales Order Item,Used for Production Plan,উৎপাদন পরিকল্পনা জন্য ব্যবহৃত
 DocType: BOM,Total Cost (Company Currency),মোট ব্যয় (কোম্পানির মুদ্রা)
-DocType: Loan,Total Payment,মোট পরিশোধ
+DocType: Repayment Schedule,Total Payment,মোট পরিশোধ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO ইতিমধ্যে সমস্ত বিক্রয় আদেশ আইটেম জন্য তৈরি
@@ -895,6 +907,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ক্রয় অর্ডারগুলি সতর্ক করুন
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,তারিখ থেকে ভাড়া দেওয়া
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,পর্যাপ্ত যন্ত্রাংশ তৈরি করুন
+DocType: Loan Security,Loan Security Code,Securityণ সুরক্ষা কোড
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,দয়া করে প্রথমে সংরক্ষণ করুন
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,আইটেমগুলির সাথে এটি সম্পর্কিত কাঁচামাল টানতে প্রয়োজনীয়।
 DocType: POS Profile User,POS Profile User,পিওএস প্রোফাইল ব্যবহারকারী
@@ -950,6 +963,7 @@
 DocType: Patient,Risk Factors,ঝুঁকির কারণ
 DocType: Patient,Occupational Hazards and Environmental Factors,পেশাগত ঝুঁকি এবং পরিবেশগত ফ্যাক্টর
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,স্টক তালিকাগুলি ইতিমধ্যে ওয়ার্ক অর্ডারের জন্য তৈরি করা হয়েছে
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,আইটেম কোড&gt; আইটেম গ্রুপ&gt; ব্র্যান্ড
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,অতীত আদেশ দেখুন
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} কথোপকথন
 DocType: Vital Signs,Respiratory rate,শ্বাসপ্রশ্বাসের হার
@@ -1012,6 +1026,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,কর আটকানোর অ্যাকাউন্ট
 DocType: Pricing Rule,Sales Partner,বিক্রয় অংশীদার
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,সমস্ত সরবরাহকারী স্কোরকার্ড
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,অর্ডার পরিমাণ
+DocType: Loan,Disbursed Amount,বিতরণকৃত পরিমাণ
 DocType: Buying Settings,Purchase Receipt Required,কেনার রসিদ প্রয়োজনীয়
 DocType: Sales Invoice,Rail,রেল
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,প্রকৃত দাম
@@ -1049,6 +1065,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks সংযুক্ত
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},টাইপের জন্য অ্যাকাউন্ট (লেজার) সনাক্ত করুন / তৈরি করুন - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,প্রদেয় অ্যাকাউন্ট
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,পেমেন্ট এন্ট্রি পেতে অ্যাকাউন্ট বাধ্যতামূলক
 DocType: Payment Entry,Type of Payment,পেমেন্ট প্রকার
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,অর্ধ দিবসের তারিখ বাধ্যতামূলক
 DocType: Sales Order,Billing and Delivery Status,বিলিং এবং বিলি অবস্থা
@@ -1086,7 +1103,7 @@
 DocType: Purchase Order Item,Billed Amt,দেখানো হয়েছিল মাসিক
 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,Principal Amount,প্রধান পরিমাণ
+DocType: Repayment Schedule,Principal Amount,প্রধান পরিমাণ
 DocType: Loan Application,Total Payable Interest,মোট প্রদেয় সুদের
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},মোট অসামান্য: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,যোগাযোগ খুলুন
@@ -1099,6 +1116,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,আপডেট প্রক্রিয়ার সময় একটি ত্রুটি ঘটেছে
 DocType: Restaurant Reservation,Restaurant Reservation,রেস্টুরেন্ট রিজার্ভেশন
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,আপনার আইটেম
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,সরবরাহকারী&gt; সরবরাহকারী প্রকার
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,প্রস্তাবনা লিখন
 DocType: Payment Entry Deduction,Payment Entry Deduction,পেমেন্ট এণ্ট্রি সিদ্ধান্তগ্রহণ
 DocType: Service Level Priority,Service Level Priority,পরিষেবা স্তরের অগ্রাধিকার
@@ -1251,7 +1269,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","চাইল্ড কোম্পানির জন্য অ্যাকাউন্ট তৈরি করার সময় {0}, প্যারেন্ট অ্যাকাউন্ট {1} পাওয়া যায় নি। অনুগ্রহ করে সংশ্লিষ্ট সিওএতে প্যারেন্ট অ্যাকাউন্টটি তৈরি করুন"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,স্প্লিট ইস্যু
 DocType: Student Attendance,Student Attendance,ছাত্র এ্যাটেনডেন্স
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,রফতানির জন্য কোনও ডেটা নেই
 DocType: Sales Invoice Timesheet,Time Sheet,টাইম শিট
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush কাঁচামালের ভিত্তিতে
 DocType: Sales Invoice,Port Code,পোর্ট কোড
@@ -1264,6 +1281,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,আসল বিতরণ তারিখ
 DocType: Lab Test,Test Template,টেস্ট টেমপ্লেট
+DocType: Loan Security Pledge,Securities,সিকিউরিটিজ
 DocType: Restaurant Order Entry Item,Served,জারি
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,অধ্যায় তথ্য।
 DocType: Account,Accounts,অ্যাকাউন্ট
@@ -1356,6 +1374,7 @@
 DocType: Inpatient Record,O Negative,হে নেতিবাচক
 DocType: Work Order Operation,Planned End Time,পরিকল্পনা শেষ সময়
 DocType: POS Profile,Only show Items from these Item Groups,এই আইটেম গ্রুপগুলি থেকে কেবল আইটেমগুলি দেখান
+DocType: Loan,Is Secured Loan,সুরক্ষিত .ণ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,সম্মিলিত প্রকার বিবরণ
 DocType: Delivery Note,Customer's Purchase Order No,গ্রাহকের ক্রয় আদেশ কোন
@@ -1392,6 +1411,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,অনুগ্রহ করে এন্ট্রি পাওয়ার জন্য কোম্পানি এবং পোস্টিং তারিখ নির্বাচন করুন
 DocType: Asset,Maintenance,রক্ষণাবেক্ষণ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,রোগীর এনকাউন্টার থেকে পান
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -&gt; {1}) আইটেমটির জন্য পাওয়া যায় নি: {2}
 DocType: Subscriber,Subscriber,গ্রাহক
 DocType: Item Attribute Value,Item Attribute Value,আইটেম মান গুন
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,মুদ্রা বিনিময় কেনা বা বিক্রয়ের জন্য প্রযোজ্য হবে।
@@ -1471,6 +1491,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,অনুমতি নেই
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,চুক্তি পূরণের চেকলিস্ট
 DocType: Vital Signs,Heart Rate / Pulse,হার্ট রেট / পালস
+DocType: Customer,Default Company Bank Account,ডিফল্ট সংস্থা ব্যাংক অ্যাকাউন্ট
 DocType: Supplier,Default Bank Account,ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","পার্টি উপর ভিত্তি করে ফিল্টার করুন, নির্বাচন পার্টি প্রথম টাইপ"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"আইটেম মাধ্যমে বিতরণ করা হয় না, কারণ &#39;আপডেট স্টক চেক করা যাবে না {0}"
@@ -1587,7 +1608,6 @@
 DocType: Sales Team,Incentives,ইনসেনটিভ
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,সিঙ্কের বাইরে মানগুলি
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,পার্থক্য মান
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,দয়া করে সেটআপ&gt; নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন
 DocType: SMS Log,Requested Numbers,অনুরোধ করা নাম্বার
 DocType: Volunteer,Evening,সন্ধ্যা
 DocType: Quiz,Quiz Configuration,কুইজ কনফিগারেশন
@@ -1607,6 +1627,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,পূর্ববর্তী সারি মোট উপর
 DocType: Purchase Invoice Item,Rejected Qty,প্রত্যাখ্যাত Qty
 DocType: Setup Progress Action,Action Field,অ্যাকশন ক্ষেত্র
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,সুদের এবং জরিমানার হারের জন্য Typeণের ধরণ
 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,ডেলিভারি স্টপ
@@ -1618,6 +1639,7 @@
 ,Final Assessment Grades,ফাইনাল অ্যাসেসমেন্ট গ্রেড
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"আপনার কোম্পানির নাম, যার জন্য আপনি এই সিস্টেম সেট আপ করা হয়."
 DocType: HR Settings,Include holidays in Total no. of Working Days,কোন মোট মধ্যে ছুটির অন্তর্ভুক্ত. কার্যদিবসের
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,গ্র্যান্ড টোটাল এর%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext এ আপনার ইনস্টিটিউট সেটআপ করুন
 DocType: Agriculture Analysis Criteria,Plant Analysis,উদ্ভিদ বিশ্লেষণ
 DocType: Task,Timeline,সময়রেখা
@@ -1625,9 +1647,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,বিকল্প আইটেম
 DocType: Shopify Log,Request Data,ডেটা অনুরোধ
 DocType: Employee,Date of Joining,যোগদান তারিখ
+DocType: Delivery Note,Inter Company Reference,আন্তঃ কোম্পানির রেফারেন্স
 DocType: Naming Series,Update Series,আপডেট সিরিজ
 DocType: Supplier Quotation,Is Subcontracted,আউটসোর্স হয়
 DocType: Restaurant Table,Minimum Seating,ন্যূনতম আসন
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,প্রশ্নটি সদৃশ হতে পারে না
 DocType: Item Attribute,Item Attribute Values,আইটেম বৈশিষ্ট্য মূল্যবোধ
 DocType: Examination Result,Examination Result,পরীক্ষার ফলাফল
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,কেনার রশিদ
@@ -1729,6 +1753,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,সিঙ্ক অফলাইন চালান
 DocType: Payment Request,Paid,প্রদত্ত
 DocType: Service Level,Default Priority,ডিফল্ট অগ্রাধিকার
+DocType: Pledge,Pledge,অঙ্গীকার
 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 মধ্যে সর্বশেষ মূল্য আপডেট।"
@@ -1742,6 +1767,7 @@
 DocType: Guardian,Guardian Name,অভিভাবকের নাম
 DocType: Cheque Print Template,Has Print Format,প্রিন্ট ফরম্যাট রয়েছে
 DocType: Support Settings,Get Started Sections,বিভাগগুলি শুরু করুন
+,Loan Repayment and Closure,Anণ পরিশোধ এবং বন্ধ
 DocType: Lead,CRM-LEAD-.YYYY.-,সিআরএম-লিড .YYYY.-
 DocType: Invoice Discounting,Sanctioned,অনুমোদিত
 ,Base Amount,বেস পরিমাণ
@@ -1755,7 +1781,6 @@
 DocType: Student Admission,Publish on website,ওয়েবসাইটে প্রকাশ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,সরবরাহকারী চালান তারিখ পোস্টিং তারিখ তার চেয়ে অনেক বেশী হতে পারে না
 DocType: Installation Note,MAT-INS-.YYYY.-,মাদুর-ইনগুলি-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,আইটেম কোড&gt; আইটেম গ্রুপ&gt; ব্র্যান্ড
 DocType: Subscription,Cancelation Date,বাতিলকরণ তারিখ
 DocType: Purchase Invoice Item,Purchase Order Item,আদেশ আইটেম ক্রয়
 DocType: Agriculture Task,Agriculture Task,কৃষি কাজ
@@ -1774,7 +1799,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,অতিরিক্ত ছাড় শতাংশ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,সব সাহায্য ভিডিওর একটি তালিকা দেখুন
 DocType: Agriculture Analysis Criteria,Soil Texture,মৃত্তিকা টেক্সচার
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,চেক জমা ছিল ব্যাংকের নির্বাচন অ্যাকাউন্ট মাথা.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,ব্যবহারকারী লেনদেনের মূল্য তালিকা হার সম্পাদন করার অনুমতি প্রদান
 DocType: Pricing Rule,Max Qty,সর্বোচ্চ Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,রিপোর্ট কার্ড মুদ্রণ করুন
@@ -1905,7 +1929,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","সেট আপ করার পরে, এই চালান সেট তারিখ পর্যন্ত রাখা হবে"
 DocType: Cashier Closing,POS-CLO-,পিওএস-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,বিক্রয় পরিমাণ
-DocType: Repayment Schedule,Interest Amount,সুদের পরিমাণ
+DocType: Loan Interest Accrual,Interest Amount,সুদের পরিমাণ
 DocType: Job Card,Time Logs,সময় লগসমূহ
 DocType: Sales Invoice,Loyalty Amount,আনুগত্য পরিমাণ
 DocType: Employee Transfer,Employee Transfer Detail,কর্মচারী ট্রান্সফার বিস্তারিত
@@ -1945,7 +1969,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ক্রয় আদেশ আইটেম শেষ
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,জিপ কোড
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},বিক্রয় আদেশ {0} হল {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ঋণের সুদ আয় অ্যাকাউন্ট নির্বাচন করুন {0}
 DocType: Opportunity,Contact Info,যোগাযোগের তথ্য
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,শেয়ার দাখিলা তৈরীর
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,কর্মচারী উন্নয়নে স্থিরতা বজায় রাখতে পারে না
@@ -2029,7 +2052,6 @@
 DocType: Salary Slip,Deductions,Deductions
 DocType: Setup Progress Action,Action Name,কর্ম নাম
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,শুরুর বছর
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Createণ তৈরি করুন
 DocType: Purchase Invoice,Start date of current invoice's period,বর্তমান চালান এর সময়সীমার তারিখ শুরু
 DocType: Shift Type,Process Attendance After,প্রক্রিয়া উপস্থিতি পরে
 ,IRS 1099,আইআরএস 1099
@@ -2050,6 +2072,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,আপনার ডোমেন নির্বাচন করুন
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify সরবরাহকারী
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,পেমেন্ট ইনভয়েস আইটেমগুলি
+DocType: Repayment Schedule,Is Accrued,জমা হয়
 DocType: Payroll Entry,Employee Details,কর্মচারী বিবরণ
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,এক্সএমএল ফাইলগুলি প্রক্রিয়া করা হচ্ছে
 DocType: Amazon MWS Settings,CN,সিএন
@@ -2079,6 +2102,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,লয়্যালটি পয়েন্ট এন্ট্রি
 DocType: Employee Checkin,Shift End,শিফট শেষ
 DocType: Stock Settings,Default Item Group,ডিফল্ট আইটেম গ্রুপ
+DocType: Loan,Partially Disbursed,আংশিকভাবে বিতরণ
 DocType: Job Card Time Log,Time In Mins,সময় মধ্যে মিনিট
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,তথ্য মঞ্জুর
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,এই ক্রিয়াকলাপটি আপনার ব্যাংক অ্যাকাউন্টগুলির সাথে ERPNext একীকরণ করা কোনও বাহ্যিক পরিষেবা থেকে এই অ্যাকাউন্টটিকে লিঙ্কমুক্ত করবে। এটি পূর্বাবস্থায় ফেরা যায় না। আপনি নিশ্চিত ?
@@ -2094,6 +2118,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,একই আইটেম একাধিক বার প্রবেশ করানো যাবে না.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","আরও অ্যাকাউন্ট দলের অধীনে করা যেতে পারে, কিন্তু এন্ট্রি অ গ্রুপের বিরুদ্ধে করা যেতে পারে"
+DocType: Loan Repayment,Loan Closure,Cণ বন্ধ
 DocType: Call Log,Lead,লিড
 DocType: Email Digest,Payables,Payables
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth টোকেন
@@ -2126,6 +2151,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ই-ওয়ে বিল জেএসএন কেবল জমা দেওয়া নথি থেকে তৈরি করা যেতে পারে
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,কর্মচারী কর এবং সুবিধা
 DocType: Bank Guarantee,Validity in Days,দিনের মধ্যে মেয়াদ
+DocType: Unpledge,Haircut,কেশকর্তন
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},সি-ফর্ম চালান জন্য প্রযোজ্য নয়: {0}
 DocType: Certified Consultant,Name of Consultant,কনসালটেন্টের নাম
 DocType: Payment Reconciliation,Unreconciled Payment Details,অসমর্পিত পেমেন্ট বিবরণ
@@ -2178,7 +2204,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,বিশ্বের বাকি
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,আইটেম {0} ব্যাচ থাকতে পারে না
 DocType: Crop,Yield UOM,ফলন
+DocType: Loan Security Pledge,Partially Pledged,আংশিক প্রতিশ্রুতিবদ্ধ
 ,Budget Variance Report,বাজেট ভেদাংক প্রতিবেদন
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,অনুমোদিত anণের পরিমাণ
 DocType: Salary Slip,Gross Pay,গ্রস পে
 DocType: Item,Is Item from Hub,হাব থেকে আইটেম
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,স্বাস্থ্যসেবা পরিষেবা থেকে আইটেম পান
@@ -2213,6 +2241,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,নতুন মানের পদ্ধতি
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},অ্যাকাউন্টের জন্য ব্যালেন্স {0} সবসময় হতে হবে {1}
 DocType: Patient Appointment,More Info,অধিক তথ্য
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,যোগদানের তারিখের চেয়ে জন্মের তারিখ বেশি হতে পারে না।
 DocType: Supplier Scorecard,Scorecard Actions,স্কোরকার্ড অ্যাকশনগুলি
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},সরবরাহকারী {0} পাওয়া যায় নি {1}
 DocType: Purchase Invoice,Rejected Warehouse,পরিত্যক্ত গুদাম
@@ -2306,6 +2335,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,প্রথম আইটেম কোড প্রথম সেট করুন
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ডক ধরন
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Securityণ সুরক্ষা প্রতিশ্রুতি তৈরি: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,নিয়োগ এবং রোগীর এনকাউন্টার
@@ -2361,6 +2391,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,একযোগে নিয়োগের সংখ্যা
 apps/erpnext/erpnext/config/desktop.py,Getting Started,শুরু হচ্ছে
 DocType: Purchase Invoice,Taxes and Charges Calculation,কর ও শুল্ক ক্যালকুলেশন
+DocType: Loan Interest Accrual,Payable Principal Amount,প্রদেয় অধ্যক্ষের পরিমাণ
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,বইয়ের অ্যাসেট অবচয় এণ্ট্রি স্বয়ংক্রিয়ভাবে
 DocType: BOM Operation,Workstation,ওয়ার্কস্টেশন
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,উদ্ধৃতি সরবরাহকারী জন্য অনুরোধ
@@ -2396,7 +2427,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,খাদ্য
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,বুড়ো রেঞ্জ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,পিওস সমাপ্তি ভাউচার বিবরণ
-DocType: Bank Account,Is the Default Account,ডিফল্ট অ্যাকাউন্ট
 DocType: Shopify Log,Shopify Log,Shopify লগ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,কোনও যোগাযোগ পাওয়া যায়নি।
 DocType: Inpatient Occupancy,Check In,চেক ইন
@@ -2450,12 +2480,14 @@
 DocType: Sales Order Item,Planned Quantity,পরিকল্পনা পরিমাণ
 DocType: Water Analysis,Water Analysis Criteria,জল বিশ্লেষণ পরিমাপ
 DocType: Item,Maintain Stock,শেয়ার বজায়
+DocType: Loan Security Unpledge,Unpledge Time,আনপ্লেজ সময়
 DocType: Terms and Conditions,Applicable Modules,প্রযোজ্য মডিউল
 DocType: Employee,Prefered Email,Prefered ইমেইল
 DocType: Student Admission,Eligibility and Details,যোগ্যতা এবং বিবরণ
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,মোট লাভ অন্তর্ভুক্ত
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,পরিসম্পদ মধ্যে নিট পরিবর্তন
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,রেকিড Qty
+DocType: Work Order,This is a location where final product stored.,এটি এমন একটি অবস্থান যেখানে চূড়ান্ত পণ্য সঞ্চিত।
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},সর্বোচ্চ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime থেকে
@@ -2495,8 +2527,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,পাটা / এএমসি স্থিতি
 ,Accounts Browser,অ্যাকাউন্ট ব্রাউজার
 DocType: Procedure Prescription,Referral,রেফারেল
+,Territory-wise Sales,অঞ্চলভিত্তিক বিক্রয়
 DocType: Payment Entry Reference,Payment Entry Reference,পেমেন্ট এন্ট্রি রেফারেন্স
 DocType: GL Entry,GL Entry,জিএল এণ্ট্রি
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,সারি # {0}: গৃহীত গুদাম এবং সরবরাহকারী গুদাম এক হতে পারে না
 DocType: Support Search Source,Response Options,প্রতিক্রিয়া বিকল্প
 DocType: Pricing Rule,Apply Multiple Pricing Rules,একাধিক মূল্যের বিধি প্রয়োগ করুন
 DocType: HR Settings,Employee Settings,কর্মচারী সেটিংস
@@ -2570,6 +2604,7 @@
 DocType: Item,Sales Details,বিক্রয় বিবরণ
 DocType: Coupon Code,Used,ব্যবহৃত
 DocType: Opportunity,With Items,জানানোর সঙ্গে
+DocType: Vehicle Log,last Odometer Value ,সর্বশেষ ওডোমিটার মান
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',প্রচারাভিযান &#39;{0}&#39; ইতিমধ্যে {1} &#39;{2}&#39; এর জন্য বিদ্যমান
 DocType: Asset Maintenance,Maintenance Team,রক্ষণাবেক্ষণ দল
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","বিভাগে উপস্থিত হওয়া উচিত অর্ডার। 0 প্রথম হয়, 1 দ্বিতীয় হয় এবং আরও।"
@@ -2580,7 +2615,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ব্যয় দাবি {0} ইতিমধ্যে জন্য যানবাহন লগ বিদ্যমান
 DocType: Asset Movement Item,Source Location,উত্স অবস্থান
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,প্রতিষ্ঠানের নাম
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ঋণ পরিশোধের পরিমাণ প্রবেশ করুন
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,ঋণ পরিশোধের পরিমাণ প্রবেশ করুন
 DocType: Shift Type,Working Hours Threshold for Absent,অনুপস্থিত থাকার জন্য ওয়ার্কিং আওয়ারস থ্রেশহোল্ড
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,মোট ব্যয় ভিত্তিতে একাধিক টায়ার্ড সংগ্রহ ফ্যাক্টর হতে পারে। কিন্তু রিডমপশন জন্য রূপান্তর ফ্যাক্টর সর্বদা সব স্তর জন্য একই হবে।
 apps/erpnext/erpnext/config/help.py,Item Variants,আইটেম রুপভেদ
@@ -2603,6 +2638,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,পেমেন্ট টেবিল অন্তর্ভুক্ত কোন রেকর্ড
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},এই {0} সঙ্গে দ্বন্দ্ব {1} জন্য {2} {3}
 DocType: Student Attendance Tool,Students HTML,শিক্ষার্থীরা এইচটিএমএল
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,প্রথমে আবেদনকারী প্রকারটি নির্বাচন করুন
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","বিওএম, কিউটি এবং গুদামের জন্য নির্বাচন করুন"
 DocType: GST HSN Code,GST HSN Code,GST HSN কোড
 DocType: Employee External Work History,Total Experience,মোট অভিজ্ঞতা
@@ -2691,7 +2727,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",আইটেমের জন্য কোনও সক্রিয় BOM পাওয়া যায়নি {0}। \ Serial No দ্বারা ডেলিভারি নিশ্চিত করা যাবে না
 DocType: Sales Partner,Sales Partner Target,বিক্রয় অংশীদার উদ্দিষ্ট
-DocType: Loan Type,Maximum Loan Amount,সর্বোচ্চ ঋণের পরিমাণ
+DocType: Loan Application,Maximum Loan Amount,সর্বোচ্চ ঋণের পরিমাণ
 DocType: Coupon Code,Pricing Rule,প্রাইসিং রুল
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},শিক্ষার্থীর জন্য ডুপ্লিকেট রোল নম্বর {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,আদেশ ক্রয় উপাদানের জন্য অনুরোধ
@@ -2714,6 +2750,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},সাফল্যের বরাদ্দ পাতার {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,কোনও আইটেম প্যাক
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,বর্তমানে কেবলমাত্র .csv এবং .xlsx ফাইলগুলি সমর্থিত
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,মানব সম্পদ&gt; এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন
 DocType: Shipping Rule Condition,From Value,মূল্য থেকে
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,উৎপাদন পরিমাণ বাধ্যতামূলক
 DocType: Loan,Repayment Method,পরিশোধ পদ্ধতি
@@ -2861,6 +2898,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,মোট লাভ
 DocType: Purchase Invoice,Eligibility For ITC,আইটিসি জন্য যোগ্যতা
 DocType: Student Applicant,EDU-APP-.YYYY.-,Edu-app-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,অপ্রতিশ্রুতিবদ্ধ
 DocType: Journal Entry,Entry Type,এন্ট্রি টাইপ
 ,Customer Credit Balance,গ্রাহকের ক্রেডিট ব্যালেন্স
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,হিসাবের পরিশোধযোগ্য অংশ মধ্যে নিট পরিবর্তন
@@ -2872,6 +2910,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),উপস্থিতি ডিভাইস আইডি (বায়োমেট্রিক / আরএফ ট্যাগ আইডি)
 DocType: Quotation,Term Details,টার্ম বিস্তারিত
 DocType: Item,Over Delivery/Receipt Allowance (%),ওভার ডেলিভারি / রসিদ ভাতা (%)
+DocType: Appointment Letter,Appointment Letter Template,অ্যাপয়েন্টমেন্ট লেটার টেম্পলেট
 DocType: Employee Incentive,Employee Incentive,কর্মচারী উদ্দীপক
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} এই ছাত্র দলের জন্য ছাত্রদের তুলনায় আরো নথিভুক্ত করা যায় না.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),মোট (কর ছাড়)
@@ -2894,6 +2933,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",সিরিয়াল নং দ্বারা প্রসবের নিশ্চিত করতে পারবেন না \ Item {0} সাথে এবং \ Serial No. দ্বারা নিশ্চিত ডেলিভারি ছাড়া যোগ করা হয়।
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,চালান বাতিলের পেমেন্ট লিঙ্কমুক্ত
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,প্রক্রিয়া Interestণ সুদের আদায়
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},বর্তমান দূরত্বমাপণী পড়া প্রবেশ প্রাথমিক যানবাহন ওডোমিটার চেয়ে বড় হতে হবে {0}
 ,Purchase Order Items To Be Received or Billed,ক্রয় অর্ডার আইটেম গ্রহণ বা বিল করতে হবে
 DocType: Restaurant Reservation,No Show,না দেখান
@@ -2978,6 +3018,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: খরচ কেন্দ্র &#39;লাভ-ক্ষতির&#39; অ্যাকাউন্টের জন্য প্রয়োজন বোধ করা হয় {2}. অনুগ্রহ করে এখানে ক্লিক করুন জন্য একটি ডিফল্ট মূল্য কেন্দ্র স্থাপন করা.
 DocType: Payment Schedule,Payment Term,পেমেন্ট টার্ম
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,একটি গ্রাহক গ্রুপ একই নামের সঙ্গে বিদ্যমান গ্রাহকের নাম পরিবর্তন বা ক্রেতা গ্রুপ নামান্তর করুন
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,ভর্তির সমাপ্তির তারিখ ভর্তি শুরুর তারিখের চেয়ে বেশি হওয়া উচিত।
 DocType: Location,Area,ফোন
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,নতুন কন্টাক্ট
 DocType: Company,Company Description,আমাদের সম্পর্কে
@@ -3050,6 +3091,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,মানচিত্র ডেটা
 DocType: Purchase Order Item,Warehouse and Reference,ওয়ারহাউস ও রেফারেন্স
 DocType: Payroll Period Date,Payroll Period Date,পলল মেয়াদ তারিখ
+DocType: Loan Disbursement,Against Loan,Anণের বিপরীতে
 DocType: Supplier,Statutory info and other general information about your Supplier,আপনার সরবরাহকারীর সম্পর্কে বিধিবদ্ধ তথ্য এবং অন্যান্য সাধারণ তথ্য
 DocType: Item,Serial Nos and Batches,সিরিয়াল আমরা এবং ব্যাচ
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,শিক্ষার্থীর গ্রুপ স্ট্রেংথ
@@ -3115,6 +3157,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,একটি সংস্থা নির্বাচন করুন
 DocType: Delivery Settings,Delivery Settings,ডেলিভারি সেটিংস
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ডেটা আনুন
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},{0} এর {0} কিউটি এর চেয়ে বেশি অনাপত্তি করা যাবে না
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},{0} ছুটির প্রকারে অনুমোদিত সর্বাধিক ছুটি হল {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 আইটেম প্রকাশ করুন
 DocType: SMS Center,Create Receiver List,রিসিভার তালিকা তৈরি করুন
@@ -3260,6 +3303,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),বেজ পরিমাণ (কোম্পানি মুদ্রা)
 DocType: Purchase Invoice,Registered Regular,নিয়মিত নিবন্ধিত
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,কাচামাল
+DocType: Plaid Settings,sandbox,স্যান্ডবক্স
 DocType: Payment Reconciliation Payment,Reference Row,রেফারেন্স সারি
 DocType: Installation Note,Installation Time,ইনস্টলেশনের সময়
 DocType: Sales Invoice,Accounting Details,অ্যাকাউন্টিং এর বর্ণনা
@@ -3272,12 +3316,11 @@
 DocType: Leave Ledger Entry,Transaction Type,লেনদেন প্রকার
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,গ্রহণযোগ্য বৈশিষ্ট্য
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,উপরে টেবিল উপাদান অনুরোধ দয়া করে প্রবেশ করুন
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,মোট প্রদেয় টাকার পরিমাণ
 DocType: Task,Expected Time (in hours),(ঘণ্টায়) প্রত্যাশিত সময়
 DocType: Item Reorder,Check in (group),চেক ইন করুন (গ্রুপ)
 DocType: Soil Texture,Silt,পলি
@@ -3308,6 +3351,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Unsubmitted কর ছাড় ছাড়ের জন্য ট্যাক্স আদায়
 DocType: Volunteer,Anytime,যে কোনো সময়
 DocType: Bank Account,Bank Account No,ব্যাংক অ্যাকাউন্ট নাম্বার
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,বিতরণ এবং পরিশোধ
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,কর্মচারী ট্যাক্স ছাড় প্রুফ জমা
 DocType: Patient,Surgical History,অস্ত্রোপচারের ইতিহাস
 DocType: Bank Statement Settings Item,Mapped Header,ম্যাপ করা শিরোলেখ
@@ -3367,6 +3411,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,বিক্রয় ইনভয়েস নেভিগেশন ল্যাব টেস্ট (গুলি) তৈরি করুন
 DocType: Serial No,Invoice Details,চালান বিস্তারিত
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,শুল্ক ছাড়ের ঘোষণা জমা দেওয়ার আগে বেতন কাঠামো জমা দিতে হবে
+DocType: Loan Application,Proposed Pledges,প্রস্তাবিত প্রতিশ্রুতি
 DocType: Grant Application,Show on Website,ওয়েবসাইট দেখান
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,শুরু করা যাক
 DocType: Hub Tracked Item,Hub Category,হাব বিভাগ
@@ -3378,7 +3423,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,সরবরাহকারী স্কোরকার্ড স্থায়ী
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},সারি {0}: সামগ্রী বিল আইটেমের জন্য পাওয়া যায়নি {1}
 DocType: Contract Fulfilment Checklist,Requirement,প্রয়োজন
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,মানব সম্পদ&gt; এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন
 DocType: Journal Entry,Accounts Receivable,গ্রহনযোগ্য অ্যাকাউন্ট
 DocType: Quality Goal,Objectives,উদ্দেশ্য
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ব্যাকটেড লিভ অ্যাপ্লিকেশন তৈরি করার জন্য ভূমিকা অনুমোদিত
@@ -3633,6 +3677,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,তারিখ থেকে বৈধ তারিখটি বৈধ তারিখ থেকে কম হওয়া আবশ্যক।
 DocType: Employee Skill,Evaluation Date,মূল্যায়ন তারিখ
 DocType: Quotation Item,Stock Balance,স্টক ব্যালেন্স
+DocType: Loan Security Pledge,Total Security Value,মোট সুরক্ষা মান
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,অর্থ প্রদান বিক্রয় আদেশ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,সিইও
 DocType: Purchase Invoice,With Payment of Tax,ট্যাক্স পরিশোধ সঙ্গে
@@ -3725,6 +3770,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,বর্তমান মূল্যনির্ধারণ হার
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,মূল অ্যাকাউন্টগুলির সংখ্যা 4 এর চেয়ে কম হতে পারে না
 DocType: Training Event,Advance,আগাম
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Anণের বিপরীতে:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless পেমেন্ট গেটওয়ে সেটিংস
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,এক্সচেঞ্জ লাভ / ক্ষতির
 DocType: Opportunity,Lost Reason,লস্ট কারণ
@@ -3808,8 +3854,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,ব্যাচ নির্বাচন কোন
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},অকার্যকর {0}: {1}
 ,GSTR-1,GSTR -1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,সারি {0}: সহোদর জন্ম তারিখ আজকের চেয়ে বেশি হতে পারে না।
 DocType: Fee Validity,Reference Inv,রেফারেন্স INV
 DocType: Sales Invoice Advance,Advance Amount,অগ্রিম পরিমাণ
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,পেনাল্টি সুদের হার (%) প্রতি দিন
 DocType: Manufacturing Settings,Capacity Planning,ক্ষমতা পরিকল্পনা
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,গোলাকার সমন্বয় (কোম্পানির মুদ্রা
 DocType: Asset,Policy number,পলিসি নাম্বার
@@ -3824,7 +3872,9 @@
 DocType: Normal Test Items,Require Result Value,ফলাফল মান প্রয়োজন
 DocType: Purchase Invoice,Pricing Rules,প্রাইসিং বিধি
 DocType: Item,Show a slideshow at the top of the page,পৃষ্ঠার উপরের একটি স্লাইডশো প্রদর্শন
+DocType: Appointment Letter,Body,শরীর
 DocType: Tax Withholding Rate,Tax Withholding Rate,কর আটকানোর হার
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,মেয়াদী loansণের জন্য পরিশোধ পরিশোধের তারিখ বাধ্যতামূলক
 DocType: Pricing Rule,Max Amt,সর্বাধিক Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,দোকান
@@ -3842,7 +3892,7 @@
 DocType: Call Log,Received By,গ্রহণকারী
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),নিয়োগের সময়কাল (মিনিটের মধ্যে)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ক্যাশ ফ্লো ম্যাপিং টেমপ্লেট বিবরণ
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,ঋণ ব্যবস্থাপনা
+DocType: Loan,Loan Management,ঋণ ব্যবস্থাপনা
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,পৃথক আয় সন্ধান এবং পণ্য verticals বা বিভাগের জন্য ব্যয়.
 DocType: Rename Tool,Rename Tool,টুল পুনঃনামকরণ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,আপডেট খরচ
@@ -3850,6 +3900,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-ফর্ম
 DocType: Sales Invoice,Mode of Transport,পরিবহনের কর্মপদ্ধতি
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,বেতন দেখান স্লিপ
+DocType: Loan,Is Term Loan,ইজ টার্ম লোন
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,ট্রান্সফার উপাদান
 DocType: Fees,Send Payment Request,অর্থ প্রদানের অনুরোধ পাঠান
 DocType: Travel Request,Any other details,অন্য কোন বিবরণ
@@ -3867,6 +3918,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,অর্থায়ন থেকে ক্যাশ ফ্লো
 DocType: Budget Account,Budget Account,বাজেট অ্যাকাউন্ট
 DocType: Quality Inspection,Verified By,কর্তৃক যাচাইকৃত
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Securityণ সুরক্ষা যুক্ত করুন
 DocType: Travel Request,Name of Organizer,সংগঠকের নাম
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,আয়কর দায় আছে
@@ -3916,6 +3968,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,প্রয়োজনীয় উপর
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","যদি চেক করা থাকে, বেতন স্লিপগুলিতে গোলাকার মোট ক্ষেত্রটি লুকায় ও অক্ষম করে"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,বিক্রয় অর্ডারে বিতরণ তারিখের জন্য এটি ডিফল্ট অফসেট (দিন)। অর্ডার প্লেসমেন্টের তারিখ থেকে ফ্যালব্যাক অফসেটটি 7 দিন।
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,দয়া করে সেটআপ&gt; নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন
 DocType: Rename Tool,File to Rename,পুনঃনামকরণ করা ফাইল
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},সারি মধ্যে আইটেম জন্য BOM দয়া করে নির্বাচন করুন {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,সদস্যতা আপডেটগুলি আনুন
@@ -3928,6 +3981,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,ক্রমিক সংখ্যা তৈরি হয়েছে
 DocType: POS Profile,Applicable for Users,ব্যবহারকারীদের জন্য প্রযোজ্য
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,তারিখ এবং তারিখ থেকে বাধ্যতামূলক হয়
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),অ্যাডভান্স এবং বরাদ্দ (ফিফো) সেট করুন
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,কোনও ওয়ার্ক অর্ডার তৈরি করা হয়নি
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে এই সময়ের জন্য সৃষ্টি
@@ -4031,11 +4085,12 @@
 ,Minutes to First Response for Opportunity,সুযোগ প্রথম প্রতিক্রিয়া মিনিট
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,মোট অনুপস্থিত
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,সারি {0} মেলে না উপাদানের জন্য অনুরোধ জন্য আইটেম বা গুদাম
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,প্রদেয় পরিমান
+DocType: Loan Repayment,Payable Amount,প্রদেয় পরিমান
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,সুযোগ
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,সর্বোচ্চ শক্তি শূন্যের চেয়ে কম হতে পারে না।
 DocType: Options,Option,পছন্দ
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},আপনি বন্ধ অ্যাকাউন্টিং পিরিয়ডে অ্যাকাউন্টিং এন্ট্রি তৈরি করতে পারবেন না {0}
 DocType: Operation,Default Workstation,ডিফল্ট ওয়ার্কস্টেশন
@@ -4077,6 +4132,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,সুদের পরিমাণ বাধ্যতামূলক
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,বিনা বেতনে ছুটি অনুমোদিত ছুটি অ্যাপ্লিকেশন রেকর্ডের সঙ্গে মিলছে না
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,পরবর্তী ধাপ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,সংরক্ষিত আইটেম
@@ -4127,8 +4183,6 @@
 DocType: Grant Application,Grant Application Details ,আবেদনপত্র জমা দিন
 DocType: Employee Separation,Employee Separation,কর্মচারী বিচ্ছেদ
 DocType: BOM Item,Original Item,মৌলিক আইটেম
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী <a href=""#Form/Employee/{0}"">{0}</a> delete মুছুন"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ডক তারিখ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ফি রেকর্ডস নির্মিত - {0}
 DocType: Asset Category Account,Asset Category Account,অ্যাসেট শ্রেণী অ্যাকাউন্ট
@@ -4163,6 +4217,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ল্যাব পরীক্ষার আইটেম {0} ইতিমধ্যে বিদ্যমান
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} একটি কোম্পানী ছুটির দিন
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,বিলযোগ্য ঘন্টা
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,বিলম্বিত ayণ পরিশোধের ক্ষেত্রে পেনাল্টি সুদের হার দৈনিক ভিত্তিতে মুলতুবি সুদের পরিমাণের উপর ধার্য করা হয়
+DocType: Appointment Letter content,Appointment Letter content,অ্যাপয়েন্টমেন্ট পত্রের বিষয়বস্তু
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,শর্তাবলী |
 DocType: Patient Appointment,Procedure Prescription,পদ্ধতি প্রেসক্রিপশন
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,আসবাবপত্র এবং রাজধানী
@@ -4181,7 +4237,7 @@
 DocType: Opportunity,Customer / Lead Name,গ্রাহক / লিড নাম
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,পরিস্কারের তারিখ উল্লেখ না
 DocType: Payroll Period,Taxable Salary Slabs,করযোগ্য বেতন স্ল্যাব
-DocType: Job Card,Production,উত্পাদনের
+DocType: Plaid Settings,Production,উত্পাদনের
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,অবৈধ জিএসটিআইএন! আপনি যে ইনপুটটি প্রবেশ করেছেন তা জিএসটিআইএন-র বিন্যাসের সাথে মেলে না।
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,অ্যাকাউন্টের মান
 DocType: Guardian,Occupation,পেশা
@@ -4324,6 +4380,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,আনুগত্য প্রোগ্রাম সংগ্রহ
 DocType: Stock Entry Detail,Subcontracted Item,Subcontracted আইটেম
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},ছাত্র {0} গোষ্ঠীর অন্তর্গত নয় {1}
+DocType: Appointment Letter,Appointment Date,সাক্ষাৎকারের তারিখ
 DocType: Budget,Cost Center,খরচ কেন্দ্র
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,ভাউচার #
 DocType: Tax Rule,Shipping Country,শিপিং দেশ
@@ -4394,6 +4451,7 @@
 DocType: Accounting Dimension,Accounting Dimension,অ্যাকাউন্টিং ডাইমেনশন
 ,Profit and Loss Statement,লাভ এবং লোকসান বিবরণী
 DocType: Bank Reconciliation Detail,Cheque Number,চেক সংখ্যা
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,প্রদত্ত পরিমাণ শূন্য হতে পারে না
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} দ্বারা উল্লিখিত আইটেমটি ইতোমধ্যে চালানো হয়েছে
 ,Sales Browser,সেলস ব্রাউজার
 DocType: Journal Entry,Total Credit,মোট ক্রেডিট
@@ -4498,6 +4556,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,কুপন শর্তাদি যুক্ত / সম্পাদনা করুন
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ব্যয় / পার্থক্য অ্যাকাউন্ট ({0}) একটি &#39;লাভ বা ক্ষতি&#39; অ্যাকাউন্ট থাকতে হবে
 DocType: Stock Entry Detail,Stock Entry Child,স্টক এন্ট্রি চাইল্ড
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Securityণ সুরক্ষা অঙ্গীকার সংস্থা এবং anণ সংস্থা অবশ্যই এক হতে হবে
 DocType: Project,Copied From,থেকে অনুলিপি
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,চালান ইতিমধ্যে সমস্ত বিলিং ঘন্টা জন্য তৈরি
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},নাম ত্রুটি: {0}
@@ -4505,6 +4564,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,অর্থ খরচ হয়
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,কর্মচারী {0} উপস্থিতির ইতিমধ্যে চিহ্নিত করা হয়
 DocType: Packing Slip,If more than one package of the same type (for print),তাহলে একই ধরনের একাধিক বাক্স (প্রিন্ট জন্য)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,অনুগ্রহ করে শিক্ষা&gt; শিক্ষা সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,রেস্টুরেন্ট সেটিংস এ ডিফল্ট গ্রাহক সেট করুন
 ,Salary Register,বেতন নিবন্ধন
 DocType: Company,Default warehouse for Sales Return,বিক্রয় ফেরতের জন্য ডিফল্ট গুদাম
@@ -4549,7 +4609,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,বর্তমান সিরিয়াল নং
 DocType: Employee,Attendance and Leave Details,উপস্থিতি এবং ছুটির বিশদ
 ,BOM Comparison Tool,বিওএম তুলনা সরঞ্জাম
-,Requested,অনুরোধ করা
+DocType: Loan Security Pledge,Requested,অনুরোধ করা
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,কোন মন্তব্য
 DocType: Asset,In Maintenance,রক্ষণাবেক্ষণের মধ্যে
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWS থেকে আপনার বিক্রয় আদেশ ডেটা টানতে এই বোতামটি ক্লিক করুন
@@ -4561,7 +4621,6 @@
 DocType: Drug Prescription,Drug Prescription,ড্রাগ প্রেসক্রিপশন
 DocType: Service Level,Support and Resolution,সমর্থন এবং রেজোলিউশন
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,ফ্রি আইটেম কোড নির্বাচন করা হয়নি
-DocType: Loan,Repaid/Closed,শোধ / বন্ধ
 DocType: Amazon MWS Settings,CA,সিএ
 DocType: Item,Total Projected Qty,মোট অভিক্ষিপ্ত Qty
 DocType: Monthly Distribution,Distribution Name,বন্টন নাম
@@ -4594,6 +4653,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,স্টক জন্য অ্যাকাউন্টিং এণ্ট্রি
 DocType: Lab Test,LabTest Approver,LabTest আবির্ভাব
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,"আপনি ইতিমধ্যে মূল্যায়ন মানদণ্ডের জন্য মূল্যায়ন করে নিলে, {}।"
+DocType: Loan Security Shortfall,Shortfall Amount,সংক্ষিপ্ত পরিমাণ
 DocType: Vehicle Service,Engine Oil,ইঞ্জিনের তেল
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},তৈরি ওয়ার্ক অর্ডার: {0}
 DocType: Sales Invoice,Sales Team1,সেলস team1
@@ -4611,6 +4671,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ড্যাশবোর্ড চার্টের জন্য অ্যাকাউন্ট সেট করা নেই {0}
 DocType: Purchase Invoice,Apply Additional Discount On,অতিরিক্ত ডিসকাউন্ট উপর প্রয়োগ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,প্রকার নির্বাচন করুন ...
+DocType: Loan Interest Accrual,Amounts,রাশি
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,আপনার টিকেট
 DocType: Account,Root Type,Root- র ধরন
 DocType: Item,FIFO,FIFO
@@ -4618,6 +4679,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},সারি # {0}: বেশী ফিরে যাবে না {1} আইটেম জন্য {2}
 DocType: Item Group,Show this slideshow at the top of the page,পৃষ্ঠার উপরের এই স্লাইডশো প্রদর্শন
 DocType: BOM,Item UOM,আইটেম UOM
+DocType: Loan Security Price,Loan Security Price,Securityণ সুরক্ষা মূল্য
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ছাড়ের পরিমাণ পরে ট্যাক্স পরিমাণ (কোম্পানি একক)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},উদ্দিষ্ট গুদাম সারিতে জন্য বাধ্যতামূলক {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,খুচরা ব্যবস্থাপনা
@@ -4752,6 +4814,7 @@
 DocType: Coupon Code,Coupon Description,কুপন বর্ণনা
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},ব্যাচ সারিতে বাধ্যতামূলক {0}
 DocType: Company,Default Buying Terms,ডিফল্ট কেনার শর্তাদি
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Bণ বিতরণ
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,কেনার রসিদ আইটেম সরবরাহ
 DocType: Amazon MWS Settings,Enable Scheduled Synch,নির্ধারিত শঙ্কু সক্ষম করুন
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime করুন
@@ -4845,6 +4908,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,প্রস্তাব / মূল্য উদ্ধৃতি
 DocType: Antibiotic,Healthcare,স্বাস্থ্যসেবা
 DocType: Target Detail,Target Detail,উদ্দিষ্ট বিস্তারিত
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Anণ প্রক্রিয়া
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,একক বৈকল্পিক
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,সকল চাকরি
 DocType: Sales Order,% of materials billed against this Sales Order,উপকরণ% এই বিক্রয় আদেশের বিরুদ্ধে বিল
@@ -4906,7 +4970,7 @@
 DocType: Item,Reorder level based on Warehouse,গুদাম উপর ভিত্তি রেকর্ডার স্তর
 DocType: Activity Cost,Billing Rate,বিলিং রেট
 ,Qty to Deliver,বিতরণ Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,বিতরণ এন্ট্রি তৈরি করুন
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,বিতরণ এন্ট্রি তৈরি করুন
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,আমাজন এই তারিখের পরে আপডেট তথ্য সংঙ্ক্বরিত হবে
 ,Stock Analytics,স্টক বিশ্লেষণ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,অপারেশনস ফাঁকা রাখা যাবে না
@@ -4940,6 +5004,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,বাহ্যিক সংহতিকে লিঙ্কমুক্ত করুন
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,সংশ্লিষ্ট পেমেন্ট চয়ন করুন
 DocType: Pricing Rule,Item Code,পণ্য সংকেত
+DocType: Loan Disbursement,Pending Amount For Disbursal,বিতরণের জন্য মুলতুবি
 DocType: Student,EDU-STU-.YYYY.-,Edu-Stu-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,পাটা / এএমসি বিস্তারিত
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,ভ্রমণ ভিত্তিক গ্রুপ জন্য ম্যানুয়ালি ছাত্র নির্বাচন
@@ -4963,6 +5028,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,মোট পরিমাণ
 DocType: Landed Cost Item,Receipt Document,রশিদ ডকুমেন্ট
 DocType: Employee Education,School/University,স্কুল / বিশ্ববিদ্যালয়
+DocType: Loan Security Pledge,Loan  Details,.ণের বিশদ
 DocType: Sales Invoice Item,Available Qty at Warehouse,ওয়্যারহাউস এ উপলব্ধ Qty
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,বিলের পরিমাণ
 DocType: Share Transfer,(including),(সহ)
@@ -4986,6 +5052,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,গ্রুপ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,অ্যাকাউন্ট দ্বারা গ্রুপ
 DocType: Purchase Invoice,Hold Invoice,চালান চালান
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,অঙ্গীকার স্থিতি
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,কর্মচারী নির্বাচন করুন
 DocType: Sales Order,Fully Delivered,সম্পূর্ণ বিতরণ
 DocType: Promotional Scheme Price Discount,Min Amount,ন্যূনতম পরিমাণ
@@ -4995,7 +5062,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},বিতরণ পরিমাণ ঋণ পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},সারি {0} # বরাদ্দকৃত পরিমাণ {1} দাবি না করা পরিমাণের চেয়ে বড় হতে পারে না {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},আইটেম জন্য প্রয়োজন ক্রম সংখ্যা ক্রয় {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,ফরোয়ার্ড পাতার বহন
@@ -5023,6 +5089,7 @@
 DocType: Pick List Item,Serial No and Batch,ক্রমিক নং এবং ব্যাচ
 DocType: Warranty Claim,From Company,কোম্পানীর কাছ থেকে
 DocType: GSTR 3B Report,January,জানুয়ারী
+DocType: Loan Repayment,Principal Amount Paid,অধ্যক্ষের পরিমাণ পরিশোধিত
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,মূল্যায়ন মানদণ্ড স্কোর যোগফল {0} হতে হবে.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Depreciations সংখ্যা বুক নির্ধারণ করুন
 DocType: Supplier Scorecard Period,Calculations,গণনাগুলি
@@ -5048,6 +5115,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,আপনার কোম্পানি সম্পর্কে
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,স্টক এজিং ডেটা দেখান
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,একাউন্টে ক্রেডিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে
+DocType: Loan Repayment,Penalty Amount,জরিমানার পরিমাণ
 DocType: Donor,Donor,দাতা
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,আইটেমগুলির জন্য ট্যাক্স আপডেট করুন
 DocType: Global Defaults,Disable In Words,শব্দ অক্ষম
@@ -5077,6 +5145,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ব্যয় কেন্দ্র এবং বাজেট
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,খোলা ব্যালেন্স ইকুইটি
 DocType: Appointment,CRM,সিআরএম
+DocType: Loan Repayment,Partial Paid Entry,আংশিক পরিশোধিত প্রবেশ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,পেমেন্ট শিডিউল সেট করুন
 DocType: Pick List,Items under this warehouse will be suggested,এই গুদামের অধীনে আইটেমগুলি পরামর্শ দেওয়া হবে
 DocType: Purchase Invoice,N,এন
@@ -5110,7 +5179,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},আইটেম {1} জন্য পাওয়া যায়নি {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},মান অবশ্যই {0} এবং {1} এর মধ্যে হওয়া উচিত
 DocType: Accounts Settings,Show Inclusive Tax In Print,প্রিন্ট ইন ইনজেকশন ট্যাক্স দেখান
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","তারিখ এবং তারিখ থেকে ব্যাংক অ্যাকাউন্ট, বাধ্যতামূলক"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,বার্তা পাঠানো
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট খতিয়ান হিসাবে সেট করা যাবে না
 DocType: C-Form,II,২
@@ -5124,6 +5192,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,অটো রি-অর্ডার সক্ষম করুন
 DocType: Stock Settings,Item Naming By,দফে নামকরণ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},অন্য সময়ের সমাপ্তি এন্ট্রি {0} পরে তৈরি করা হয়েছে {1}
+DocType: Proposed Pledge,Proposed Pledge,প্রস্তাবিত প্রতিশ্রুতি
 DocType: Work Order,Material Transferred for Manufacturing,উপাদান উৎপাদন জন্য বদলিকৃত
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,অ্যাকাউন্ট {0} না বিদ্যমান
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,আনুগত্য প্রোগ্রাম নির্বাচন করুন
@@ -5134,7 +5203,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","জন্য ইভেন্ট নির্ধারণ {0}, যেহেতু কর্মচারী সেলস ব্যক্তি নিচে সংযুক্ত একটি ইউজার আইডি নেই {1}"
 DocType: Timesheet,Billing Details,পূর্ণ রূপ প্রকাশ
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,উত্স এবং লক্ষ্য গুদাম আলাদা হতে হবে
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,মানব সম্পদ&gt; এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,পেমেন্ট ব্যর্থ হয়েছে. আরো তথ্যের জন্য আপনার GoCardless অ্যাকাউন্ট চেক করুন
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},বেশী না পুরোনো স্টক লেনদেন হালনাগাদ করার অনুমতি {0}
 DocType: Stock Entry,Inspection Required,ইন্সপেকশন প্রয়োজনীয়
@@ -5147,6 +5215,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,কার্যক্রম
+DocType: Unpledge,Against Pledge,প্রতিশ্রুতির বিরুদ্ধে
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,এই ব্যবহারকারীরা হিমায়িত অ্যাকাউন্ট বিরুদ্ধে হিসাব থেকে হিমায়িত অ্যাকাউন্ট সেট এবং তৈরি / পরিবর্তন করার অনুমতি দেওয়া হয়
 DocType: Plaid Settings,Plaid Environment,প্লেড পরিবেশ
 ,Project Billing Summary,প্রকল্পের বিলিংয়ের সংক্ষিপ্তসার
@@ -5198,6 +5267,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ব্যাচ
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,দিনের অ্যাপয়েন্টমেন্টের অগ্রিম বুক করা যায়
 DocType: Article,LMS User,এলএমএস ব্যবহারকারী
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,সুরক্ষিত forণের জন্য Securityণ সুরক্ষা অঙ্গীকার বাধ্যতামূলক
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),সরবরাহের স্থান (রাজ্য / কেন্দ্রশাসিত অঞ্চল)
 DocType: Purchase Order Item Supplied,Stock UOM,শেয়ার UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,অর্ডার {0} দাখিল করা হয় না ক্রয়
@@ -5270,6 +5340,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,জব কার্ড তৈরি করুন
 DocType: Quotation,Referral Sales Partner,রেফারেল বিক্রয় অংশীদার
 DocType: Quality Procedure Process,Process Description,প্রক্রিয়া বর্ণনা
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","অনাপত্তি করা যাবে না, securityণ সুরক্ষার মান শোধ করা পরিমাণের চেয়ে বেশি"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,গ্রাহক {0} তৈরি করা হয়।
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,বর্তমানে কোন গুদামে পন্য উপলব্ধ নেই
 ,Payment Period Based On Invoice Date,চালান তারিখ উপর ভিত্তি করে পরিশোধ সময়সীমার
@@ -5289,7 +5360,7 @@
 DocType: Asset,Insurance Details,বীমা বিবরণ
 DocType: Account,Payable,প্রদেয়
 DocType: Share Balance,Share Type,শেয়ার প্রকার শেয়ার করুন
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,পরিশোধ সময়কাল প্রবেশ করুন
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,পরিশোধ সময়কাল প্রবেশ করুন
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ঋণ গ্রহিতা ({0})
 DocType: Pricing Rule,Margin,মার্জিন
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,নতুন গ্রাহকরা
@@ -5298,6 +5369,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,সীসা উৎস দ্বারা সুযোগ
 DocType: Appraisal Goal,Weightage (%),গুরুত্ব (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,পিওএস প্রোফাইল পরিবর্তন করুন
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,পরিমাণ বা পরিমাণ loanণ সুরক্ষার জন্য মানডট্রয়
 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,Assessment Report,মূল্যায়ন প্রতিবেদন
@@ -5333,6 +5405,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,লেজার শেয়ার করুন
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,সেলস ইনভয়েস {0} তৈরি করেছে
 DocType: Employee,Confirmation Date,নিশ্চিতকরণ তারিখ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী <a href=""#Form/Employee/{0}"">{0}</a> delete মুছুন"
 DocType: Inpatient Occupancy,Check Out,চেক আউট
 DocType: C-Form,Total Invoiced Amount,মোট invoiced পরিমাণ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,ন্যূনতম Qty সর্বোচ্চ Qty তার চেয়ে অনেক বেশী হতে পারে না
@@ -5345,7 +5419,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks কোম্পানি আইডি
 DocType: Travel Request,Travel Funding,ভ্রমণ তহবিল
 DocType: Employee Skill,Proficiency,দক্ষতা
-DocType: Loan Application,Required by Date,তারিখ দ্বারা প্রয়োজনীয়
 DocType: Purchase Invoice Item,Purchase Receipt Detail,ক্রয় রশিদ বিশদ
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ফসল ক্রমবর্ধমান হয় যা সমস্ত অবস্থানের একটি লিঙ্ক
 DocType: Lead,Lead Owner,লিড মালিক
@@ -5364,7 +5437,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,বর্তমান BOM এবং নতুন BOM একই হতে পারে না
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,বেতন স্লিপ আইডি
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,অবসর তারিখ যোগদান তারিখ থেকে বড় হওয়া উচিত
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,সরবরাহকারী&gt; সরবরাহকারী প্রকার
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,একাধিক বৈকল্পিক
 DocType: Sales Invoice,Against Income Account,আয় অ্যাকাউন্টের বিরুদ্ধে
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% বিতরণ করা হয়েছে
@@ -5397,7 +5469,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,মূল্যনির্ধারণ টাইপ চার্জ সমেত হিসাবে চিহ্নিত করতে পারেন না
 DocType: POS Profile,Update Stock,আপডেট শেয়ার
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,অর্থ প্রদানের বিবরণ
+DocType: Loan Repayment,Payment Details,অর্থ প্রদানের বিবরণ
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM হার
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,আপলোড করা ফাইল পড়া
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","বন্ধ করা অর্ডারের অর্ডার বাতিল করা যাবে না, বাতিল করার জন্য এটি প্রথম থেকে বন্ধ করুন"
@@ -5431,6 +5503,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},ব্যাচ নম্বর আইটেম জন্য বাধ্যতামূলক {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,সর্বাধিক .ণের মান
 ,Stock Ledger,স্টক লেজার
 DocType: Company,Exchange Gain / Loss Account,এক্সচেঞ্জ লাভ / ক্ষতির অ্যাকাউন্ট
 DocType: Amazon MWS Settings,MWS Credentials,এমডব্লুএস ক্রিডেনশিয়াল
@@ -5537,7 +5610,6 @@
 DocType: Fee Schedule,Fee Schedule,ফি সময়সূচী
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,কলাম লেবেল:
 DocType: Bank Transaction,Settled,স্থায়ী
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,বিতরণ তারিখ anণ পরিশোধ পরিশোধের তারিখের পরে হতে পারে না
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,উপকর
 DocType: Quality Feedback,Parameters,পরামিতি
 DocType: Company,Create Chart Of Accounts Based On,হিসাব উপর ভিত্তি করে চার্ট তৈরি করুন
@@ -5557,6 +5629,7 @@
 DocType: Customer,Credit Limit and Payment Terms,ক্রেডিট সীমা এবং অর্থপ্রদান শর্তাদি
 DocType: Loyalty Program,Collection Rules,সংগ্রহের নিয়ম
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,আইটেম 3
+DocType: Loan Security Shortfall,Shortfall Time,সংক্ষিপ্ত সময়ের
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,অর্ডার এন্ট্রি
 DocType: Purchase Order,Customer Contact Email,গ্রাহক যোগাযোগ ইমেইল
 DocType: Warranty Claim,Item and Warranty Details,আইটেম এবং পাটা বিবরণ
@@ -5576,12 +5649,14 @@
 DocType: Sales Person,Sales Person Name,সেলস পারসন নাম
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,টেবিলের অন্তত 1 চালান লিখুন দয়া করে
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,কোনও ল্যাব পরীক্ষা তৈরি হয়নি
+DocType: Loan Security Shortfall,Security Value ,সুরক্ষা মান
 DocType: POS Item Group,Item Group,আইটেমটি গ্রুপ
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ছাত্র গ্রুপ:
 DocType: Depreciation Schedule,Finance Book Id,ফাইন্যান্স বুক আইডি
 DocType: Item,Safety Stock,নিরাপত্তা স্টক
 DocType: Healthcare Settings,Healthcare Settings,স্বাস্থ্যসেবা সেটিংস
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,মোট বরাদ্দ পাতা
+DocType: Appointment Letter,Appointment Letter,নিয়োগপত্র
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},করুন {0}
@@ -5635,6 +5710,7 @@
 DocType: Stock Entry,From BOM,BOM থেকে
 DocType: Assessment Code,Assessment Code,অ্যাসেসমেন্ট কোড
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,মৌলিক
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,গ্রাহক ও কর্মচারীদের কাছ থেকে Applicationsণের আবেদন।
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} নিথর হয় আগে স্টক লেনদেন
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&#39;নির্মাণ সূচি&#39; তে ক্লিক করুন
 DocType: Job Card,Current Time,বর্তমান সময়
@@ -5661,7 +5737,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,প্রদান
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,কোন ছাত্র সংগঠনের সৃষ্টি.
 DocType: Purchase Invoice Item,Serial No,ক্রমিক নং
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,মাসিক পরিশোধ পরিমাণ ঋণের পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,মাসিক পরিশোধ পরিমাণ ঋণের পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,প্রথম Maintaince বিবরণ লিখুন দয়া করে
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,সারি # {0}: ক্রয় আদেশ তারিখের আগে উপলব্ধ ডেলিভারি তারিখটি হতে পারে না
 DocType: Purchase Invoice,Print Language,প্রিন্ট ভাষা
@@ -5674,6 +5750,7 @@
 DocType: Asset,Finance Books,অর্থ বই
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,কর্মচারী ট্যাক্স মোছা ঘোষণা বিভাগ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,সমস্ত অঞ্চল
+DocType: Plaid Settings,development,উন্নয়ন
 DocType: Lost Reason Detail,Lost Reason Detail,হারানো কারণ বিশদ
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,কর্মচারী / গ্রেড রেকর্ডে কর্মচারী {0} জন্য ছাড় নীতি সেট করুন
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,নির্বাচিত গ্রাহক এবং আইটেমের জন্য অবৈধ কুমির আদেশ
@@ -5736,12 +5813,14 @@
 DocType: Staffing Plan Detail,Current Openings,বর্তমান প্রারম্ভ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,অপারেশন থেকে নগদ প্রবাহ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST পরিমাণ
+DocType: Vehicle Log,Current Odometer value ,বর্তমান ওডোমিটার মান
 apps/erpnext/erpnext/utilities/activation.py,Create Student,ছাত্র তৈরি করুন
 DocType: Asset Movement Item,Asset Movement Item,সম্পদ আন্দোলনের আইটেম
 DocType: Purchase Invoice,Shipping Rule,শিপিং রুল
 DocType: Patient Relation,Spouse,পত্নী
 DocType: Lab Test Groups,Add Test,টেস্ট যোগ করুন
 DocType: Manufacturer,Limited to 12 characters,12 অক্ষরের মধ্যে সীমাবদ্ধ
+DocType: Appointment Letter,Closing Notes,নোটস বন্ধ
 DocType: Journal Entry,Print Heading,প্রিন্ট শীর্ষক
 DocType: Quality Action Table,Quality Action Table,কোয়ালিটি অ্যাকশন টেবিল
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,মোট শূন্য হতে পারে না
@@ -5808,6 +5887,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),মোট (AMT)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},টাইপের জন্য অ্যাকাউন্ট (গোষ্ঠী) সনাক্ত / তৈরি করুন - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,বিনোদন ও অবকাশ
+DocType: Loan Security,Loan Security,Securityণ সুরক্ষা
 ,Item Variant Details,আইটেম বৈকল্পিক বিবরণ
 DocType: Quality Inspection,Item Serial No,আইটেম সিরিয়াল কোন
 DocType: Payment Request,Is a Subscription,একটি সাবস্ক্রিপশন
@@ -5820,7 +5900,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,দেরী পর্যায়ে
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,নির্ধারিত ও ভর্তির তারিখ আজকের চেয়ে কম হতে পারে না
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,সরবরাহকারী উপাদান স্থানান্তর
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,এক্সটার্নাল মেশিন
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,নতুন সিরিয়াল কোন গুদাম থাকতে পারে না. গুদাম স্টক এন্ট্রি বা কেনার রসিদ দ্বারা নির্ধারণ করা হবে
 DocType: Lead,Lead Type,লিড ধরন
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,উদ্ধৃতি তৈরি
@@ -5836,7 +5915,6 @@
 DocType: Leave Allocation,Leave Period,ছেড়ে দিন
 DocType: Item,Default Material Request Type,ডিফল্ট উপাদান অনুরোধ প্রকার
 DocType: Supplier Scorecard,Evaluation Period,মূল্যায়ন সময়ের
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,গ্রাহক&gt; গ্রাহক গোষ্ঠী&gt; অঞ্চল
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,অজানা
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,কাজ অর্ডার তৈরি করা হয়নি
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5919,7 +5997,8 @@
 ,Customer-wise Item Price,গ্রাহক অনুযায়ী আইটেম দাম
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,ক্যাশ ফ্লো বিবৃতি
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,কোন উপাদান অনুরোধ তৈরি
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ঋণের পরিমাণ সর্বোচ্চ ঋণের পরিমাণ বেশি হতে পারে না {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ঋণের পরিমাণ সর্বোচ্চ ঋণের পরিমাণ বেশি হতে পারে না {0}
+DocType: Loan,Loan Security Pledge,Securityণ সুরক্ষা প্রতিশ্রুতি
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,লাইসেন্স
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,এছাড়াও আপনি আগের অর্থবছরের ভারসাম্য এই অর্থবছরের ছেড়ে অন্তর্ভুক্ত করতে চান তাহলে এগিয়ে দয়া করে নির্বাচন করুন
@@ -5936,6 +6015,7 @@
 DocType: Pricing Rule,Price Discount Scheme,মূল্য ছাড়ের স্কিম
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,রক্ষণাবেক্ষণ স্থিতি বাতিল বা জমা দিতে সম্পন্ন করা হয়েছে
 DocType: Amazon MWS Settings,US,আমাদের
+DocType: Loan Security Pledge,Pledged,প্রতিশ্রুত
 DocType: Holiday List,Add Weekly Holidays,সাপ্তাহিক ছুটির দিন যোগ দিন
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,আইটেম প্রতিবেদন করুন
 DocType: Staffing Plan Detail,Vacancies,খালি
@@ -5954,7 +6034,6 @@
 DocType: Production Plan Item,Planned Start Date,পরিকল্পনা শুরুর তারিখ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,একটি BOM নির্বাচন করুন
 DocType: Purchase Invoice,Availed ITC Integrated Tax,সুবিধাভোগী আইটিসি ইন্টিগ্রেটেড ট্যাক্স
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Ayণ পরিশোধের এন্ট্রি তৈরি করুন
 DocType: Purchase Order Item,Blanket Order Rate,কংক্রিট অর্ডার রেট
 ,Customer Ledger Summary,গ্রাহক লেজারের সংক্ষিপ্তসার
 apps/erpnext/erpnext/hooks.py,Certification,সাক্ষ্যদান
@@ -5975,6 +6054,7 @@
 DocType: Appraisal Template,Appraisal Template Title,মূল্যায়ন টেমপ্লেট শিরোনাম
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ব্যবসায়িক
 DocType: Patient,Alcohol Current Use,অ্যালকোহল বর্তমান ব্যবহার
+DocType: Loan,Loan Closure Requested,Cণ বন্ধের অনুরোধ করা হয়েছে
 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,কর অব্যাহতি বিভাগ
@@ -5998,6 +6078,7 @@
 DocType: Opening Invoice Creation Tool,Sales,সেলস
 DocType: Stock Entry Detail,Basic Amount,বেসিক পরিমাণ
 DocType: Training Event,Exam,পরীক্ষা
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,প্রক্রিয়া Securityণ সুরক্ষা ঘাটতি
 DocType: Email Campaign,Email Campaign,ইমেল প্রচার
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,মার্কেটপ্লেস ভুল
 DocType: Complaint,Complaint,অভিযোগ
@@ -6101,6 +6182,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,ব্যবহৃত পাখি
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,আপনি কি উপাদান অনুরোধ জমা দিতে চান?
 DocType: Job Offer,Awaiting Response,প্রতিক্রিয়ার জন্য অপেক্ষা
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Anণ বাধ্যতামূলক
 DocType: Course Schedule,EDU-CSH-.YYYY.-,Edu-csh শেল-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,উপরে
 DocType: Support Search Source,Link Options,লিংক বিকল্পগুলি
@@ -6113,6 +6195,7 @@
 DocType: Training Event Employee,Optional,ঐচ্ছিক
 DocType: Salary Slip,Earning & Deduction,রোজগার &amp; সিদ্ধান্তগ্রহণ
 DocType: Agriculture Analysis Criteria,Water Analysis,জল বিশ্লেষণ
+DocType: Pledge,Post Haircut Amount,চুল কাটার পরিমাণ পোস্ট করুন
 DocType: Sales Order,Skip Delivery Note,ডেলিভারি নোট এড়িয়ে যান
 DocType: Price List,Price Not UOM Dependent,মূল্য ইউওএম নির্ভর নয়
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} বৈকল্পিক তৈরি করা হয়েছে।
@@ -6139,6 +6222,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,পণ্য সমষ্টি থেকে আইটেম পেতে
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,মেয়াদী loansণের জন্য পরিশোধের পদ্ধতি বাধ্যতামূলক
 DocType: Asset,Straight Line,সোজা লাইন
 DocType: Project User,Project User,প্রকল্প ব্যবহারকারী
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,বিভক্ত করা
@@ -6183,7 +6267,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ভূমিকা হিমায়িত একাউন্টস ও সম্পাদনা হিমায়িত সাজপোশাকটি সেট করার মঞ্জুরি
 DocType: Supplier Scorecard Scoring Variable,Path,পথ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,এটা সন্তানের নোড আছে খতিয়ান করার খরচ কেন্দ্র রূপান্তর করতে পারবেন না
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -&gt; {1}) আইটেমটির জন্য পাওয়া যায় নি: {2}
 DocType: Production Plan,Total Planned Qty,মোট পরিকল্পিত পরিমাণ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ইতিমধ্যে বিবৃতি থেকে লেনদেন প্রত্যাহার করা হয়েছে
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,খোলা মূল্য
@@ -6191,11 +6274,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,সিরিয়াল #
 DocType: Material Request Plan Item,Required Quantity,প্রয়োজনীয় পরিমাণ
 DocType: Lab Test Template,Lab Test Template,ল্যাব টেস্ট টেমপ্লেট
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,সরবরাহকারী&gt; সরবরাহকারী প্রকার
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,বিক্রয় অ্যাকাউন্ট
 DocType: Purchase Invoice Item,Total Weight,সম্পূর্ণ ওজন
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী <a href=""#Form/Employee/{0}"">{0}</a> delete মুছুন"
 DocType: Pick List Item,Pick List Item,তালিকা আইটেম চয়ন করুন
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,বিক্রয় কমিশনের
 DocType: Job Offer Term,Value / Description,মূল্য / বিবরণ:
@@ -6242,6 +6322,7 @@
 DocType: Patient Encounter,Encounter Date,দ্বন্দ্বের তারিখ
 DocType: Work Order,Update Consumed Material Cost In Project,প্রকল্পে গৃহীত উপাদান ব্যয় আপডেট করুন
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,অ্যাকাউন্ট: {0} একক সঙ্গে: {1} নির্বাচন করা যাবে না
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,গ্রাহক এবং কর্মচারীদের প্রদান .ণ।
 DocType: Bank Statement Transaction Settings Item,Bank Data,ব্যাংক ডেটা
 DocType: Purchase Receipt Item,Sample Quantity,নমুনা পরিমাণ
 DocType: Bank Guarantee,Name of Beneficiary,সুবিধা গ্রহণকারীর নাম
@@ -6309,7 +6390,6 @@
 DocType: Contract,Signed On,স্বাক্ষরিত
 DocType: Bank Account,Party Type,পার্টি শ্রেণী
 DocType: Discounted Invoice,Discounted Invoice,ছাড়যুক্ত চালান
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,হিসাবে উপস্থিতি চিহ্নিত করুন <b></b>
 DocType: Payment Schedule,Payment Schedule,অর্থ প্রদানের সময়সূচী
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},প্রদত্ত কর্মচারীর ক্ষেত্রের মানটির জন্য কোনও কর্মচারী পাওয়া যায় নি। &#39;{}&#39;: {
 DocType: Item Attribute Value,Abbreviation,সংক্ষেপ
@@ -6379,6 +6459,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ঋণদাতাদের
 DocType: Assessment Plan,Assessment Name,অ্যাসেসমেন্ট নাম
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,সারি # {0}: সিরিয়াল কোন বাধ্যতামূলক
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Closureণ বন্ধের জন্য {0} পরিমাণ প্রয়োজন
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,আইটেম অনুযায়ী ট্যাক্স বিস্তারিত
 DocType: Employee Onboarding,Job Offer,কাজের প্রস্তাব
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ইনস্টিটিউট সমাহার
@@ -6402,7 +6483,6 @@
 DocType: Purchase Order,To Receive,গ্রহণ করতে
 DocType: Leave Period,Holiday List for Optional Leave,ঐচ্ছিক তালিকার জন্য হলিডে তালিকা
 DocType: Item Tax Template,Tax Rates,করের হার
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,আইটেম কোড&gt; আইটেম গ্রুপ&gt; ব্র্যান্ড
 DocType: Asset,Asset Owner,সম্পদ মালিক
 DocType: Item,Website Content,ওয়েবসাইট সামগ্রী
 DocType: Bank Account,Integration ID,ইন্টিগ্রেশন আইডি
@@ -6445,6 +6525,7 @@
 DocType: Customer,Mention if non-standard receivable account,উল্লেখ অ স্ট্যান্ডার্ড প্রাপ্য তাহলে
 DocType: Bank,Plaid Access Token,প্লেড অ্যাক্সেস টোকেন
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,বিদ্যমান কম্পোনেন্টের যেকোনো একটিতে {1} অবশিষ্ট সুবিধার যোগ করুন
+DocType: Bank Account,Is Default Account,ডিফল্ট অ্যাকাউন্ট
 DocType: Journal Entry Account,If Income or Expense,আয় বা ব্যয় যদি
 DocType: Course Topic,Course Topic,কোর্সের বিষয়
 DocType: Bank Statement Transaction Entry,Matching Invoices,ম্যাচিং ইনভয়েসেস
@@ -6456,7 +6537,7 @@
 DocType: Disease,Treatment Task,চিকিত্সা কাজ
 DocType: Payment Order Reference,Bank Account Details,ব্যাংক অ্যাকাউন্ট বিবরণী
 DocType: Purchase Order Item,Blanket Order,কম্বল আদেশ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Ayণ পরিশোধের পরিমাণ অবশ্যই এর চেয়ে বেশি হতে হবে
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Ayণ পরিশোধের পরিমাণ অবশ্যই এর চেয়ে বেশি হতে হবে
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ট্যাক্স সম্পদ
 DocType: BOM Item,BOM No,BOM কোন
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,আপডেট আপডেট
@@ -6511,6 +6592,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce পণ্য
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},সূত্র বা অবস্থায় বাক্যগঠন ত্রুটি: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,এটা যেহেতু উপেক্ষা আইটেম {0} একটি স্টক আইটেমটি নয়
+,Loan Security Status,Securityণের সুরক্ষা স্থিতি
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","একটি নির্দিষ্ট লেনদেনে প্রাইসিং নিয়ম প্রযোজ্য না করার জন্য, সমস্ত প্রযোজ্য দামে নিষ্ক্রিয় করা উচিত."
 DocType: Payment Term,Day(s) after the end of the invoice month,চালান মাস শেষে পরে দিন (গুলি)
 DocType: Assessment Group,Parent Assessment Group,পেরেন্ট অ্যাসেসমেন্ট গ্রুপ
@@ -6525,7 +6607,6 @@
 DocType: Stock Entry Detail,Additional Cost,অতিরিক্ত খরচ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ভাউচার কোন উপর ভিত্তি করে ফিল্টার করতে পারবে না, ভাউচার দ্বারা গ্রুপকৃত যদি"
 DocType: Quality Inspection,Incoming,ইনকামিং
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,দয়া করে সেটআপ&gt; নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,বিক্রয় এবং ক্রয় জন্য ডিফল্ট ট্যাক্স টেমপ্লেট তৈরি করা হয়।
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,মূল্যায়ন ফলাফল রেকর্ড {0} ইতিমধ্যে বিদ্যমান।
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","উদাহরণ: ABCD। ##### যদি সিরিজ সেট করা থাকে এবং ব্যাচ নাম লেনদেনের ক্ষেত্রে উল্লেখ করা হয় না, তাহলে এই সিরিজের উপর ভিত্তি করে স্বয়ংক্রিয় ব্যাচ নম্বর তৈরি করা হবে। আপনি যদি সবসময় এই আইটেমটির জন্য ব্যাচ নংকে স্পষ্টভাবে উল্লেখ করতে চান, তবে এই ফাঁকা স্থানটি ছেড়ে দিন। দ্রষ্টব্য: এই সেটিং স্টক সেটিংসের নামকরণ সিরিজ প্রিফিক্সের উপর অগ্রাধিকার পাবে।"
@@ -6535,8 +6616,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,পর্যালোচনা জমা দিন
 DocType: Contract,Party User,পার্টি ব্যবহারকারী
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',দয়া করে কোম্পানির ফাঁকা ফিল্টার সেট করুন যদি একদল &#39;কোম্পানি&#39; হল
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,গ্রাহক&gt; গ্রাহক গোষ্ঠী&gt; অঞ্চল
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,পোস্টিং তারিখ ভবিষ্যতে তারিখে হতে পারে না
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},সারি # {0}: সিরিয়াল কোন {1} সঙ্গে মেলে না {2} {3}
+DocType: Loan Repayment,Interest Payable,প্রদেয় সুদ
 DocType: Stock Entry,Target Warehouse Address,লক্ষ্য গুদাম ঠিকানা
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,নৈমিত্তিক ছুটি
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,শিফট শুরুর আগে যে সময়টিতে কর্মচারী চেক-ইন উপস্থিতির জন্য বিবেচিত হয়।
@@ -6664,6 +6747,7 @@
 DocType: Issue,Reset Service Level Agreement,পরিষেবা স্তরের চুক্তি পুনরায় সেট করুন
 ,Sales Person-wise Transaction Summary,সেলস পারসন অনুসার লেনদেন সংক্ষিপ্ত
 DocType: Training Event,Contact Number,যোগাযোগ নম্বর
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Anণের পরিমাণ বাধ্যতামূলক
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ওয়ারহাউস {0} অস্তিত্ব নেই
 DocType: Cashier Closing,Custody,হেফাজত
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,কর্মচারী ট্যাক্স ছাড় ছাড় প্রুফ জমা বিস্তারিত
@@ -6712,6 +6796,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ব্যালেন্স Qty
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,সম্মিলিতভাবে নির্বাচিত সমস্ত আইটেমগুলিতে শর্তাদি প্রয়োগ করা হবে।
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,গোল খালি রাখা যাবে না
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,ভুল গুদাম
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,ছাত্রদের নথিভুক্ত করা
 DocType: Item Group,Parent Item Group,মূল আইটেমটি গ্রুপ
 DocType: Appointment Type,Appointment Type,নিয়োগ প্রকার
@@ -6765,10 +6850,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,গড় হার
 DocType: Appointment,Appointment With,সাথে নিয়োগ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,পেমেন্ট শংসাপত্রের মোট পরিশোধের পরিমাণ গ্র্যান্ড / গোলাকার মোট সমান হওয়া আবশ্যক
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,হিসাবে উপস্থিতি চিহ্নিত করুন <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;গ্রাহক সরবরাহিত আইটেম&quot; এর মূল্য মূল্য হতে পারে না
 DocType: Subscription Plan Detail,Plan,পরিকল্পনা
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,জেনারেল লেজার অনুযায়ী ব্যাংক ব্যালেন্সের
-DocType: Job Applicant,Applicant Name,আবেদনকারীর নাম
+DocType: Appointment Letter,Applicant Name,আবেদনকারীর নাম
 DocType: Authorization Rule,Customer / Item Name,গ্রাহক / আইটেম নাম
 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**. 
 
@@ -6812,11 +6898,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,শেয়ার খতিয়ান এন্ট্রি এই গুদাম জন্য বিদ্যমান হিসাবে ওয়্যারহাউস মোছা যাবে না.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,বিতরণ
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,নিম্নোক্ত কর্মীরা বর্তমানে এই কর্মচারীর প্রতিবেদন করছেন বলে কর্মচারীর অবস্থা &#39;বামে&#39; সেট করা যাবে না:
-DocType: Journal Entry Account,Loan,ঋণ
+DocType: Loan Repayment,Amount Paid,পরিমাণ অর্থ প্রদান করা
+DocType: Loan Security Shortfall,Loan,ঋণ
 DocType: Expense Claim Advance,Expense Claim Advance,ব্যয় দাবি আগাম
 DocType: Lab Test,Report Preference,রিপোর্টের পছন্দ
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,স্বেচ্ছাসেবক তথ্য
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,প্রকল্প ব্যবস্থাপক
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,গ্রাহক দ্বারা গ্রাহক
 ,Quoted Item Comparison,উদ্ধৃত আইটেম তুলনা
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} এবং {1} এর মধ্যে স্কোরিংয়ের উপর ওভারল্যাপ করুন
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,প্রাণবধ
@@ -6836,6 +6924,7 @@
 DocType: Material Request Plan Item,Material Issue,উপাদান ইস্যু
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},বিনামূল্যে আইটেমটি মূল্যের নিয়মে সেট করা হয়নি {0}
 DocType: Employee Education,Qualification,যোগ্যতা
+DocType: Loan Security Shortfall,Loan Security Shortfall,Securityণ সুরক্ষার ঘাটতি
 DocType: Item Price,Item Price,আইটেমের মূল্য
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,সাবান ও ডিটারজেন্ট
 DocType: BOM,Show Items,আইটেম দেখান
@@ -6856,13 +6945,13 @@
 DocType: Appointment Booking Settings,Appointment Details,নিয়োগের বিবরণ
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,সমাপ্ত পণ্য
 DocType: Warehouse,Warehouse Name,ওয়ারহাউস নাম
+DocType: Loan Security Pledge,Pledge Time,প্রতিশ্রুতি সময়
 DocType: Naming Series,Select Transaction,নির্বাচন লেনদেন
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ভূমিকা অনুমোদন বা ব্যবহারকারী অনুমদন লিখুন দয়া করে
 DocType: Journal Entry,Write Off Entry,এন্ট্রি বন্ধ লিখুন
 DocType: BOM,Rate Of Materials Based On,হার উপকরণ ভিত্তি করে
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","যদি সক্রিয় থাকে, তাহলে প্রোগ্রাম এনরোলমেন্ট টুল এ ক্ষেত্রটি একাডেমিক টার্ম বাধ্যতামূলক হবে।"
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","অব্যাহতি, শূন্য রেটযুক্ত এবং জিএসটি অ অভ্যন্তরীণ সরবরাহের মান supplies"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,গ্রাহক&gt; গ্রাহক গোষ্ঠী&gt; অঞ্চল
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>সংস্থা</b> একটি বাধ্যতামূলক ফিল্টার।
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,সব অচিহ্নিত
 DocType: Purchase Taxes and Charges,On Item Quantity,আইটেম পরিমাণে
@@ -6907,7 +6996,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ঘাটতি Qty
 DocType: Purchase Invoice,Input Service Distributor,ইনপুট পরিষেবা বিতরণকারী
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,আইটেম বৈকল্পিক {0} একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,অনুগ্রহ করে শিক্ষা&gt; শিক্ষা সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন
 DocType: Loan,Repay from Salary,বেতন থেকে শুধা
 DocType: Exotel Settings,API Token,এপিআই টোকেন
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},বিরুদ্ধে পেমেন্ট অনুরোধ {0} {1} পরিমাণ জন্য {2}
@@ -6927,6 +7015,7 @@
 DocType: Salary Slip,Total Interest Amount,মোট সুদের পরিমাণ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না
 DocType: BOM,Manage cost of operations,অপারেশনের খরচ পরিচালনা
+DocType: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,স্টাইল দিন
 DocType: Travel Itinerary,Arrival Datetime,আগমন ডেটাটাইম
 DocType: Tax Rule,Billing Zipcode,বিল করার জন্য জিপ কোড
@@ -7109,6 +7198,7 @@
 DocType: Employee Transfer,Employee Transfer,কর্মচারী ট্রান্সফার
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ঘন্টা
 DocType: Project,Expected Start Date,প্রত্যাশিত স্টার্ট তারিখ
+DocType: Work Order,This is a location where raw materials are available.,এটি এমন একটি অবস্থান যেখানে কাঁচামাল পাওয়া যায়।
 DocType: Purchase Invoice,04-Correction in Invoice,04 ইনভয়েস ইন সংশোধন
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM এর সাথে সমস্ত আইটেমের জন্য ইতিমধ্যেই তৈরি করা অর্ডার অর্ডার
 DocType: Bank Account,Party Details,পার্টি বিবরণ
@@ -7127,6 +7217,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,উদ্ধৃতি:
 DocType: Contract,Partially Fulfilled,আংশিকভাবে পরিপূর্ণ
 DocType: Maintenance Visit,Fully Completed,সম্পূর্ণরূপে সম্পন্ন
+DocType: Loan Security,Loan Security Name,Securityণ সুরক্ষার নাম
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","নামকরণ সিরিজে &quot;-&quot;, &quot;#&quot;, &quot;।&quot;, &quot;/&quot;, &quot;{&quot; এবং &quot;}&quot; ব্যতীত বিশেষ অক্ষর অনুমোদিত নয়"
 DocType: Purchase Invoice Item,Is nil rated or exempted,নিল রেটেড বা ছাড় দেওয়া হয়
 DocType: Employee,Educational Qualification,শিক্ষাগত যোগ্যতা
@@ -7183,6 +7274,7 @@
 DocType: Program,Is Featured,বৈশিষ্ট্যযুক্ত
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,আনা হচ্ছে ...
 DocType: Agriculture Analysis Criteria,Agriculture User,কৃষি ব্যবহারকারী
+DocType: Loan Security Shortfall,America/New_York,আমেরিকা / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,তারিখ পর্যন্ত বৈধ লেনদেনের তারিখ আগে হতে পারে না
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,ছাত্র শ্রেণী
@@ -7260,8 +7352,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,আপনি হিমায়িত মূল্য নির্ধারণ করার জন্য অনুমতিপ্রাপ্ত নন
 DocType: Payment Reconciliation,Get Unreconciled Entries,অসমর্পিত এন্ট্রি পেতে
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},কর্মচারী {0} ছেড়ে চলে গেছে {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,জার্নাল এন্ট্রি জন্য কোন প্রতিস্থাপিত নির্বাচন
 DocType: Purchase Invoice,GST Category,জিএসটি বিভাগ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,সুরক্ষিত forণের জন্য প্রস্তাবিত প্রতিশ্রুতি বাধ্যতামূলক
 DocType: Payment Reconciliation,From Invoice Date,চালান তারিখ থেকে
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,বাজেট
 DocType: Invoice Discounting,Disbursed,বিতরণ
@@ -7317,14 +7409,13 @@
 DocType: Restaurant,Active Menu,সক্রিয় মেনু
 DocType: Accounting Dimension Detail,Default Dimension,ডিফল্ট মাত্রা sion
 DocType: Target Detail,Target Qty,উদ্দিষ্ট Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},ঋণের বিরুদ্ধে: {0}
 DocType: Shopping Cart Settings,Checkout Settings,চেকআউট সেটিং
 DocType: Student Attendance,Present,বর্তমান
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,হুণ্ডি {0} সম্পন্ন করা সম্ভব নয়
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","কর্মচারীকে ইমেল করা বেতনের স্লিপটি পাসওয়ার্ড সুরক্ষিত থাকবে, পাসওয়ার্ড নীতিমালার ভিত্তিতে পাসওয়ার্ড তৈরি করা হবে।"
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,অ্যাকাউন্ট {0} সমাপ্তি ধরনের দায় / ইক্যুইটি হওয়া আবশ্যক
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে সময় শীট জন্য নির্মিত {1}
-DocType: Vehicle Log,Odometer,দূরত্বমাপণী
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,দূরত্বমাপণী
 DocType: Production Plan Item,Ordered Qty,আদেশ Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,আইটেম {0} নিষ্ক্রিয় করা হয়
 DocType: Stock Settings,Stock Frozen Upto,শেয়ার হিমায়িত পর্যন্ত
@@ -7378,7 +7469,6 @@
 DocType: Serial No,Delivery Document Type,ডেলিভারি ডকুমেন্ট টাইপ
 DocType: Sales Order,Partly Delivered,আংশিক বিতরণ
 DocType: Item Variant Settings,Do not update variants on save,সংরক্ষণের রূপগুলি আপডেট করবেন না
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,গ্রাহক গ্রুপ
 DocType: Email Digest,Receivables,সম্ভাব্য
 DocType: Lead Source,Lead Source,সীসা উৎস
 DocType: Customer,Additional information regarding the customer.,গ্রাহক সংক্রান্ত অতিরিক্ত তথ্য.
@@ -7471,6 +7561,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,আসল
 DocType: Appointment,Skype ID,স্কাইপ আইডি
 DocType: Restaurant Menu,Restaurant Manager,রেস্টুরেন্ট ম্যানেজার
+DocType: Loan,Penalty Income Account,পেনাল্টি আয় অ্যাকাউন্ট
 DocType: Call Log,Call Log,কল লগ
 DocType: Authorization Rule,Customerwise Discount,Customerwise ছাড়
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,কাজের জন্য শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড.
@@ -7557,6 +7648,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,পণ্য ছাড়ের স্কিম
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,কলকারী কোনও ইস্যু উত্থাপন করেনি।
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,সরবরাহকারী দ্বারা গ্রুপ
 DocType: Restaurant Reservation,Waitlisted,অপেক্ষমান তালিকার
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,অব্যাহতি বিভাগ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,মুদ্রা একক কিছু অন্যান্য মুদ্রা ব্যবহার এন্ট্রি করার পর পরিবর্তন করা যাবে না
@@ -7567,7 +7659,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,পরামর্শকারী
 DocType: Subscription Plan,Based on price list,মূল্য তালিকা উপর ভিত্তি করে
 DocType: Customer Group,Parent Customer Group,মূল ক্রেতা গ্রুপ
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ই-ওয়ে বিল জেএসএন কেবল বিক্রয় চালান থেকে তৈরি করা যেতে পারে
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,এই কুইজের সর্বাধিক প্রচেষ্টা পৌঁছেছে!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,চাঁদা
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ফি নির্মাণ মুলতুবি
@@ -7585,6 +7676,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,প্রতিষেধক রক্ষণাবেক্ষণ
 DocType: Delivery Note Item,Against Sales Invoice,বিক্রয় চালান বিরুদ্ধে
 DocType: Purchase Invoice,07-Others,07-অন্যেরা
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,উদ্ধৃতি পরিমাণ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,ধারাবাহিকভাবে আইটেমের জন্য সিরিয়াল নম্বর লিখুন দয়া করে
 DocType: Bin,Reserved Qty for Production,উত্পাদনের জন্য Qty সংরক্ষিত
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,চেকমুক্ত রেখে যান আপনি ব্যাচ বিবেচনা করার সময় অবশ্যই ভিত্তিক দলের উপার্জন করতে চাই না।
@@ -7690,6 +7782,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,পরিশোধের রশিদের উল্লেখ্য
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,এই গ্রাহকের বিরুদ্ধে লেনদেনের উপর ভিত্তি করে তৈরি. বিস্তারিত জানার জন্য নিচের টাইমলাইনে দেখুন
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,উপাদান অনুরোধ তৈরি করুন
+DocType: Loan Interest Accrual,Pending Principal Amount,মুলতুবি অধ্যক্ষের পরিমাণ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,কোর্সের জ্ঞানী আসেসমেন্ট রিপোর্ট
@@ -7732,6 +7825,7 @@
 											to fullfill Sales Order {2}",আইটেম {1} এর সিরিয়াল নং {0} প্রদান করা যাবে না কারণ এটি বিক্রয় আদেশটি সম্পূর্ণ করার জন্য সংরক্ষিত আছে {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,সরবরাহকারী উদ্ধৃতি {0} সৃষ্টি
+DocType: Loan Security Unpledge,Unpledge Type,আনপ্লেজ টাইপ
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,শেষ বছরের শুরুর বছর আগে হতে পারবে না
 DocType: Employee Benefit Application,Employee Benefits,কর্মচারীর সুবিধা
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,কর্মচারী আইডি
@@ -7814,6 +7908,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,কোর্স কোড:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ব্যয় অ্যাকাউন্ট লিখুন দয়া করে
 DocType: Quality Action Resolution,Problem,সমস্যা
+DocType: Loan Security Type,Loan To Value Ratio,মূল্য অনুপাত Loণ
 DocType: Account,Stock,স্টক
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার ক্রয় আদেশ এক, ক্রয় চালান বা জার্নাল এন্ট্রি করতে হবে"
 DocType: Employee,Current Address,বর্তমান ঠিকানা
@@ -7831,6 +7926,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ব্যাংক স্টেটমেন্ট লেনদেন এন্ট্রি
 DocType: Sales Invoice Item,Discount and Margin,ছাড় এবং মার্জিন
 DocType: Lab Test,Prescription,প্রেসক্রিপশন
+DocType: Process Loan Security Shortfall,Update Time,আপডেটের সময়
 DocType: Import Supplier Invoice,Upload XML Invoices,এক্সএমএল চালানগুলি আপলোড করুন
 DocType: Company,Default Deferred Revenue Account,ডিফল্ট ডিফল্ট রেভিনিউ অ্যাকাউন্ট
 DocType: Project,Second Email,দ্বিতীয় ইমেল
@@ -7844,7 +7940,7 @@
 DocType: Quality Action,Preventive,প্রতিষেধক
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,নিবন্ধভুক্ত ব্যক্তিদের সরবরাহ সরবরাহ
 DocType: Company,Date of Incorporation,নিগম তারিখ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,মোট ট্যাক্স
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,মোট ট্যাক্স
 DocType: Manufacturing Settings,Default Scrap Warehouse,ডিফল্ট স্ক্র্যাপ গুদাম
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,শেষ ক্রয় মূল্য
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,পরিমাণ (Qty শিল্পজাত) বাধ্যতামূলক
@@ -7863,6 +7959,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,অর্থ প্রদানের ডিফল্ট মোড সেট করুন
 DocType: Stock Entry Detail,Against Stock Entry,স্টক এন্ট্রি বিরুদ্ধে
 DocType: Grant Application,Withdrawn,অপসারিত
+DocType: Loan Repayment,Regular Payment,নিয়মিত পেমেন্ট
 DocType: Support Search Source,Support Search Source,সাপোর্ট সোর্স সমর্থন
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,গ্রস মার্জিন%
@@ -7875,8 +7972,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,কর পরিশোধের ছাড়াই
 DocType: BOM Operation,BOM Operation,BOM অপারেশন
 DocType: Purchase Taxes and Charges,On Previous Row Amount,পূর্ববর্তী সারি পরিমাণ
+DocType: Student,Home Address,বাসার ঠিকানা
 DocType: Options,Is Correct,সঠিক
 DocType: Item,Has Expiry Date,মেয়াদ শেষের তারিখ আছে
+DocType: Loan Repayment,Paid Accrual Entries,প্রদত্ত এক্রোলাল এন্ট্রি
+DocType: Loan Security,Loan Security Type,Securityণ সুরক্ষা প্রকার
 apps/erpnext/erpnext/config/support.py,Issue Type.,ইস্যু প্রকার।
 DocType: POS Profile,POS Profile,পিওএস প্রোফাইল
 DocType: Training Event,Event Name,অনুষ্ঠানের নাম
@@ -7888,6 +7988,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","সেটিং বাজেটের, লক্ষ্যমাত্রা ইত্যাদি জন্য ঋতু"
 apps/erpnext/erpnext/www/all-products/index.html,No values,কোন মান নেই
 DocType: Supplier Scorecard Scoring Variable,Variable Name,পরিবর্তনশীল নাম
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,পুনরায় মিলনের জন্য ব্যাংক অ্যাকাউন্ট নির্বাচন করুন।
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} আইটেম একটি টেমপ্লেট, তার ভিন্নতা একটি নির্বাচন করুন"
 DocType: Purchase Invoice Item,Deferred Expense,বিলম্বিত ব্যয়
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,বার্তাগুলিতে ফিরে যান
@@ -7939,7 +8040,6 @@
 DocType: GL Entry,To Rename,নতুন নামকরণ
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,সিরিয়াল নম্বর যুক্ত করতে নির্বাচন করুন।
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,অনুগ্রহ করে শিক্ষা&gt; শিক্ষা সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',গ্রাহক &#39;% s&#39; এর জন্য অনুগ্রহযোগ্য কোড সেট করুন
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,প্রথম কোম্পানি নির্বাচন করুন
 DocType: Item Attribute,Numeric Values,সাংখ্যিক মান
@@ -7963,6 +8063,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,ফিফোর উপর ভিত্তি করে আনুন
 DocType: Soil Texture,Clay Loam,কাদা দোআঁশ মাটি
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,রুট সম্পাদনা করা যাবে না.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Securityণ সুরক্ষা মান
 DocType: Item,Units of Measure,পরিমাপ ইউনিট
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,মেট্রো শহরের ভাড়াটে
 DocType: Supplier,Default Tax Withholding Config,ডিফল্ট ট্যাক্স আটকানো কনফিগারেশন
@@ -8009,6 +8110,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,প্রথম শ্রেণী নির্বাচন করুন
 apps/erpnext/erpnext/config/projects.py,Project master.,প্রকল্প মাস্টার.
 DocType: Contract,Contract Terms,চুক্তির শর্তাবলী
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,অনুমোদিত পরিমাণ সীমা
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,কনফিগারেশন চালিয়ে যান
 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,Maximum benefit amount of component {0} exceeds {1},{0} উপাদানের সর্বাধিক সুবিধা পরিমাণ ছাড়িয়ে গেছে {1}
@@ -8053,3 +8155,4 @@
 DocType: Account,Cash,নগদ
 DocType: Sales Invoice,Unpaid and Discounted,বিনা বেতনের এবং ছাড়যুক্ত
 DocType: Employee,Short biography for website and other publications.,ওয়েবসাইট ও অন্যান্য প্রকাশনা সংক্ষিপ্ত জীবনী.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,সারি # {0}: সাবকন্ট্রাক্টরে কাঁচামাল সরবরাহ করার সময় সরবরাহকারী গুদাম নির্বাচন করতে পারবেন না
diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv
index d25c785..46afee3 100644
--- a/erpnext/translations/bs.csv
+++ b/erpnext/translations/bs.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Prilika izgubljen razlog
 DocType: Patient Appointment,Check availability,Provjera dostupnosti
 DocType: Retention Bonus,Bonus Payment Date,Datum isplate bonusa
-DocType: Employee,Job Applicant,Posao podnositelj
+DocType: Appointment Letter,Job Applicant,Posao podnositelj
 DocType: Job Card,Total Time in Mins,Ukupno vrijeme u minima
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontakt informacije
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Traži bilo šta ...
 ,Stock and Account Value Comparison,Poređenje vrednosti akcija i računa
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Izneseni iznos ne može biti veći od iznosa zajma
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Zainteresovan
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Otvaranje
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Vrijedi od vremena mora biti kraće od Važećeg vremena uputa.
 DocType: Item,Copy From Item Group,Primjerak iz točke Group
 DocType: Journal Entry,Opening Entry,Otvaranje unos
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Račun plaćaju samo
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,razred
 DocType: Restaurant Table,No of Seats,Broj sedišta
+DocType: Loan Type,Grace Period in Days,Grace period u danima
 DocType: Sales Invoice,Overdue and Discounted,Zakašnjeli i sniženi
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Imovina {0} ne pripada staratelju {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Poziv prekinuti
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Propisane procedure
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Prikaži samo POS
 DocType: Supplier Group,Supplier Group Name,Ime grupe dobavljača
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b>
 DocType: Driver,Driving License Categories,Vozačke dozvole Kategorije
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Molimo unesite datum isporuke
 DocType: Depreciation Schedule,Make Depreciation Entry,Make Amortizacija Entry
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detalji o poslovanju obavlja.
 DocType: Asset Maintenance Log,Maintenance Status,Održavanje statusa
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Iznos poreza uključen u vrijednost
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Bez plaćanja zajma
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalji o članstvu
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: dobavljača se protiv plaćaju račun {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Stavke i cijene
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Ukupan broj sati: {0}
+DocType: Loan,Loan Manager,Menadžer kredita
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma trebao biti u fiskalnoj godini. Uz pretpostavku Od datuma = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Izaberite kupca ili dobavljača.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kôd države u datoteci ne podudara se sa kodom države postavljenim u sistemu
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Konto {0} ne pripada preduzeću {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Odaberite samo jedan prioritet kao podrazumevani.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Ostavite blokirani
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,banka unosi
-DocType: Customer,Is Internal Customer,Je interni korisnik
+DocType: Sales Invoice,Is Internal Customer,Je interni korisnik
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materijal zahtjev
 DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Količina paketa
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Nije moguće kreiranje zajma dok aplikacija ne bude odobrena
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Tacno
 DocType: Student Guardian,Mother,majka
 DocType: Restaurant Reservation,Reservation End Time,Vreme završetka rezervacije
+DocType: Salary Slip Loan,Loan Repayment Entry,Otplata zajma
 DocType: Crop,Biennial,Bijenale
 ,BOM Variance Report,Izveštaj BOM varijacije
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Potvrđene narudžbe od kupaca.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Plaćanje protiv {0} {1} ne može biti veći od preostalog iznosa {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Sve jedinice zdravstvene službe
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,O pretvaranju mogućnosti
+DocType: Loan,Total Principal Paid,Ukupno plaćeno glavnice
 DocType: Bank Account,Address HTML,Adressa u HTML-u
 DocType: Lead,Mobile No.,Mobitel broj
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Način plaćanja
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Bilans u osnovnoj valuti
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Nove ponude
+DocType: Loan Interest Accrual,Loan Interest Accrual,Prihodi od kamata na zajmove
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Prisustvo nije dostavljeno {0} kao {1} na odsustvu.
 DocType: Journal Entry,Payment Order,Nalog za plaćanje
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Potvrdi Email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Prihodi iz drugih izvora
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ako je prazno, uzet će se u obzir račun nadređenog skladišta ili neispunjenje kompanije"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-poruke plate slip zaposlenog na osnovu preferirani mail izabrane u zaposlenih
+DocType: Work Order,This is a location where operations are executed.,Ovo je lokacija na kojoj se izvode operacije.
 DocType: Tax Rule,Shipping County,Dostava županije
 DocType: Currency Exchange,For Selling,Za prodaju
 apps/erpnext/erpnext/config/desktop.py,Learn,Učiti
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Primenjeni kod kupona
 DocType: Asset,Next Depreciation Date,Sljedeća Amortizacija Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktivnost Trošak po zaposlenom
+DocType: Loan Security,Haircut %,Šišanje%
 DocType: Accounts Settings,Settings for Accounts,Postavke za račune
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun ne postoji u fakturi {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Menadzeri prodaje - Upravljanje.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Molimo podesite Hotel Room Rate na {}
 DocType: Journal Entry,Multi Currency,Multi valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip fakture
+DocType: Loan,Loan Security Details,Pojedinosti o zajmu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Vrijedi od datuma mora biti manje od važećeg do datuma
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Izuzetak je nastao prilikom usklađivanja {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Postavite Prihvaćeno skladište
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Zahtevati odobrenje za testiranje laboratorija
 DocType: Attendance,Working Hours,Radno vrijeme
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Outstanding
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor konverzije UOM ({0} -&gt; {1}) nije pronađen za stavku: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Postotak koji vam dozvoljava da naplatite više u odnosu na naručeni iznos. Na primjer: Ako je vrijednost narudžbe za artikl 100 USD, a tolerancija postavljena na 10%, tada vam je omogućeno da naplatite 110 USD."
 DocType: Dosage Strength,Strength,Snaga
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Vozilo Datum
 DocType: Campaign Email Schedule,Campaign Email Schedule,Raspored e-pošte kampanje
 DocType: Student Log,Medical,liječnički
+DocType: Work Order,This is a location where scraped materials are stored.,Ovo je mjesto gdje se čuvaju strugani materijali.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Molimo izaberite Lijek
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Olovo Vlasnik ne može biti isti kao olovo
 DocType: Announcement,Receiver,prijemnik
@@ -886,7 +898,7 @@
 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: BOM,Total Cost (Company Currency),Ukupni trošak (valuta kompanije)
-DocType: Loan,Total Payment,Ukupna uplata
+DocType: Repayment Schedule,Total Payment,Ukupna uplata
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO je već kreiran za sve stavke porudžbine
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Upozoravajte narudžbenice
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Iznajmljen od datuma
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dosta dijelova za izgradnju
+DocType: Loan Security,Loan Security Code,Kôd za sigurnost kredita
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Prvo sačuvajte
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Predmeti su potrebni za povlačenje sirovina koje su sa tim povezane.
 DocType: POS Profile User,POS Profile User,POS korisnik profila
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Upis zaliha već je kreiran za radni nalog
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod artikla&gt; Grupa artikala&gt; Marka
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Pogledajte prošla naređenja
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} razgovora
 DocType: Vital Signs,Respiratory rate,Stopa respiratornih organa
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Izbrišite Company Transakcije
 DocType: Production Plan Item,Quantity and Description,Količina i opis
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Poziv na broj i referentni datum je obavezan za transakcije banke
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Molimo postavite Naming Series za {0} putem Podešavanje&gt; Podešavanja&gt; Imenovanje serije
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi poreze i troškove
 DocType: Payment Entry Reference,Supplier Invoice No,Dobavljač Račun br
 DocType: Territory,For reference,Za referencu
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Porez na odbitak
 DocType: Pricing Rule,Sales Partner,Prodajni partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Sve ispostavne kartice.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Iznos narudžbe
+DocType: Loan,Disbursed Amount,Izplaćena suma
 DocType: Buying Settings,Purchase Receipt Required,Kupnja Potvrda Obvezno
 DocType: Sales Invoice,Rail,Rail
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Stvarni trošak
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Povezan sa QuickBooks-om
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Molimo identificirajte / kreirajte račun (knjigu) za vrstu - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Račun se plaća
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Račun je obavezan za unos plaćanja
 DocType: Payment Entry,Type of Payment,Vrsta plaćanja
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Datum poluvremena je obavezan
 DocType: Sales Order,Billing and Delivery Status,Obračun i Status isporuke
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Naplaćeni izn
 DocType: Training Result Employee,Training Result Employee,Obuka Rezultat zaposlenih
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,A logično Skladište protiv kojih su napravljeni unosa zaliha.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,iznos glavnice
+DocType: Repayment Schedule,Principal Amount,iznos glavnice
 DocType: Loan Application,Total Payable Interest,Ukupno plaćaju interesa
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Ukupno izvanredan: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otvori kontakt
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Vaše predmete
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dobavljač&gt; vrsta dobavljača
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pisanje prijedlog
 DocType: Payment Entry Deduction,Payment Entry Deduction,Plaćanje Entry Odbitak
 DocType: Service Level Priority,Service Level Priority,Prioritet na nivou usluge
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Batch Opis
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Stvaranje grupa studenata
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway računa kreiranu, molimo vas da napravite ručno."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Grupne skladišta se ne mogu koristiti u transakcijama. Molimo promijenite vrijednost {0}
 DocType: Supplier Scorecard,Per Year,Godišnje
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nije prihvatljiv za prijem u ovom programu prema DOB-u
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Redak broj {0}: Ne može se izbrisati stavka {1} koja je dodijeljena kupčevom nalogu za kupovinu.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Dok ste kreirali račun za nadređeno preduzeće {0}, roditeljski račun {1} nije pronađen. Napravite roditeljski račun u odgovarajućem COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,student Posjeta
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Nema podataka za izvoz
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Stvarni datum isporuke
 DocType: Lab Test,Test Template,Test Template
+DocType: Loan Security Pledge,Securities,Hartije od vrednosti
 DocType: Restaurant Order Entry Item,Served,Servirano
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informacije o poglavlju.
 DocType: Account,Accounts,Konta
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planirani End Time
 DocType: POS Profile,Only show Items from these Item Groups,Prikažite samo stavke iz ovih grupa predmeta
+DocType: Loan,Is Secured Loan,Zajam je osiguran
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Detalji o tipu Memebership
 DocType: Delivery Note,Customer's Purchase Order No,Kupca Narudžbenica br
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Izlazite iz susreta sa pacijentom
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor konverzije UOM ({0} -&gt; {1}) nije pronađen za stavku: {2}
 DocType: Subscriber,Subscriber,Pretplatnik
 DocType: Item Attribute Value,Item Attribute Value,Stavka vrijednost atributa
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Menjanje mjenjača mora biti primjenjivo za kupovinu ili prodaju.
@@ -1517,6 +1537,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Bez dozvole
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolna lista Ispunjavanja ugovora
 DocType: Vital Signs,Heart Rate / Pulse,Srčana brzina / impuls
+DocType: Customer,Default Company Bank Account,Bankovni račun kompanije
 DocType: Supplier,Default Bank Account,Zadani bankovni račun
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Da biste filtrirali na osnovu stranke, izaberite Party prvog tipa"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'Azuriranje zalihe' se ne može provjeriti jer artikli nisu dostavljeni putem {0}
@@ -1634,7 +1655,6 @@
 DocType: Sales Team,Incentives,Poticaji
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vrijednosti van sinkronizacije
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vrijednost razlike
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Molimo podesite seriju brojeva za Attendance putem Podešavanje&gt; Serija numeriranja
 DocType: SMS Log,Requested Numbers,Traženi brojevi
 DocType: Volunteer,Evening,Veče
 DocType: Quiz,Quiz Configuration,Konfiguracija kviza
@@ -1654,6 +1674,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Na prethodni redak Ukupno
 DocType: Purchase Invoice Item,Rejected Qty,odbijena Količina
 DocType: Setup Progress Action,Action Field,Akciono polje
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Vrsta kredita za kamate i zatezne stope
 DocType: Healthcare Settings,Manage Customer,Upravljajte kupcima
 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
@@ -1665,6 +1686,7 @@
 ,Final Assessment Grades,Završne ocene
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava .
 DocType: HR Settings,Include holidays in Total no. of Working Days,Uključi odmor u ukupnom. radnih dana
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Od ukupnog iznosa
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Postavite svoj institut u ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza biljaka
 DocType: Task,Timeline,Vremenska linija
@@ -1672,9 +1694,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativna jedinica
 DocType: Shopify Log,Request Data,Zahtevajte podatke
 DocType: Employee,Date of Joining,Datum pristupa
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Update serija
 DocType: Supplier Quotation,Is Subcontracted,Je podugovarati
 DocType: Restaurant Table,Minimum Seating,Minimalno sedenje
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Pitanje ne može biti duplicirano
 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,Purchase Receipt,Račun kupnje
@@ -1776,6 +1800,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Fakture
 DocType: Payment Request,Paid,Plaćen
 DocType: Service Level,Default Priority,Default Priority
+DocType: Pledge,Pledge,Zalog
 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."
@@ -1789,6 +1814,7 @@
 DocType: Guardian,Guardian Name,Guardian ime
 DocType: Cheque Print Template,Has Print Format,Ima Print Format
 DocType: Support Settings,Get Started Sections,Započnite sekcije
+,Loan Repayment and Closure,Otplata i zatvaranje zajma
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sankcionisani
 ,Base Amount,Osnovni iznos
@@ -1799,10 +1825,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,From Place
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Iznos zajma ne može biti veći od {0}
 DocType: Student Admission,Publish on website,Objaviti na web stranici
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Dobavljač Datum računa ne može biti veći od Datum knjiženja
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod artikla&gt; Grupa artikala&gt; Marka
 DocType: Subscription,Cancelation Date,Datum otkazivanja
 DocType: Purchase Invoice Item,Purchase Order Item,Narudžbenica predmet
 DocType: Agriculture Task,Agriculture Task,Poljoprivreda zadatak
@@ -1821,7 +1847,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Dodatni popust Procenat
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Pogledaj listu svih snimke Pomoć
 DocType: Agriculture Analysis Criteria,Soil Texture,Tekstura tla
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Odaberite račun šefa banke gdje je ček bio pohranjen.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Dopustite korisniku uređivanje cjenika u transakcijama
 DocType: Pricing Rule,Max Qty,Max kol
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Štampaj izveštaj karticu
@@ -1953,7 +1978,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Jednom podešen, ovaj račun će biti na čekanju do određenog datuma"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Prodaja Iznos
-DocType: Repayment Schedule,Interest Amount,Iznos kamata
+DocType: Loan Interest Accrual,Interest Amount,Iznos kamata
 DocType: Job Card,Time Logs,Time Dnevnici
 DocType: Sales Invoice,Loyalty Amount,Lojalnost
 DocType: Employee Transfer,Employee Transfer Detail,Detalji transfera zaposlenih
@@ -1968,6 +1993,7 @@
 DocType: Cashier Closing,Returns,povraćaj
 DocType: Job Card,WIP Warehouse,WIP Skladište
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serijski Ne {0} je pod ugovorom za održavanje upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Granica sankcionisanog iznosa pređena za {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,regrutacija
 DocType: Lead,Organization Name,Naziv organizacije
 DocType: Support Settings,Show Latest Forum Posts,Prikaži najnovije poruke foruma
@@ -1994,7 +2020,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Nalozi za kupovinu narudžbine
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Poštanski broj
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Prodajnog naloga {0} je {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Izrada Stock unosi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Ne može promovirati zaposlenika sa statusom levo
@@ -2078,7 +2103,6 @@
 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,Start Year,Početak godine
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Kreirajte zajam
 DocType: Purchase Invoice,Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice
 DocType: Shift Type,Process Attendance After,Posjedovanje procesa nakon
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Izaberite svoje domene
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Stavke fakture za plaćanje
+DocType: Repayment Schedule,Is Accrued,Je nagomilano
 DocType: Payroll Entry,Employee Details,Zaposlenih Detalji
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Obrada XML datoteka
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Ulaz lojalnosti
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Zadana grupa proizvoda
+DocType: Loan,Partially Disbursed,djelomično Isplaćeno
 DocType: Job Card Time Log,Time In Mins,Vrijeme u minutima
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Grant informacije.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ova akcija će prekinuti vezu ovog računa s bilo kojom vanjskom uslugom koja integrira ERPNext sa vašim bankovnim računima. Ne može se poništiti. Jeste li sigurni?
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Zatvaranje zajma
 DocType: Call Log,Lead,Potencijalni kupac
 DocType: Email Digest,Payables,Obveze
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2177,6 +2204,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON može se generirati samo iz poslanog dokumenta
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Porez i beneficije zaposlenih
 DocType: Bank Guarantee,Validity in Days,Valjanost u Dani
+DocType: Unpledge,Haircut,Šišanje
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-forma nije primjenjiv za fakture: {0}
 DocType: Certified Consultant,Name of Consultant,Ime konsultanta
 DocType: Payment Reconciliation,Unreconciled Payment Details,Nesaglašen Detalji plaćanja
@@ -2229,7 +2257,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Ostatak svijeta
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Stavka {0} ne može imati Batch
 DocType: Crop,Yield UOM,Primarni UOM
+DocType: Loan Security Pledge,Partially Pledged,Djelomično založeno
 ,Budget Variance Report,Proračun varijance Prijavi
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Iznos sankcije zajma
 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,Get Items from Healthcare Services,Uzmite predmete iz zdravstvenih usluga
@@ -2264,6 +2294,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Novi postupak kvaliteta
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Bilans konta {0} uvijek mora biti {1}
 DocType: Patient Appointment,More Info,Više informacija
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Datum rođenja ne može biti veći od datuma pridruživanja.
 DocType: Supplier Scorecard,Scorecard Actions,Action Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dobavljač {0} nije pronađen u {1}
 DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija
@@ -2360,6 +2391,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Molimo prvo postavite kod za stavku
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc tip
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Stvoreno jamstvo zajma: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Imenovanja i susreti sa pacijentom
@@ -2415,6 +2447,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Broj istodobnih imenovanja
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Počinjemo
 DocType: Purchase Invoice,Taxes and Charges Calculation,Porezi i naknade Proračun
+DocType: Loan Interest Accrual,Payable Principal Amount,Plativi glavni iznos
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Knjiga imovine Amortizacija Entry Automatski
 DocType: BOM Operation,Workstation,Workstation
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zahtjev za ponudu dobavljač
@@ -2451,7 +2484,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Hrana
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Starenje Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Closing Voucher Detalji
-DocType: Bank Account,Is the Default Account,Je li zadani račun
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nije pronađena komunikacija.
 DocType: Inpatient Occupancy,Check In,Provjeri
@@ -2509,12 +2541,14 @@
 DocType: Sales Order Item,Planned Quantity,Planirana količina
 DocType: Water Analysis,Water Analysis Criteria,Kriterijumi za analizu vode
 DocType: Item,Maintain Stock,Održavati Stock
+DocType: Loan Security Unpledge,Unpledge Time,Vreme odvrtanja
 DocType: Terms and Conditions,Applicable Modules,Primjenjivi moduli
 DocType: Employee,Prefered Email,Prefered mail
 DocType: Student Admission,Eligibility and Details,Prihvatljivost i Detalji
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Uključeno u bruto dobit
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Neto promjena u fiksnoj Asset
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Ovo je mjesto na kojem se sprema krajnji proizvod.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datuma i vremena
@@ -2555,8 +2589,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Jamstveni / AMC Status
 ,Accounts Browser,Šifrarnik konta
 DocType: Procedure Prescription,Referral,Upućivanje
+,Territory-wise Sales,Prodaja na teritoriji
 DocType: Payment Entry Reference,Payment Entry Reference,Plaćanje Entry Reference
 DocType: GL Entry,GL Entry,GL ulaz
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Red # {0}: Prihvaćena skladišta i skladišta dobavljača ne mogu biti isti
 DocType: Support Search Source,Response Options,Opcije odgovora
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Primenite višestruka pravila cena
 DocType: HR Settings,Employee Settings,Postavke zaposlenih
@@ -2617,6 +2653,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Poljoprivreda (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Odreskom
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Molimo postavite Naming Series za {0} putem Podešavanje&gt; Podešavanja&gt; Imenovanje serije
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,najam ureda
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Postavke Setup SMS gateway
 DocType: Disease,Common Name,Zajedničko ime
@@ -2633,6 +2670,7 @@
 DocType: Item,Sales Details,Prodajni detalji
 DocType: Coupon Code,Used,Rabljeni
 DocType: Opportunity,With Items,Sa stavkama
+DocType: Vehicle Log,last Odometer Value ,zadnja vrijednost odometra
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampanja &#39;{0}&#39; već postoji za {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Tim za održavanje
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Redoslijed u kojim će se odjeljcima pojaviti. 0 je prvo, 1 je drugo itd."
@@ -2643,7 +2681,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Rashodi Preuzmi {0} već postoji za putnom
 DocType: Asset Movement Item,Source Location,Izvor Lokacija
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institut ime
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Unesite iznos otplate
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Unesite iznos otplate
 DocType: Shift Type,Working Hours Threshold for Absent,Prag radnog vremena za odsutne
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Na osnovu ukupne potrošnje može biti više faktora sakupljanja. Ali faktor konverzije za otkup će uvek biti isti za sve nivoe.
 apps/erpnext/erpnext/config/help.py,Item Variants,Stavka Varijante
@@ -2667,6 +2705,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} mora biti manji od {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Prvo odaberite vrstu prijavitelja
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Odaberite BOM, Količina i Za skladište"
 DocType: GST HSN Code,GST HSN Code,PDV HSN Kod
 DocType: Employee External Work History,Total Experience,Ukupno Iskustvo
@@ -2757,7 +2796,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Nije pronađena aktivna BOM za stavku {0}. Ne može se osigurati isporuka sa \ Serial No.
 DocType: Sales Partner,Sales Partner Target,Prodaja partner Target
-DocType: Loan Type,Maximum Loan Amount,Maksimalni iznos kredita
+DocType: Loan Application,Maximum Loan Amount,Maksimalni iznos kredita
 DocType: Coupon Code,Pricing Rule,cijene Pravilo
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplikat broj roll za studentske {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Materijal Zahtjev za narudžbenice
@@ -2780,6 +2819,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Lišće Dodijeljeni uspješno za {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Nema stavki za omot
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Trenutno su podržane samo .csv i .xlsx datoteke
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Postavite sistem imenovanja zaposlenika u ljudskim resursima&gt; HR postavke
 DocType: Shipping Rule Condition,From Value,Od Vrijednost
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezno
 DocType: Loan,Repayment Method,otplata Način
@@ -2863,6 +2903,7 @@
 DocType: Customer,Customer POS Id,Kupac POS Id
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student sa e-mailom {0} ne postoji
 DocType: Account,Account Name,Naziv konta
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Već postoji sankcionirani iznos zajma za {0} protiv kompanije {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio
 DocType: Pricing Rule,Apply Discount on Rate,Primenite popust na rate
@@ -2934,6 +2975,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Neto profit
 DocType: Purchase Invoice,Eligibility For ITC,Prikladnost za ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-YYYY.-
+DocType: Loan Security Pledge,Unpledged,Nepotpunjeno
 DocType: Journal Entry,Entry Type,Entry Tip
 ,Customer Credit Balance,Customer Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto promjena na računima dobavljača
@@ -2945,6 +2987,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID uređaja prisutnosti (ID biometrijske / RF oznake)
 DocType: Quotation,Term Details,Oročeni Detalji
 DocType: Item,Over Delivery/Receipt Allowance (%),Nadoknada za isporuku / primanje (%)
+DocType: Appointment Letter,Appointment Letter Template,Predložak pisma o imenovanju
 DocType: Employee Incentive,Employee Incentive,Incentive za zaposlene
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Ukupno (bez poreza)
@@ -2967,6 +3010,7 @@
 					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
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Odvajanje Plaćanje o otkazivanju fakture
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Proces obračuna kamata na zajmove
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Trenutno čitanje Odometar ušli bi trebao biti veći od početnog kilometraže vozila {0}
 ,Purchase Order Items To Be Received or Billed,Kupovinske stavke koje treba primiti ili naplatiti
 DocType: Restaurant Reservation,No Show,Ne Show
@@ -3052,6 +3096,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Troškovi Centar je potreban za &quot;dobiti i gubitka računa {2}. Molimo vas da se uspostavi default troškova Centra za kompanije.
 DocType: Payment Schedule,Payment Term,Rok plaćanja
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Grupa kupaca sa istim nazivom već postoji. Promijenite naziv kupca ili promijenite naziv grupe kupaca.
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Datum završetka prijema trebao bi biti veći od datuma početka upisa.
 DocType: Location,Area,Područje
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Novi kontakt
 DocType: Company,Company Description,Opis preduzeća
@@ -3126,6 +3171,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data
 DocType: Purchase Order Item,Warehouse and Reference,Skladište i upute
 DocType: Payroll Period Date,Payroll Period Date,Datum perioda plaćanja
+DocType: Loan Disbursement,Against Loan,Protiv zajma
 DocType: Supplier,Statutory info and other general information about your Supplier,Zakonska info i druge opće informacije o vašem Dobavljaču
 DocType: Item,Serial Nos and Batches,Serijski brojevi i Paketi
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Student Group Strength
@@ -3191,6 +3237,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Odaberite kompaniju
 DocType: Delivery Settings,Delivery Settings,Postavke isporuke
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Izvadite podatke
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Ne može se ukloniti više od {0} broj od {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimalni dozvoljeni odmor u tipu odlaska {0} je {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Objavite 1 predmet
 DocType: SMS Center,Create Receiver List,Kreiraj listu primalaca
@@ -3339,6 +3386,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Iznos (Company Valuta)
 DocType: Purchase Invoice,Registered Regular,Registrovan redovno
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Sirovine
+DocType: Plaid Settings,sandbox,peskovnik
 DocType: Payment Reconciliation Payment,Reference Row,referentni Row
 DocType: Installation Note,Installation Time,Vrijeme instalacije
 DocType: Sales Invoice,Accounting Details,Računovodstvo Detalji
@@ -3351,12 +3399,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Tip transakcije
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriterij prihvaćanja
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Molimo unesite materijala Zahtjevi u gornjoj tablici
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Ukupan iznos
 DocType: Task,Expected Time (in hours),Očekivano trajanje (u satima)
 DocType: Item Reorder,Check in (group),Check in (grupa)
 DocType: Soil Texture,Silt,Silt
@@ -3387,6 +3434,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Odbitak poreza za neosnovan dokaz o oslobađanju od poreza
 DocType: Volunteer,Anytime,Uvek
 DocType: Bank Account,Bank Account No,Bankarski račun br
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Isplata i otplata
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Podnošenje dokaza o izuzeću poreza na radnike
 DocType: Patient,Surgical History,Hirurška istorija
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3450,6 +3498,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Napravite laboratorijske testove na računu za prodaju
 DocType: Serial No,Invoice Details,Račun Detalji
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Struktura plaće mora se podnijeti prije podnošenja Izjave o porezu
+DocType: Loan Application,Proposed Pledges,Predložena obećanja
 DocType: Grant Application,Show on Website,Show on Website
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Počnite
 DocType: Hub Tracked Item,Hub Category,Glavna kategorija
@@ -3461,7 +3510,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Standing Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Red {0}: Bill materijala nije pronađen za stavku {1}
 DocType: Contract Fulfilment Checklist,Requirement,Zahtev
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Postavite sistem imenovanja zaposlenika u ljudskim resursima&gt; HR postavke
 DocType: Journal Entry,Accounts Receivable,Konto potraživanja
 DocType: Quality Goal,Objectives,Ciljevi
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Uloga je dozvoljena za kreiranje sigurnosne aplikacije za odlazak
@@ -3474,6 +3522,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Uključi pomirio objave
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Ukupni dodijeljeni iznos ({0}) je namazan od uplaćenog iznosa ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Podijelite Optužbe na osnovu
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Plaćeni iznos ne može biti manji od {0}
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,Podešavanja ljudskih resursa
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Majstori računovodstva
@@ -3619,6 +3668,7 @@
 DocType: Employee,Health Insurance,Zdravstveno osiguranje
 DocType: Asset Repair,Manufacturing Manager,Proizvodnja Manager
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serijski Ne {0} je pod jamstvom upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Iznos zajma premašuje maksimalni iznos zajma od {0} po predloženim vrijednosnim papirima
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimalna dozvoljena vrijednost
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Korisnik {0} već postoji
 apps/erpnext/erpnext/hooks.py,Shipments,Pošiljke
@@ -3662,7 +3712,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tip poslovanja
 DocType: Sales Invoice,Consumer,Potrošački
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Molimo odaberite Izdvojena količina, vrsta fakture i fakture Broj u atleast jednom redu"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Molimo postavite Naming Series za {0} putem Podešavanje&gt; Podešavanja&gt; Imenovanje serije
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Troškovi New Kupovina
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0}
 DocType: Grant Application,Grant Description,Grant Opis
@@ -3671,6 +3720,7 @@
 DocType: Subscription,Discounts,Popusti
 DocType: Bank Transaction,Unallocated Amount,neraspoređenih Iznos
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Molimo omogućite primenljivu na nalogu za kupovinu i primenljivu na trenutnim troškovima rezervacije
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} nije bankovni račun kompanije
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Ne možete pronaći stavku koja se podudara. Molimo odaberite neki drugi vrijednost za {0}.
 DocType: POS Profile,Taxes and Charges,Porezi i naknade
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Proizvoda ili usluge koja je kupio, prodati ili držati u čoporu."
@@ -3719,6 +3769,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Važi od datuma mora biti manji od važećeg datuma.
 DocType: Employee Skill,Evaluation Date,Datum evaluacije
 DocType: Quotation Item,Stock Balance,Kataloški bilanca
+DocType: Loan Security Pledge,Total Security Value,Ukupna vrednost sigurnosti
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Naloga prodaje na isplatu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Uz plaćanje poreza
@@ -3731,6 +3782,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Račun {0} ne postoji u grafikonu nadzorne ploče {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Prikaži varijante atributa
@@ -3812,6 +3864,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutno Vrednovanje Rate
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Broj korijenskih računa ne može biti manji od 4
 DocType: Training Event,Advance,Advance
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Protiv zajma:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless postavke gateway plaćanja
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange dobitak / gubitak
 DocType: Opportunity,Lost Reason,Razlog gubitka
@@ -3895,8 +3948,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Izaberite serijski br
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},{1}: Invalid {0}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Red {0}: Datum rođenja braće ne može biti veći od današnjeg.
 DocType: Fee Validity,Reference Inv,Reference Inv
 DocType: Sales Invoice Advance,Advance Amount,Iznos avansa
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Kamatna stopa (%) po danu
 DocType: Manufacturing Settings,Capacity Planning,Planiranje kapaciteta
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Prilagođavanje zaokruživanja (valuta kompanije
 DocType: Asset,Policy number,Broj police
@@ -3912,7 +3967,9 @@
 DocType: Normal Test Items,Require Result Value,Zahtevaj vrednost rezultata
 DocType: Purchase Invoice,Pricing Rules,Pravila cijena
 DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice
+DocType: Appointment Letter,Body,Telo
 DocType: Tax Withholding Rate,Tax Withholding Rate,Stopa zadržavanja poreza
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Datum početka otplate je obavezan za oročene kredite
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,prodavaonice
@@ -3932,7 +3989,7 @@
 DocType: Call Log,Received By,Primio
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trajanje sastanka (u nekoliko minuta)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalji šablona za mapiranje gotovog toka
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Upravljanje zajmovima
+DocType: Loan,Loan Management,Upravljanje zajmovima
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Pratite odvojene prihoda i rashoda za vertikala proizvod ili podjele.
 DocType: Rename Tool,Rename Tool,Preimenovanje alat
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Update cost
@@ -3940,6 +3997,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Obrazac
 DocType: Sales Invoice,Mode of Transport,Način transporta
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Pokaži Plaća Slip
+DocType: Loan,Is Term Loan,Term zajam
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Prijenos materijala
 DocType: Fees,Send Payment Request,Pošaljite zahtev za plaćanje
 DocType: Travel Request,Any other details,Bilo koji drugi detalj
@@ -3957,6 +4015,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Novčani tok iz Financiranje
 DocType: Budget Account,Budget Account,računa budžeta
 DocType: Quality Inspection,Verified By,Ovjeren od strane
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Dodajte osiguranje kredita
 DocType: Travel Request,Name of Organizer,Ime organizatora
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne mogu promijeniti tvrtke zadanu valutu , jer postoje neki poslovi . Transakcije mora biti otkazana promijeniti zadanu valutu ."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Da li je porez na dohodak
@@ -4007,6 +4066,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Potrebna On
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ako je označeno, sakriva i onemogućuje polje Zaokruženo ukupno u listićima plaće"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ovo je zadani offset (dani) za datum isporuke u prodajnim nalozima. Ponovno nadoknađivanje je 7 dana od datuma slanja narudžbe.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Molimo podesite seriju brojeva za Attendance putem Podešavanje&gt; Serija numeriranja
 DocType: Rename Tool,File to Rename,File da biste preimenovali
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Molimo odaberite BOM za Stavka zaredom {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Izvrši ažuriranje pretplate
@@ -4019,6 +4079,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serijski brojevi stvoreni
 DocType: POS Profile,Applicable for Users,Primenljivo za korisnike
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Datum i datum su obavezni
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Postavite Project i sve zadatke na status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Postavite napredak i dodelite (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Stvaranje radnih naloga
@@ -4028,6 +4089,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Predmeti od
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Troškovi Kupljene stavke
 DocType: Employee Separation,Employee Separation Template,Šablon za razdvajanje zaposlenih
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Nulta količina {0} obećala je zajam {0}
 DocType: Selling Settings,Sales Order Required,Prodajnog naloga Obvezno
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Postanite Prodavac
 ,Procurement Tracker,Praćenje nabavke
@@ -4124,11 +4186,12 @@
 ,Minutes to First Response for Opportunity,Minuta na prvi odgovor za Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Ukupno Odsutan
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Iznos koji treba platiti
+DocType: Loan Repayment,Payable Amount,Iznos koji treba platiti
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Prilika (Opportunity)
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maksimalna snaga ne može biti manja od nule.
 DocType: Options,Option,Opcija
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Ne možete kreirati računovodstvene unose u zatvorenom obračunskom periodu {0}
 DocType: Operation,Default Workstation,Uobičajeno Workstation
@@ -4170,6 +4233,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Iznos kamate je obavezan
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Sljedeći koraci
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Spremljene stavke
@@ -4240,8 +4304,6 @@
 DocType: Grant Application,Grant Application Details ,Grant Application Details
 DocType: Employee Separation,Employee Separation,Separacija zaposlenih
 DocType: BOM Item,Original Item,Original Item
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Naknada Records Kreirano - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategorija računa
@@ -4277,6 +4339,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Predmet laboratorijskog testa {0} već postoji
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je praznik kompanije
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Sati naplate
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Zatezna kamata se svakodnevno obračunava na viši iznos kamate u slučaju kašnjenja sa otplatom
+DocType: Appointment Letter content,Appointment Letter content,Sadržaj pisma o sastanku
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Ostavite obaveštenje o statusu
 DocType: Patient Appointment,Procedure Prescription,Procedura Prescription
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures i raspored
@@ -4296,7 +4360,7 @@
 DocType: Opportunity,Customer / Lead Name,Kupac / Ime osobe koja je Lead
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Razmak Datum nije spomenuo
 DocType: Payroll Period,Taxable Salary Slabs,Oporezive ploče za oporezivanje
-DocType: Job Card,Production,proizvodnja
+DocType: Plaid Settings,Production,proizvodnja
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Nevažeći GSTIN! Uneseni unos ne odgovara formatu GSTIN-a.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Vrijednost računa
 DocType: Guardian,Occupation,okupacija
@@ -4440,6 +4504,7 @@
 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,Student {0} does not belong to group {1},Student {0} ne pripada grupi {1}
+DocType: Appointment Letter,Appointment Date,Datum imenovanja
 DocType: Budget,Cost Center,Troška
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,bon #
 DocType: Tax Rule,Shipping Country,Dostava Country
@@ -4510,6 +4575,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Računovodstvena dimenzija
 ,Profit and Loss Statement,Račun dobiti i gubitka
 DocType: Bank Reconciliation Detail,Cheque Number,Broj čeka
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Plaćeni iznos ne može biti nula
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Stavka na koju se odnosi {0} - {1} već je fakturisana
 ,Sales Browser,prodaja preglednik
 DocType: Journal Entry,Total Credit,Ukupna kreditna
@@ -4626,6 +4692,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Dodavanje / uređivanje uvjeta kupona
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Rashodi / Razlika računa ({0}) mora biti račun 'dobit ili gubitak'
 DocType: Stock Entry Detail,Stock Entry Child,Dijete ulaska na zalihe
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Zajam za zajam zajma i zajam Društvo moraju biti isti
 DocType: Project,Copied From,kopira iz
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Račun je već kreiran za sva vremena plaćanja
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Ime greška: {0}
@@ -4633,6 +4700,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Da li je finansijski trošak
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Gledatelja za zaposlenika {0} već označen
 DocType: Packing Slip,If more than one package of the same type (for print),Ako je više od jedan paket od iste vrste (za tisak)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Postavite sistem imenovanja instruktora u Obrazovanje&gt; Postavke obrazovanja
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Podesite podrazumevani kupac u podešavanjima restorana
 ,Salary Register,Plaća Registracija
 DocType: Company,Default warehouse for Sales Return,Zadano skladište za povraćaj prodaje
@@ -4677,7 +4745,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Trenutni serijski br
 DocType: Employee,Attendance and Leave Details,Detalji posjeta i odlaska
 ,BOM Comparison Tool,Alat za upoređivanje BOM-a
-,Requested,Tražena
+DocType: Loan Security Pledge,Requested,Tražena
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4689,7 +4757,6 @@
 DocType: Drug Prescription,Drug Prescription,Prescription drugs
 DocType: Service Level,Support and Resolution,Podrška i rezolucija
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Besplatni kod artikla nije odabran
-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
@@ -4723,6 +4790,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Ste već ocijenili za kriterije procjene {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Iznos manjka
 DocType: Vehicle Service,Engine Oil,Motorno ulje
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Objavljeni radni nalogi: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Molimo postavite ID e-pošte za Lead {0}
@@ -4741,6 +4809,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Za grafikon nadzorne ploče nije postavljen račun {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Nanesite dodatni popust na
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Izaberite Tip ...
+DocType: Loan Interest Accrual,Amounts,Iznosi
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše karte
 DocType: Account,Root Type,korijen Tip
 DocType: Item,FIFO,FIFO
@@ -4748,6 +4817,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: ne mogu vratiti više od {1} {2} za tačka
 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: Loan Security Price,Loan Security Price,Cijena garancije zajma
 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,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Trgovina na malo
@@ -4886,6 +4956,7 @@
 DocType: Coupon Code,Coupon Description,Opis kupona
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Serija je obavezno u nizu {0}
 DocType: Company,Default Buying Terms,Uvjeti kupnje
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Isplata zajma
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Kupnja Prijem artikla Isporuka
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Omogućite zakazanu sinhronizaciju
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,To datuma i vremena
@@ -4914,6 +4985,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Unesite vrijednost betweeen {0} i {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Unesite naziv kampanje, ako je izvor upit je kampanja"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,novinski izdavači
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Nije pronađena valjana <b>cijena</b> jamstva za za {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Dalji datumi nisu dozvoljeni
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Očekivani datum isporuke treba da bude nakon datuma prodaje
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Ponovno red Level
@@ -4980,6 +5052,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Predlog / Cjenik cijene
 DocType: Antibiotic,Healthcare,Zdravstvena zaštita
 DocType: Target Detail,Target Detail,Ciljana Detalj
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Procesi zajma
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Jedinstvena varijanta
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Svi poslovi
 DocType: Sales Order,% of materials billed against this Sales Order,% Materijala naplaćeno protiv ovog prodajnog naloga
@@ -5042,7 +5115,7 @@
 DocType: Item,Reorder level based on Warehouse,Nivo Ponovno red zasnovan na Skladište
 DocType: Activity Cost,Billing Rate,Billing Rate
 ,Qty to Deliver,Količina za dovođenje
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Kreirajte unos isplate
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Kreirajte unos isplate
 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,Operations cannot be left blank,Operacije se ne može ostati prazno
@@ -5076,6 +5149,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Prekini vezu s vanjskim integracijama
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Odaberite odgovarajuću uplatu
 DocType: Pricing Rule,Item Code,Šifra artikla
+DocType: Loan Disbursement,Pending Amount For Disbursal,Iznos na čekanju za raspravu
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-YYYY.-
 DocType: Serial No,Warranty / AMC Details,Jamstveni / AMC Brodu
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Izbor studenata ručno za grupe aktivnosti na osnovu
@@ -5099,6 +5173,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Količina Ukupno
 DocType: Landed Cost Item,Receipt Document,dokument o prijemu
 DocType: Employee Education,School/University,Škola / Univerzitet
+DocType: Loan Security Pledge,Loan  Details,Detalji o zajmu
 DocType: Sales Invoice Item,Available Qty at Warehouse,Dostupna količina na skladištu
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Naplaćeni iznos
 DocType: Share Transfer,(including),(uključujući)
@@ -5122,6 +5197,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupe
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupa po računu
 DocType: Purchase Invoice,Hold Invoice,Držite fakturu
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Status zaloga
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Molimo odaberite Employee
 DocType: Sales Order,Fully Delivered,Potpuno Isporučeno
 DocType: Promotional Scheme Price Discount,Min Amount,Min. Iznos
@@ -5131,7 +5207,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni iznos ne može biti veći od Iznos kredita {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Red {0} # Raspodijeljena količina {1} ne može biti veća od nezadovoljne količine {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Nosi proslijeđen lišće
@@ -5159,6 +5234,7 @@
 DocType: Pick List Item,Serial No and Batch,Serijski broj i Batch
 DocType: Warranty Claim,From Company,Iz Društva
 DocType: GSTR 3B Report,January,Januar
+DocType: Loan Repayment,Principal Amount Paid,Iznos glavnice
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Zbir desetine Kriteriji procjene treba da bude {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Molimo podesite Broj Amortizacija Booked
 DocType: Supplier Scorecard Period,Calculations,Izračunavanje
@@ -5184,6 +5260,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vašoj Kompaniji
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Prikaži podatke o starenju zaliha
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit na račun mora biti bilans stanja računa
+DocType: Loan Repayment,Penalty Amount,Iznos kazne
 DocType: Donor,Donor,Donor
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ažurirajte porez na stavke
 DocType: Global Defaults,Disable In Words,Onemogućena u Words
@@ -5214,6 +5291,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Troškovno središte i budžetiranje
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Početno stanje Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Djelomični plaćeni ulazak
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Molimo postavite Raspored plaćanja
 DocType: Pick List,Items under this warehouse will be suggested,Predlozi ispod ovog skladišta bit će predloženi
 DocType: Purchase Invoice,N,N
@@ -5247,7 +5325,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nije pronađen za stavku {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrijednost mora biti između {0} i {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Prikaži inkluzivni porez u štampi
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Poruka je poslana
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5261,6 +5338,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Omogući automatsku ponovnu narudžbu
 DocType: Stock Settings,Item Naming By,Artikal imenovan po
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Drugi period Zatvaranje Stupanje {0} je postignut nakon {1}
+DocType: Proposed Pledge,Proposed Pledge,Predloženo založno pravo
 DocType: Work Order,Material Transferred for Manufacturing,Materijal Prebačen za izradu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Račun {0} ne postoji
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Odaberite Loyalty Program
@@ -5271,7 +5349,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Postavljanje Događanja u {0}, jer zaposleni u prilogu ispod prodaje osoba nema korisniku ID {1}"
 DocType: Timesheet,Billing Details,Billing Detalji
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Izvor i meta skladište mora biti drugačiji
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Postavite sistem imenovanja zaposlenika u ljudskim resursima&gt; HR postavke
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plaćanje nije uspelo. Molimo provjerite svoj GoCardless račun za više detalja
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nije dopušteno osvježavanje burzovnih transakcija stariji od {0}
 DocType: Stock Entry,Inspection Required,Inspekcija Obvezno
@@ -5284,6 +5361,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Isporuka skladište potrebno za zaliha stavku {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto težina paketa. Obično neto težina + ambalaža težina. (Za tisak)
 DocType: Assessment Plan,Program,program
+DocType: Unpledge,Against Pledge,Protiv zaloga
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Korisnici s ovom ulogom smiju postaviti zamrznute račune i izradu / izmjenu računovodstvenih unosa protiv zamrznutih računa
 DocType: Plaid Settings,Plaid Environment,Plaid Environment
 ,Project Billing Summary,Sažetak naplate projekta
@@ -5335,6 +5413,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,serija
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Broj dana termina može se unaprijed rezervirati
 DocType: Article,LMS User,Korisnik LMS-a
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Zalog osiguranja zajma je obavezan pozajmicom
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Mjesto ponude (država / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
@@ -5409,6 +5488,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Kreirajte Job Card
 DocType: Quotation,Referral Sales Partner,Preporuka prodajni partner
 DocType: Quality Procedure Process,Process Description,Opis procesa
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Ne mogu se ukloniti, vrijednost jamstva zajma je veća od otplaćenog iznosa"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klijent {0} je kreiran.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5429,7 +5509,7 @@
 DocType: Asset,Insurance Details,osiguranje Detalji
 DocType: Account,Payable,Plativ
 DocType: Share Balance,Share Type,Tip deljenja
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Unesite rokovi otplate
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Unesite rokovi otplate
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dužnici ({0})
 DocType: Pricing Rule,Margin,Marža
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Novi Kupci
@@ -5438,6 +5518,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Promenite POS profil
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Količina ili iznos je mandatroy za osiguranje kredita
 DocType: Bank Reconciliation Detail,Clearance Date,Razmak Datum
 DocType: Delivery Settings,Dispatch Notification Template,Šablon za obavještenje o otpremi
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Izveštaj o proceni
@@ -5473,6 +5554,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Prodajna faktura {0} kreirana
 DocType: Employee,Confirmation Date,potvrda Datum
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 DocType: Inpatient Occupancy,Check Out,Provjeri
 DocType: C-Form,Total Invoiced Amount,Ukupno Iznos dostavnice
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Kol ne može biti veći od Max Kol
@@ -5486,7 +5569,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Identifikacijski broj kompanije Quickbooks
 DocType: Travel Request,Travel Funding,Finansiranje putovanja
 DocType: Employee Skill,Proficiency,Profesionalnost
-DocType: Loan Application,Required by Date,Potreban po datumu
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detalji potvrde o kupnji
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Veza sa svim lokacijama u kojima se Crop raste
 DocType: Lead,Lead Owner,Vlasnik Lead-a
@@ -5505,7 +5587,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plaća Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dobavljač&gt; vrsta dobavljača
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Višestruke varijante
 DocType: Sales Invoice,Against Income Account,Protiv računu dohotka
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Isporučeno
@@ -5538,7 +5619,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Prijava tip vrednovanja ne može označiti kao Inclusive
 DocType: POS Profile,Update Stock,Ažurirajte Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Detalji plaćanja
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Čitanje preuzete datoteke
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5573,6 +5654,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Batch broj je obavezno za Stavka {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maksimalna vrijednost zajma
 ,Stock Ledger,Stock Ledger
 DocType: Company,Exchange Gain / Loss Account,Exchange dobitak / gubitak računa
 DocType: Amazon MWS Settings,MWS Credentials,MVS akreditivi
@@ -5580,6 +5662,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Svrha mora biti jedan od {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Ispunite obrazac i spremite ga
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Community Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},No Leaves dodijeljeno zaposlenom: {0} za vrstu odmora: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Stvarne Količina na lageru
 DocType: Homepage,"URL for ""All Products""",URL za &quot;Svi proizvodi&quot;
 DocType: Leave Application,Leave Balance Before Application,Ostavite Balance Prije primjene
@@ -5681,7 +5764,6 @@
 DocType: Fee Schedule,Fee Schedule,naknada Raspored
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Oznake stupaca:
 DocType: Bank Transaction,Settled,Riješeni
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Datum isplate ne može biti nakon početnog datuma vraćanja zajma
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parametri
 DocType: Company,Create Chart Of Accounts Based On,Napravite Kontni plan na osnovu
@@ -5701,6 +5783,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kreditni limit i uslovi plaćanja
 DocType: Loyalty Program,Collection Rules,Pravila sakupljanja
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Stavka 3
+DocType: Loan Security Shortfall,Shortfall Time,Vreme kraćenja
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Unos naloga
 DocType: Purchase Order,Customer Contact Email,Email kontakta kupca
 DocType: Warranty Claim,Item and Warranty Details,Stavka i garancija Detalji
@@ -5720,12 +5803,14 @@
 DocType: Sales Person,Sales Person Name,Ime referenta prodaje
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Unesite atleast jedan račun u tablici
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nije napravljen laboratorijski test
+DocType: Loan Security Shortfall,Security Value ,Vrijednost sigurnosti
 DocType: POS Item Group,Item Group,Grupa artikla
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Student Grupa:
 DocType: Depreciation Schedule,Finance Book Id,Id Book of Finance
 DocType: Item,Safety Stock,Sigurnost Stock
 DocType: Healthcare Settings,Healthcare Settings,Postavke zdravstvene zaštite
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Ukupno izdvojene liste
+DocType: Appointment Letter,Appointment Letter,Pismo o imenovanju
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Napredak% za zadatak ne može biti više od 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Prije nego pomirenje
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Za {0}
@@ -5780,6 +5865,7 @@
 DocType: Stock Entry,From BOM,Iz BOM
 DocType: Assessment Code,Assessment Code,procjena Kod
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Osnovni
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Prijave za zajmove od kupaca i zaposlenih.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Stock transakcije prije {0} se zamrznut
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Molimo kliknite na ""Generiraj raspored '"
 DocType: Job Card,Current Time,Trenutno vrijeme
@@ -5806,7 +5892,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,No studentskih grupa stvorio.
 DocType: Purchase Invoice Item,Serial No,Serijski br
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečna otplate iznos ne može biti veći od iznos kredita
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečna otplate iznos ne može biti veći od iznos kredita
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Unesite prva Maintaince Detalji
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Red # {0}: Očekivani datum isporuke ne može biti pre datuma kupovine naloga
 DocType: Purchase Invoice,Print Language,print Jezik
@@ -5820,6 +5906,7 @@
 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,All Territories,Sve teritorije
+DocType: Plaid Settings,development,razvoj
 DocType: Lost Reason Detail,Lost Reason Detail,Detalj izgubljenog razloga
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Neveljavna porudžbina za odabrani korisnik i stavku
@@ -5882,12 +5969,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aktuelno otvaranje
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Novčani tok iz poslovanja
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Iznos
+DocType: Vehicle Log,Current Odometer value ,Trenutna vrijednost odometra
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Kreirajte Student
 DocType: Asset Movement Item,Asset Movement Item,Stavka kretanja imovine
 DocType: Purchase Invoice,Shipping Rule,Pravilo transporta
 DocType: Patient Relation,Spouse,Supružnik
 DocType: Lab Test Groups,Add Test,Dodajte test
 DocType: Manufacturer,Limited to 12 characters,Ograničena na 12 znakova
+DocType: Appointment Letter,Closing Notes,Završne napomene
 DocType: Journal Entry,Print Heading,Ispis Naslov
 DocType: Quality Action Table,Quality Action Table,Tabela kvaliteta akcije
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Ukupna ne može biti nula
@@ -5954,6 +6043,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Ukupno (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Molimo identificirajte / kreirajte račun (grupu) za tip - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Zabava i slobodno vrijeme
+DocType: Loan Security,Loan Security,Zajam zajma
 ,Item Variant Details,Detalji varijante proizvoda
 DocType: Quality Inspection,Item Serial No,Serijski broj artikla
 DocType: Payment Request,Is a Subscription,Je Pretplata
@@ -5966,7 +6056,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Najnovije doba
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Zakazani i prihvaćeni datumi ne mogu biti manji nego danas
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfera Materijal dobavljaču
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može imati skladište. Skladište mora biti postavljen od strane burze upisu ili kupiti primitka
 DocType: Lead,Lead Type,Tip potencijalnog kupca
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,stvaranje citata
@@ -5984,7 +6073,6 @@
 DocType: Leave Allocation,Leave Period,Ostavite Period
 DocType: Item,Default Material Request Type,Uobičajeno materijala Upit Tip
 DocType: Supplier Scorecard,Evaluation Period,Period evaluacije
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kupac&gt; grupa kupaca&gt; teritorija
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nepoznat
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Radni nalog nije kreiran
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6068,7 +6156,8 @@
 ,Customer-wise Item Price,Kupcima prilagođena cijena
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Izvještaj o novčanim tokovima
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nije napravljen materijalni zahtev
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od Maksimalni iznos kredita od {0}
+DocType: Loan,Loan Security Pledge,Zalog za zajam kredita
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licenca
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6086,6 +6175,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Shema popusta na cijene
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Status održavanja mora biti poništen ili završen za slanje
 DocType: Amazon MWS Settings,US,SAD
+DocType: Loan Security Pledge,Pledged,Založeno
 DocType: Holiday List,Add Weekly Holidays,Dodajte Weekly Holidays
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Izvještaj
 DocType: Staffing Plan Detail,Vacancies,Slobodna radna mesta
@@ -6104,7 +6194,6 @@
 DocType: Production Plan Item,Planned Start Date,Planirani Ozljede Datum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Izaberite BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Korišćen ITC integrisani porez
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Napravite unos otplate
 DocType: Purchase Order Item,Blanket Order Rate,Stopa porudžbine odeće
 ,Customer Ledger Summary,Sažetak knjige klijenta
 apps/erpnext/erpnext/hooks.py,Certification,Certifikat
@@ -6125,6 +6214,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Procjena Predložak Naslov
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,trgovački
 DocType: Patient,Alcohol Current Use,Upotreba alkohola
+DocType: Loan,Loan Closure Requested,Zatraženo zatvaranje zajma
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Iznajmljivanje kuće
 DocType: Student Admission Program,Student Admission Program,Studentski program za prijem studenata
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Kategorija oporezivanja
@@ -6148,6 +6238,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Prodaja
 DocType: Stock Entry Detail,Basic Amount,Osnovni iznos
 DocType: Training Event,Exam,ispit
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Nedostatak sigurnosti zajma u procesu
 DocType: Email Campaign,Email Campaign,Kampanja e-pošte
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Greška na tržištu
 DocType: Complaint,Complaint,Žalba
@@ -6227,6 +6318,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Pošaljite ovo da biste napravili zapis Zaposlenog
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Cijena osiguranja zajma se preklapa s {0}
 DocType: Item Default,Item Default,Stavka Default
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Unutarnje države
 DocType: Chapter Member,Leave Reason,Ostavite razlog
@@ -6253,6 +6345,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Kupon se koristi {1}. Dozvoljena količina se iscrpljuje
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Želite li poslati materijalni zahtjev
 DocType: Job Offer,Awaiting Response,Čeka se odgovor
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Zajam je obavezan
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Iznad
 DocType: Support Search Source,Link Options,Link Options
@@ -6265,6 +6358,7 @@
 DocType: Training Event Employee,Optional,Neobavezno
 DocType: Salary Slip,Earning & Deduction,Zarada &amp; Odbitak
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode
+DocType: Pledge,Post Haircut Amount,Iznos pošiljanja frizure
 DocType: Sales Order,Skip Delivery Note,Preskočite dostavnicu
 DocType: Price List,Price Not UOM Dependent,Cijena nije UOM zavisna
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} kreirane varijante.
@@ -6291,6 +6385,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Saznajte Predmeti od Bundle proizvoda
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Način otplate je obavezan za oročene kredite
 DocType: Asset,Straight Line,Duž
 DocType: Project User,Project User,Korisnik projekta
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Podijeliti
@@ -6335,7 +6430,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uloga Dozvoljena Set Frozen Accounts & Frozen Edit unosi
 DocType: Supplier Scorecard Scoring Variable,Path,Put
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ne može se pretvoriti troška za knjigu , kao da ima djece čvorova"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor konverzije UOM ({0} -&gt; {1}) nije pronađen za stavku: {2}
 DocType: Production Plan,Total Planned Qty,Ukupna planirana količina
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcije su već povučene iz izjave
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otvaranje vrijednost
@@ -6344,11 +6438,8 @@
 DocType: Material Request Plan Item,Required Quantity,Tražena količina
 DocType: Lab Test Template,Lab Test Template,Lab test šablon
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Računovodstveno razdoblje se preklapa sa {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dobavljač&gt; vrsta dobavljača
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Račun prodaje
 DocType: Purchase Invoice Item,Total Weight,Ukupna tezina
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 DocType: Pick List Item,Pick List Item,Izaberite stavku popisa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija za prodaju
 DocType: Job Offer Term,Value / Description,Vrijednost / Opis
@@ -6395,6 +6486,7 @@
 DocType: Patient Encounter,Encounter Date,Datum susreta
 DocType: Work Order,Update Consumed Material Cost In Project,Ažurirajte potrošene troškove materijala u projektu
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutnom: {1} se ne mogu odabrati
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Krediti kupcima i zaposlenima.
 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
@@ -6463,7 +6555,6 @@
 DocType: Contract,Signed On,Signed On
 DocType: Bank Account,Party Type,Party Tip
 DocType: Discounted Invoice,Discounted Invoice,Račun s popustom
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b>
 DocType: Payment Schedule,Payment Schedule,Raspored plaćanja
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Za određenu vrijednost polja zaposlenika nije pronađen nijedan zaposleni. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Skraćenica
@@ -6535,6 +6626,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditori
 DocType: Assessment Plan,Assessment Name,procjena ime
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial No je obavezno
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Za zatvaranje zajma potreban je iznos {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Porezna Detalj
 DocType: Employee Onboarding,Job Offer,Ponudu za posao
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Skraćenica
@@ -6558,7 +6650,6 @@
 DocType: Purchase Order,To Receive,Da Primite
 DocType: Leave Period,Holiday List for Optional Leave,List za odmor za opcioni odlazak
 DocType: Item Tax Template,Tax Rates,Porezne stope
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod artikla&gt; Grupa artikala&gt; Marka
 DocType: Asset,Asset Owner,Vlasnik imovine
 DocType: Item,Website Content,Sadržaj web stranice
 DocType: Bank Account,Integration ID,ID integracije
@@ -6575,6 +6666,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch Porudžbine
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Narudžbe objavljen za proizvodnju.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Odaberite fiskalnu godinu ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Molimo odaberite vrstu kredita za kompaniju {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profil potrebno da bi POS upis
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6603,6 +6695,7 @@
 DocType: Customer,Mention if non-standard receivable account,Spomenuti ako nestandardni potraživanja račun
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Dodajte preostale pogodnosti {0} bilo kojoj od postojećih komponenti
+DocType: Bank Account,Is Default Account,Je zadani račun
 DocType: Journal Entry Account,If Income or Expense,Ako prihoda i rashoda
 DocType: Course Topic,Course Topic,Tema kursa
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Završni vaučer POS-a postoji za {0} između datuma {1} i {2}
@@ -6615,7 +6708,7 @@
 DocType: Disease,Treatment Task,Tretman zadataka
 DocType: Payment Order Reference,Bank Account Details,Detalji o bankovnom računu
 DocType: Purchase Order Item,Blanket Order,Narudžbina odeće
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Iznos otplate mora biti veći od
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Iznos otplate mora biti veći od
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,porezna imovina
 DocType: BOM Item,BOM No,BOM br.
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Ažurirajte detalje
@@ -6671,6 +6764,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce proizvodi
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Sintaksa greška u formuli ili stanja: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Artikal {0} se ignorira budući da nije skladišni artikal
+,Loan Security Status,Status osiguranja kredita
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Da se ne primjenjuje pravilo Cijene u određenoj transakciji, svim primjenjivim pravilima cijena bi trebala biti onemogućen."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dan (i) nakon završetka meseca fakture
 DocType: Assessment Group,Parent Assessment Group,Parent Procjena Group
@@ -6685,7 +6779,6 @@
 DocType: Stock Entry Detail,Additional Cost,Dodatni trošak
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer"
 DocType: Quality Inspection,Incoming,Dolazni
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Molimo podesite seriju brojeva za Attendance putem Podešavanje&gt; Serija numeriranja
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Osnovani porezni predlošci za prodaju i kupovinu su stvoreni.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Evidencija Rezultat zapisa {0} već postoji.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Primer: ABCD. #####. Ako je serija postavljena i Batch No se ne pominje u transakcijama, na osnovu ove serije će se kreirati automatski broj serije. Ako uvek želite da eksplicitno navedete Batch No za ovu stavku, ostavite ovo praznim. Napomena: ovo podešavanje će imati prioritet nad Prefiksom naziva serije u postavkama zaliha."
@@ -6696,8 +6789,10 @@
 DocType: Contract,Party User,Party User
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Sredstva nisu stvorena za <b>{0}</b> . Morat ćete stvoriti imovinu ručno.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Molimo podesite Company filter prazno ako Skupina Od je &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kupac&gt; grupa kupaca&gt; teritorija
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Datum knjiženja ne može biti u budućnosti
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: {1} Serial No ne odgovara {2} {3}
+DocType: Loan Repayment,Interest Payable,Kamata se plaća
 DocType: Stock Entry,Target Warehouse Address,Adresa ciljne magacine
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual dopust
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Vrijeme prije početka vremena smjene tijekom kojeg se prijava zaposlenika uzima u obzir za prisustvo.
@@ -6826,6 +6921,7 @@
 DocType: Issue,Reset Service Level Agreement,Vratite ugovor o nivou usluge
 ,Sales Person-wise Transaction Summary,Prodaja Osobne mudar Transakcija Sažetak
 DocType: Training Event,Contact Number,Kontakt broj
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Iznos zajma je obavezan
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6874,6 +6970,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Bilans kol
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Uvjeti će se primjenjivati na sve odabrane stavke zajedno.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Ciljevi ne može biti prazan
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Pogrešno skladište
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Upis studenata
 DocType: Item Group,Parent Item Group,Roditelj artikla Grupa
 DocType: Appointment Type,Appointment Type,Tip imenovanja
@@ -6927,10 +7024,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prosečna stopa
 DocType: Appointment,Appointment With,Sastanak sa
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupan iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / zaokruženom ukupno
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Predmet koji pruža klijent&quot; ne može imati stopu vrednovanja
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Banka bilans po glavnoj knjizi
-DocType: Job Applicant,Applicant Name,Podnositelj zahtjeva Ime
+DocType: Appointment Letter,Applicant Name,Podnositelj zahtjeva Ime
 DocType: Authorization Rule,Customer / Item Name,Kupac / Stavka Ime
 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**. 
 
@@ -6974,11 +7072,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribucija
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Status zaposlenog ne može se postaviti na „Levo“, jer sledeći zaposlenici trenutno prijavljuju ovog zaposlenika:"
-DocType: Journal Entry Account,Loan,Loan
+DocType: Loan Repayment,Amount Paid,Plaćeni iznos
+DocType: Loan Security Shortfall,Loan,Loan
 DocType: Expense Claim Advance,Expense Claim Advance,Advance Expense Claim
 DocType: Lab Test,Report Preference,Prednost prijave
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Volonterske informacije.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Menadzer projekata
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grupiranje prema kupcu
 ,Quoted Item Comparison,Citirano Stavka Poređenje
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Otpremanje
@@ -6998,6 +7098,7 @@
 DocType: Material Request Plan Item,Material Issue,Materijal Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Besplatni artikal nije postavljen u pravilu o cijenama {0}
 DocType: Employee Education,Qualification,Kvalifikacija
+DocType: Loan Security Shortfall,Loan Security Shortfall,Nedostatak osiguranja zajma
 DocType: Item Price,Item Price,Cijena artikla
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sapun i deterdžent
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zaposleni {0} ne pripada kompaniji {1}
@@ -7020,6 +7121,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Detalji sastanka
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Gotov proizvod
 DocType: Warehouse,Warehouse Name,Naziv skladišta
+DocType: Loan Security Pledge,Pledge Time,Vreme zaloga
 DocType: Naming Series,Select Transaction,Odaberite transakciju
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Unesite Odobravanje ulogu ili Odobravanje korisnike
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Ugovor o nivou usluge sa tipom entiteta {0} i entitetom {1} već postoji.
@@ -7027,7 +7129,6 @@
 DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ako je omogućeno, polje Akademski termin će biti obavezno u alatu za upisivanje programa."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vrijednosti izuzetih, nulta ocjenjivanja i ulaznih zaliha koje nisu GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kupac&gt; grupa kupaca&gt; teritorija
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Kompanija</b> je obavezan filter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Poništi sve
 DocType: Purchase Taxes and Charges,On Item Quantity,Na Količina predmeta
@@ -7072,7 +7173,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatak Qty
 DocType: Purchase Invoice,Input Service Distributor,Distributer ulaznih usluga
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Stavka varijanta {0} postoji sa istim atributima
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Postavite sistem imenovanja instruktora u Obrazovanje&gt; Postavke obrazovanja
 DocType: Loan,Repay from Salary,Otplatiti iz Plata
 DocType: Exotel Settings,API Token,API Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Tražeći isplatu protiv {0} {1} za iznos {2}
@@ -7092,6 +7192,7 @@
 DocType: Salary Slip,Total Interest Amount,Ukupan iznos kamate
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Zastareli dani
 DocType: Travel Itinerary,Arrival Datetime,Dolazak Datetime
 DocType: Tax Rule,Billing Zipcode,Zipcode za naplatu
@@ -7278,6 +7379,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Sati
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Za vas je stvoren novi sastanak sa {0}
 DocType: Project,Expected Start Date,Očekivani datum početka
+DocType: Work Order,This is a location where raw materials are available.,To je mjesto gdje su dostupne sirovine.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Ispravka u fakturi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Radni nalog već je kreiran za sve predmete sa BOM
 DocType: Bank Account,Party Details,Party Detalji
@@ -7296,6 +7398,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Citati:
 DocType: Contract,Partially Fulfilled,Delimično ispunjeno
 DocType: Maintenance Visit,Fully Completed,Potpuno Završeni
+DocType: Loan Security,Loan Security Name,Naziv osiguranja zajma
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Posebni znakovi osim &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; I &quot;}&quot; nisu dozvoljeni u imenovanju serija"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Označava se ili je izuzeta
 DocType: Employee,Educational Qualification,Obrazovne kvalifikacije
@@ -7352,6 +7455,7 @@
 DocType: Program,Is Featured,Je istaknuto
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Dohvaćanje ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Korisnik poljoprivrede
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Vrijedi do datuma ne može biti prije datuma transakcije
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7429,8 +7533,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Zaposleni {0} je na {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Za unos novina nije izabrana otplata
 DocType: Purchase Invoice,GST Category,GST Kategorija
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Predložene zaloge su obavezne za osigurane zajmove
 DocType: Payment Reconciliation,From Invoice Date,Iz Datum računa
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budžeti
 DocType: Invoice Discounting,Disbursed,Isplaćeno
@@ -7488,14 +7592,13 @@
 DocType: Restaurant,Active Menu,Aktivni meni
 DocType: Accounting Dimension Detail,Default Dimension,Podrazumevana dimenzija
 DocType: Target Detail,Target Qty,Ciljana Kol
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Protiv kredita: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Plaćanje Postavke
 DocType: Student Attendance,Present,Sadašnje
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Otpremnica {0} ne smije biti potvrđena
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Popis plaće upućen zaposleniku bit će zaštićen lozinkom, a lozinka će se generirati na temelju pravila o lozinkama."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,mjerač za pređeni put
 DocType: Production Plan Item,Ordered Qty,Naručena kol
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Stavka {0} je onemogućeno
 DocType: Stock Settings,Stock Frozen Upto,Kataloški Frozen Upto
@@ -7552,7 +7655,6 @@
 DocType: Serial No,Delivery Document Type,Dokument isporuke - tip
 DocType: Sales Order,Partly Delivered,Djelomično Isporučeno
 DocType: Item Variant Settings,Do not update variants on save,Ne ažurirajte varijante prilikom štednje
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,Potraživanja
 DocType: Lead Source,Lead Source,Izvor potencijalnog kupca
 DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu.
@@ -7649,6 +7751,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Stvaran
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Restoran menadžer
+DocType: Loan,Penalty Income Account,Račun primanja penala
 DocType: Call Log,Call Log,Spisak poziva
 DocType: Authorization Rule,Customerwise Discount,Customerwise Popust
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet za zadatke.
@@ -7736,6 +7839,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Shema popusta na proizvode
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Pozivatelj nije pokrenuo nijedan problem.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Grupiranje po dobavljaču
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorija izuzeća
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuta ne mogu se mijenjati nakon što unose preko neke druge valute
@@ -7746,7 +7850,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,savjetodavni
 DocType: Subscription Plan,Based on price list,Na osnovu cenovnika
 DocType: Customer Group,Parent Customer Group,Roditelj Kupac Grupa
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON može se generirati samo iz fakture prodaje
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Došli su maksimalni pokušaji ovog kviza!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Pretplata
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Čekanje stvaranja naknade
@@ -7764,6 +7867,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Preventivno održavanje
 DocType: Delivery Note Item,Against Sales Invoice,Protiv prodaje fakture
 DocType: Purchase Invoice,07-Others,07-Ostalo
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Iznos kotacije
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Unesite serijski brojevi za serijalizovanoj stavku
 DocType: Bin,Reserved Qty for Production,Rezervirano Količina za proizvodnju
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Ostavite nekontrolisano ako ne želite uzeti u obzir batch prilikom donošenja grupe naravno na bazi.
@@ -7871,6 +7975,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Plaćanje potvrda o primitku
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Kreirajte materijalni zahtjev
+DocType: Loan Interest Accrual,Pending Principal Amount,Na čekanju glavni iznos
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Datumi početka i završetka nisu u važećem Periodu za plaću, ne mogu izračunati {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7914,6 +8019,7 @@
 											to fullfill Sales Order {2}",Ne može se dostaviti Serijski broj {0} stavke {1} pošto je rezervisan \ da biste ispunili nalog za prodaju {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-YYYY-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Dobavljač Ponuda {0} stvorio
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge Type
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Kraja godine ne može biti prije početka godine
 DocType: Employee Benefit Application,Employee Benefits,Primanja zaposlenih
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID zaposlenika
@@ -7996,6 +8102,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Šifra predmeta:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Unesite trošak računa
 DocType: Quality Action Resolution,Problem,Problem
+DocType: Loan Security Type,Loan To Value Ratio,Odnos zajma do vrijednosti
 DocType: Account,Stock,Zaliha
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8013,6 +8120,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Prijavljivanje transakcije u banci
 DocType: Sales Invoice Item,Discount and Margin,Popust i Margin
 DocType: Lab Test,Prescription,Prescription
+DocType: Process Loan Security Shortfall,Update Time,Vreme ažuriranja
 DocType: Import Supplier Invoice,Upload XML Invoices,Pošaljite XML fakture
 DocType: Company,Default Deferred Revenue Account,Podrazumevani odloženi porezni račun
 DocType: Project,Second Email,Druga e-pošta
@@ -8026,7 +8134,7 @@
 DocType: Quality Action,Preventive,Preventivno
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Nabavka za neregistrovane osobe
 DocType: Company,Date of Incorporation,Datum osnivanja
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Ukupno porez
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Ukupno porez
 DocType: Manufacturing Settings,Default Scrap Warehouse,Uobičajeno Scrap Warehouse
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Poslednja cena otkupa
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Qty) je obavezno
@@ -8045,6 +8153,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Podesi podrazumevani način plaćanja
 DocType: Stock Entry Detail,Against Stock Entry,Protiv ulaska u dionice
 DocType: Grant Application,Withdrawn,povučen
+DocType: Loan Repayment,Regular Payment,Redovna uplata
 DocType: Support Search Source,Support Search Source,Podrška za pretragu
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Bruto marža %
@@ -8057,8 +8166,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Bez plaćanja poreza
 DocType: BOM Operation,BOM Operation,BOM operacija
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prethodnu Row visini
+DocType: Student,Home Address,Kućna adresa
 DocType: Options,Is Correct,Tacno je
 DocType: Item,Has Expiry Date,Ima datum isteka
+DocType: Loan Repayment,Paid Accrual Entries,Uplaćeni obračunski unosi
+DocType: Loan Security,Loan Security Type,Vrsta osiguranja zajma
 apps/erpnext/erpnext/config/support.py,Issue Type.,Vrsta izdanja
 DocType: POS Profile,POS Profile,POS profil
 DocType: Training Event,Event Name,Naziv događaja
@@ -8070,6 +8182,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonski za postavljanje budžeta, ciljeva itd"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Nema vrijednosti
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Ime promenljive
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Odaberite bankovni račun da biste ga uskladili.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti"
 DocType: Purchase Invoice Item,Deferred Expense,Odloženi troškovi
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Nazad na poruke
@@ -8121,7 +8234,6 @@
 DocType: GL Entry,To Rename,Preimenovati
 DocType: Stock Entry,Repack,Prepakovati
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Odaberite da dodate serijski broj.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Postavite sistem imenovanja instruktora u Obrazovanje&gt; Postavke obrazovanja
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Molimo postavite fiskalni kod za kupca &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Molimo prvo odaberite Kompaniju
 DocType: Item Attribute,Numeric Values,Brojčane vrijednosti
@@ -8145,6 +8257,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Dohvaćanje na temelju FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Korijen ne može se mijenjati .
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Vrijednost zajma kredita
 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
@@ -8191,6 +8304,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Molimo odaberite kategoriju prvi
 apps/erpnext/erpnext/config/projects.py,Project master.,Direktor Projekata
 DocType: Contract,Contract Terms,Uslovi ugovora
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Limitirani iznos ograničenja
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Nastavite konfiguraciju
 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,Maximum benefit amount of component {0} exceeds {1},Maksimalna visina komponente komponente {0} prelazi {1}
@@ -8223,6 +8337,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Pogledajte dnevnik poziva
 DocType: BOM Operation,Operating Cost(Company Currency),Operativni trošak (Company Valuta)
 DocType: Loan Application,Rate of Interest,Kamatna stopa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Zajam za zajam već je založen za zajam {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Iznos kažnjeni
 DocType: Item,Shelf Life In Days,Rok trajanja u danima
 DocType: GL Entry,Is Opening,Je Otvaranje
@@ -8236,3 +8351,4 @@
 DocType: Account,Cash,Gotovina
 DocType: Sales Invoice,Unpaid and Discounted,Neplaćeno i sniženo
 DocType: Employee,Short biography for website and other publications.,Kratka biografija za web stranice i druge publikacije.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Red broj {0}: Nije moguće odabrati skladište dobavljača dok dobavlja sirovine podizvođaču
diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv
index f9095d5..07116ab 100644
--- a/erpnext/translations/ca.csv
+++ b/erpnext/translations/ca.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Motiu perdut per l&#39;oportunitat
 DocType: Patient Appointment,Check availability,Comprova disponibilitat
 DocType: Retention Bonus,Bonus Payment Date,Data de pagament addicional
-DocType: Employee,Job Applicant,Job Applicant
+DocType: Appointment Letter,Job Applicant,Job Applicant
 DocType: Job Card,Total Time in Mins,Temps total a Mins
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Informació de contacte
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Cerqueu qualsevol cosa ...
 ,Stock and Account Value Comparison,Comparació de valors i accions
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,La quantitat desemborsada no pot ser superior a l&#39;import del préstec
 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ó
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Interessat
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Obertura
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programa:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Valid From Time ha de ser inferior al Valid Upto Time.
 DocType: Item,Copy From Item Group,Copiar del Grup d'Articles
 DocType: Journal Entry,Opening Entry,Entrada Obertura
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Només compte de pagament
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,grau
 DocType: Restaurant Table,No of Seats,No de seients
+DocType: Loan Type,Grace Period in Days,Període de gràcia en dies
 DocType: Sales Invoice,Overdue and Discounted,Retardat i descomptat
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},L&#39;actiu {0} no pertany al client {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Trucada desconnectada
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procediments prescrits
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostra només TPV
 DocType: Supplier Group,Supplier Group Name,Nom del grup del proveïdor
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar l&#39;assistència com <b></b>
 DocType: Driver,Driving License Categories,Categories de llicències de conducció
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Introduïu la data de lliurament
 DocType: Depreciation Schedule,Make Depreciation Entry,Fer l&#39;entrada de Depreciació
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Els detalls de les operacions realitzades.
 DocType: Asset Maintenance Log,Maintenance Status,Estat de manteniment
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Element d&#39;import de la quantitat inclòs en el valor
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Desconnexió de seguretat del préstec
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalls de membres
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: es requereix Proveïdor contra el compte per pagar {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Articles i preus
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total hores: {0}
+DocType: Loan,Loan Manager,Gestor de préstecs
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},A partir de la data ha de ser dins de l'any fiscal. Suposant De Data = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -468,6 +472,7 @@
 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,Select the customer or supplier.,Seleccioneu el client o el proveïdor.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,El codi de país al fitxer no coincideix amb el codi de país configurat al sistema
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},El compte {0} no pertany a l'empresa {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Seleccioneu només una prioritat com a predeterminada.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Absència bloquejada
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,entrades bancàries
-DocType: Customer,Is Internal Customer,El client intern
+DocType: Sales Invoice,Is Internal Customer,El client intern
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Sol·licitud de materials
 DocType: Bank Reconciliation,Update Clearance Date,Actualització Data Liquidació
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Qty del paquet
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,No es pot crear préstec fins que no s&#39;aprovi l&#39;aplicació
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Correcte
 DocType: Student Guardian,Mother,Mare
 DocType: Restaurant Reservation,Reservation End Time,Hora de finalització de la reserva
+DocType: Salary Slip Loan,Loan Repayment Entry,Entrada de reemborsament del préstec
 DocType: Crop,Biennial,Biennal
 ,BOM Variance Report,Informe de variació de la BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Comandes en ferm dels clients.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Pagament contra {0} {1} no pot ser més gran que Destacat Suma {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Totes les unitats de serveis sanitaris
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,En convertir l&#39;oportunitat
+DocType: Loan,Total Principal Paid,Principal principal pagat
 DocType: Bank Account,Address HTML,Adreça HTML
 DocType: Lead,Mobile No.,No mòbil
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Mode de pagament
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Saldo en moneda base
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Grau màxim
 DocType: Email Digest,New Quotations,Noves Cites
+DocType: Loan Interest Accrual,Loan Interest Accrual,Meritació d’interès de préstec
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,L&#39;assistència no s&#39;ha enviat per {0} com {1} en excedència.
 DocType: Journal Entry,Payment Order,Ordre de pagament
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,verificar Correu
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Ingressos d’altres fonts
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Si està en blanc, es tindrà en compte el compte de magatzem principal o el valor predeterminat de l&#39;empresa"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Els correus electrònics de lliscament salarial als empleats basades en el correu electrònic preferit seleccionat en Empleat
+DocType: Work Order,This is a location where operations are executed.,Es tracta d’una ubicació on s’executen operacions.
 DocType: Tax Rule,Shipping County,Comtat d&#39;enviament
 DocType: Currency Exchange,For Selling,Per vendre
 apps/erpnext/erpnext/config/desktop.py,Learn,Aprendre
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Codi de cupó aplicat
 DocType: Asset,Next Depreciation Date,Següent Depreciació Data
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Cost Activitat per Empleat
+DocType: Loan Security,Haircut %,Tall de cabell %
 DocType: Accounts Settings,Settings for Accounts,Ajustaments de Comptes
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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/crm.py,Manage Sales Person Tree.,Organigrama de vendes
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Estableix la tarifa de l&#39;habitació de l&#39;hotel a {}
 DocType: Journal Entry,Multi Currency,Multi moneda
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipus de Factura
+DocType: Loan,Loan Security Details,Detalls de seguretat del préstec
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,La data vàlida ha de ser inferior a la data vàlida fins a la data
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},S&#39;ha produït una excepció durant la conciliació {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Magatzem acceptat
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Requereix aprovació de la prova de laboratori
 DocType: Attendance,Working Hours,Hores de Treball
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total pendent
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Factor de conversió UOM ({0} -&gt; {1}) no trobat per a l&#39;element: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Canviar el número de seqüència inicial/actual d'una sèrie existent.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentatge de facturació superior a l’import sol·licitat. Per exemple: si el valor de la comanda és de 100 dòlars per a un article i la tolerància s’estableix com a 10%, podreu facturar per 110 $."
 DocType: Dosage Strength,Strength,Força
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Data de Vehicles
 DocType: Campaign Email Schedule,Campaign Email Schedule,Programa de correu electrònic de la campanya
 DocType: Student Log,Medical,Metge
+DocType: Work Order,This is a location where scraped materials are stored.,Es tracta d’una ubicació on s’emmagatzemen materials rascats.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Seleccioneu medicaments
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Propietari plom no pot ser la mateixa que la de plom
 DocType: Announcement,Receiver,receptor
@@ -886,7 +898,7 @@
 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: BOM,Total Cost (Company Currency),Cost total (moneda de l&#39;empresa)
-DocType: Loan,Total Payment,El pagament total
+DocType: Repayment Schedule,Total Payment,El pagament total
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,OP ja creat per a tots els articles de comanda de vendes
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Aviseu comandes de compra
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Llogat a partir de la data
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Peces suficient per construir
+DocType: Loan Security,Loan Security Code,Codi de seguretat del préstec
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Desa primer
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Els articles són obligatoris per treure les matèries primeres que s&#39;associen a ella.
 DocType: POS Profile User,POS Profile User,Usuari de perfil de TPV
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Entrades de valors ja creades per a la comanda de treball
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Codi de l&#39;article&gt; Grup d&#39;elements&gt; Marca
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Consulteu ordres anteriors
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} converses
 DocType: Vital Signs,Respiratory rate,Taxa respiratòria
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Eliminar Transaccions Empresa
 DocType: Production Plan Item,Quantity and Description,Quantitat i descripció
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,No de referència i data de referència és obligatòria per a les transaccions bancàries
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Configureu Naming Series per a {0} mitjançant Configuració&gt; Configuració&gt; Sèries de nom
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Afegeix / Edita les taxes i càrrecs
 DocType: Payment Entry Reference,Supplier Invoice No,Número de Factura de Proveïdor
 DocType: Territory,For reference,Per referència
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Compte de retenció d&#39;impostos
 DocType: Pricing Rule,Sales Partner,Soci de vendes
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tots els quadres de comandament del proveïdor.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Import de la comanda
+DocType: Loan,Disbursed Amount,Import desemborsat
 DocType: Buying Settings,Purchase Receipt Required,Es requereix rebut de compra
 DocType: Sales Invoice,Rail,Ferrocarril
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Cost real
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Connectat a QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifiqueu / creeu el compte (Ledger) del tipus - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Compte per Pagar
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,El compte és obligatori per obtenir entrades de pagament
 DocType: Payment Entry,Type of Payment,Tipus de Pagament
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,La data de mig dia és obligatòria
 DocType: Sales Order,Billing and Delivery Status,Facturació i Lliurament Estat
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Quantitat facturada
 DocType: Training Result Employee,Training Result Employee,Empleat Formació Resultat
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un Magatzem lògic contra el qual es fan les entrades en existències.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Suma de Capital
+DocType: Repayment Schedule,Principal Amount,Suma de Capital
 DocType: Loan Application,Total Payable Interest,L&#39;interès total a pagar
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total pendent: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Contacte obert
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Els seus articles
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Proveïdor&gt; Tipus de proveïdor
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Redacció de propostes
 DocType: Payment Entry Deduction,Payment Entry Deduction,El pagament Deducció d&#39;entrada
 DocType: Service Level Priority,Service Level Priority,Prioritat de nivell de servei
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Descripció lots
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,La creació de grups d&#39;estudiants
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Pagament de comptes de porta d&#39;enllaç no es crea, si us plau crear una manualment."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Les Magatzems de Grup no es poden utilitzar en transaccions. Canvieu el valor de {0}
 DocType: Supplier Scorecard,Per Year,Per any
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,No és elegible per a l&#39;admissió en aquest programa segons la DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Fila # {0}: no es pot eliminar l&#39;element {1} que s&#39;assigna a la comanda de compra del client.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Durant la creació d&#39;un compte per a la companyia infantil {0}, no s&#39;ha trobat el compte pare {1}. Creeu el compte pare al COA corresponent"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Esdeveniment dividit
 DocType: Student Attendance,Student Attendance,Assistència de l&#39;estudiant
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,No hi ha dades a exportar
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplir
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data de lliurament real
 DocType: Lab Test,Test Template,Plantilla de prova
+DocType: Loan Security Pledge,Securities,Valors
 DocType: Restaurant Order Entry Item,Served,Servit
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informació del capítol.
 DocType: Account,Accounts,Comptes
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O negatiu
 DocType: Work Order Operation,Planned End Time,Planificació de Temps Final
 DocType: POS Profile,Only show Items from these Item Groups,Mostra només els articles d’aquests grups d’elements
+DocType: Loan,Is Secured Loan,El préstec està garantit
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Detalls del tipus Memebership
 DocType: Delivery Note,Customer's Purchase Order No,Del client Ordre de Compra No
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Obtenir de Trobada de pacients
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Factor de conversió UOM ({0} -&gt; {1}) no trobat per a l&#39;element: {2}
 DocType: Subscriber,Subscriber,Subscriptor
 DocType: Item Attribute Value,Item Attribute Value,Element Atribut Valor
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,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.
@@ -1517,6 +1537,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,No permission
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Llista de verificació del compliment del contracte
 DocType: Vital Signs,Heart Rate / Pulse,Taxa / pols del cor
+DocType: Customer,Default Company Bank Account,Compte bancari de l&#39;empresa per defecte
 DocType: Supplier,Default Bank Account,Compte bancari per defecte
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Per filtrar la base de la festa, seleccioneu Partit Escrigui primer"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Actualització d'Estoc""no es pot comprovar perquè els articles no es lliuren a través de {0}"
@@ -1634,7 +1655,6 @@
 DocType: Sales Team,Incentives,Incentius
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valors fora de sincronització
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valor de diferència
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configureu les sèries de numeració per assistència mitjançant Configuració&gt; Sèries de numeració
 DocType: SMS Log,Requested Numbers,Números sol·licitats
 DocType: Volunteer,Evening,Nit
 DocType: Quiz,Quiz Configuration,Configuració del test
@@ -1654,6 +1674,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Total fila anterior
 DocType: Purchase Invoice Item,Rejected Qty,rebutjat Quantitat
 DocType: Setup Progress Action,Action Field,Camp d&#39;acció
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Tipus de préstec per als tipus d’interès i penalitzacions
 DocType: Healthcare Settings,Manage Customer,Gestioneu el client
 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
@@ -1665,6 +1686,7 @@
 ,Final Assessment Grades,Qualificacions d&#39;avaluació final
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,El nom de la teva empresa per a la qual està creant aquest sistema.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Inclou vacances en el número total de dies laborables
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Del total total
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Configura el vostre institut a ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Anàlisi de plantes
 DocType: Task,Timeline,Cronologia
@@ -1672,9 +1694,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Element alternatiu
 DocType: Shopify Log,Request Data,Sol·licitud de dades
 DocType: Employee,Date of Joining,Data d'ingrés
+DocType: Delivery Note,Inter Company Reference,Referència entre empreses
 DocType: Naming Series,Update Series,Actualitza Sèries
 DocType: Supplier Quotation,Is Subcontracted,Es subcontracta
 DocType: Restaurant Table,Minimum Seating,Seient mínim
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,La pregunta no es pot duplicar
 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,Purchase Receipt,Albarà de compra
@@ -1776,6 +1800,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Les factures sincronització sense connexió
 DocType: Payment Request,Paid,Pagat
 DocType: Service Level,Default Priority,Prioritat per defecte
+DocType: Pledge,Pledge,Compromís
 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."
@@ -1789,6 +1814,7 @@
 DocType: Guardian,Guardian Name,nom tutor
 DocType: Cheque Print Template,Has Print Format,Format d&#39;impressió té
 DocType: Support Settings,Get Started Sections,Comença les seccions
+,Loan Repayment and Closure,Devolució i tancament del préstec
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY.-
 DocType: Invoice Discounting,Sanctioned,sancionada
 ,Base Amount,Import base
@@ -1799,10 +1825,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Des de la Plaça
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},La quantitat de préstec no pot ser superior a {0}
 DocType: Student Admission,Publish on website,Publicar al lloc web
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Factura Proveïdor La data no pot ser major que la data de publicació
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Codi de l&#39;article&gt; Grup d&#39;elements&gt; Marca
 DocType: Subscription,Cancelation Date,Data de cancel·lació
 DocType: Purchase Invoice Item,Purchase Order Item,Ordre de compra d'articles
 DocType: Agriculture Task,Agriculture Task,Tasca de l&#39;agricultura
@@ -1821,7 +1847,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Percentatge de descompte addicional
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Veure una llista de tots els vídeos d&#39;ajuda
 DocType: Agriculture Analysis Criteria,Soil Texture,Textura del sòl
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Seleccioneu cap compte del banc on xec va ser dipositat.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Permetre a l'usuari editar la Llista de Preus de Tarifa en transaccions
 DocType: Pricing Rule,Max Qty,Quantitat màxima
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Impressió de la targeta d&#39;informe
@@ -1953,7 +1978,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Una vegada configurat, aquesta factura estarà en espera fins a la data establerta"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Quantitat de Venda
-DocType: Repayment Schedule,Interest Amount,Suma d&#39;interès
+DocType: Loan Interest Accrual,Interest Amount,Suma d&#39;interès
 DocType: Job Card,Time Logs,Registres de temps
 DocType: Sales Invoice,Loyalty Amount,Import de fidelització
 DocType: Employee Transfer,Employee Transfer Detail,Detall de transferència d&#39;empleats
@@ -1968,6 +1993,7 @@
 DocType: Cashier Closing,Returns,les devolucions
 DocType: Job Card,WIP Warehouse,WIP Magatzem
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serial No {0} està sota contracte de manteniment fins {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Límit de quantitat sancionat traspassat per {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,reclutament
 DocType: Lead,Organization Name,Nom de l'organització
 DocType: Support Settings,Show Latest Forum Posts,Mostra les darreres publicacions del fòrum
@@ -1994,7 +2020,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Ordres de compra Elements pendents
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Codi ZIP
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Vendes Sol·licitar {0} és {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Fer comentaris Imatges
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,No es pot promocionar l&#39;empleat amb estatus d&#39;esquerra
@@ -2078,7 +2103,6 @@
 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,Start Year,Any d&#39;inici
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Crea un préstec
 DocType: Purchase Invoice,Start date of current invoice's period,Data inicial del període de facturació actual
 DocType: Shift Type,Process Attendance After,Assistència al procés Després
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Seleccioneu els vostres dominis
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Compreu proveïdor
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Elements de factura de pagament
+DocType: Repayment Schedule,Is Accrued,Es merita
 DocType: Payroll Entry,Employee Details,Detalls del Empleat
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Processament de fitxers XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Entrada de punts de lleialtat
 DocType: Employee Checkin,Shift End,Final de majúscules
 DocType: Stock Settings,Default Item Group,Grup d'articles predeterminat
+DocType: Loan,Partially Disbursed,parcialment Desemborsament
 DocType: Job Card Time Log,Time In Mins,Temps a Mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Concedeix informació.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Aquesta acció desvincularà aquest compte de qualsevol servei extern que integri ERPNext amb els vostres comptes bancaris. No es pot desfer. Estàs segur?
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Tancament del préstec
 DocType: Call Log,Lead,Client potencial
 DocType: Email Digest,Payables,Comptes per Pagar
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2177,6 +2204,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON només es pot generar a partir d’un document enviat
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Impostos i prestacions dels empleats
 DocType: Bank Guarantee,Validity in Days,Validesa de Dies
+DocType: Unpledge,Haircut,Tall de cabell
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-forma no és aplicable per a la factura: {0}
 DocType: Certified Consultant,Name of Consultant,Nom del consultor
 DocType: Payment Reconciliation,Unreconciled Payment Details,Detalls de Pagaments Sense conciliar
@@ -2229,7 +2257,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Resta del món
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,L'article {0} no pot tenir per lots
 DocType: Crop,Yield UOM,Rendiment UOM
+DocType: Loan Security Pledge,Partially Pledged,Parcialment compromès
 ,Budget Variance Report,Pressupost Variància Reportar
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Import del préstec sancionat
 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,Get Items from Healthcare Services,Obtenir articles dels serveis sanitaris
@@ -2264,6 +2294,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nou procediment de qualitat
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balanç per compte {0} ha de ser sempre {1}
 DocType: Patient Appointment,More Info,Més Info
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,La data de naixement no pot ser superior a la data d&#39;unió.
 DocType: Supplier Scorecard,Scorecard Actions,Accions de quadre de comandament
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,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
@@ -2360,6 +2391,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Configureu primer el codi de l&#39;element
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Tipus Doc
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Seguretat de préstec creat: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Nomenaments i trobades de pacients
@@ -2415,6 +2447,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Nombre de cites simultànies
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Començant
 DocType: Purchase Invoice,Taxes and Charges Calculation,Impostos i Càrrecs Càlcul
+DocType: Loan Interest Accrual,Payable Principal Amount,Import principal pagable
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Llibre d&#39;Actius entrada Depreciació automàticament
 DocType: BOM Operation,Workstation,Lloc de treball
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Sol·licitud de Cotització Proveïdor
@@ -2451,7 +2484,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Menjar
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rang 3 Envelliment
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalls de vou tancament de la TPV
-DocType: Bank Account,Is the Default Account,És el compte per defecte
 DocType: Shopify Log,Shopify Log,Registre de compres
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,No s&#39;ha trobat cap comunicació.
 DocType: Inpatient Occupancy,Check In,Registrar
@@ -2509,12 +2541,14 @@
 DocType: Sales Order Item,Planned Quantity,Quantitat planificada
 DocType: Water Analysis,Water Analysis Criteria,Criteris d&#39;anàlisi de l&#39;aigua
 DocType: Item,Maintain Stock,Mantenir Stock
+DocType: Loan Security Unpledge,Unpledge Time,Temps de desunió
 DocType: Terms and Conditions,Applicable Modules,Mòduls aplicables
 DocType: Employee,Prefered Email,preferit per correu electrònic
 DocType: Student Admission,Eligibility and Details,Elegibilitat i detalls
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inclòs en el benefici brut
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Canvi net en actius fixos
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Es tracta d’una ubicació on s’emmagatzema el producte final.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,A partir de data i hora
@@ -2555,8 +2589,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garantia / Estat de l'AMC
 ,Accounts Browser,Comptes Browser
 DocType: Procedure Prescription,Referral,Referència
+,Territory-wise Sales,Vendes pròpies pel territori
 DocType: Payment Entry Reference,Payment Entry Reference,El pagament d&#39;entrada de referència
 DocType: GL Entry,GL Entry,Entrada GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Fila # {0}: el magatzem i el magatzem de proveïdors acceptats no poden ser el mateix
 DocType: Support Search Source,Response Options,Opcions de resposta
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Aplica normes de preus múltiples
 DocType: HR Settings,Employee Settings,Configuració dels empleats
@@ -2617,6 +2653,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Agricultura (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Llista de presència
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Configureu Naming Series per a {0} mitjançant Configuració&gt; Configuració&gt; Sèries de nom
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,lloguer de l'oficina
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Paràmetres de configuració de Porta de SMS
 DocType: Disease,Common Name,Nom comú
@@ -2633,6 +2670,7 @@
 DocType: Item,Sales Details,Detalls de venda
 DocType: Coupon Code,Used,Utilitzat
 DocType: Opportunity,With Items,Amb articles
+DocType: Vehicle Log,last Odometer Value ,darrer valor Odòmetre
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',La campanya &#39;{0}&#39; ja existeix per a la {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Equip de manteniment
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Ordre en quines seccions han d&#39;aparèixer. 0 és primer, 1 és segon i així successivament."
@@ -2643,7 +2681,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Relació de despeses {0} ja existeix per al registre de vehicles
 DocType: Asset Movement Item,Source Location,Ubicació de la font
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,nom Institut
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Si us plau, ingressi la suma d&#39;amortització"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Si us plau, ingressi la suma d&#39;amortització"
 DocType: Shift Type,Working Hours Threshold for Absent,Llindar d’hores de treball per a absents
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Pot haver-hi un factor de recopilació múltiple basat en el total gastat. Però el factor de conversió per a la redempció serà sempre igual per a tots els nivells.
 apps/erpnext/erpnext/config/help.py,Item Variants,Variants de l&#39;article
@@ -2667,6 +2705,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} ha de ser inferior a {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Seleccioneu primer el tipus d’aplicant
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Seleccioneu BOM, Qty i For Warehouse"
 DocType: GST HSN Code,GST HSN Code,Codi HSN GST
 DocType: Employee External Work History,Total Experience,Experiència total
@@ -2757,7 +2796,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",No s&#39;ha trobat cap BOM actiu per a l&#39;element {0}. El lliurament per \ Serial No no es pot garantir
 DocType: Sales Partner,Sales Partner Target,Sales Partner Target
-DocType: Loan Type,Maximum Loan Amount,La quantitat màxima del préstec
+DocType: Loan Application,Maximum Loan Amount,La quantitat màxima del préstec
 DocType: Coupon Code,Pricing Rule,Regla preus
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},nombre de rotllo duplicat per a l&#39;estudiant {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Sol·licitud de materials d&#39;Ordre de Compra
@@ -2780,6 +2819,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Les fulles Numerat amb èxit per {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,No hi ha articles per embalar
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,"Actualment, només són compatibles els fitxers .csv i .xlsx"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configureu el sistema de nominació dels empleats a Recursos humans&gt; Configuració de recursos humans
 DocType: Shipping Rule Condition,From Value,De Valor
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Quantitat de fabricació és obligatori
 DocType: Loan,Repayment Method,Mètode d&#39;amortització
@@ -2863,6 +2903,7 @@
 DocType: Customer,Customer POS Id,Aneu client POS
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,L’estudiant amb correu electrònic {0} no existeix
 DocType: Account,Account Name,Nom del Compte
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},La quantitat de préstec sancionat ja existeix per a {0} contra l&#39;empresa {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,De la data no pot ser més gran que A Data
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Número de sèrie {0} quantitat {1} no pot ser una fracció
 DocType: Pricing Rule,Apply Discount on Rate,Apliqueu el descompte sobre la tarifa
@@ -2934,6 +2975,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Benefici net
 DocType: Purchase Invoice,Eligibility For ITC,Elegibilitat per ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,No inclòs
 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,Net Change in Accounts Payable,Canvi net en comptes per pagar
@@ -2945,6 +2987,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Identificació de dispositiu d&#39;assistència (identificació de l&#39;etiqueta biomètrica / RF)
 DocType: Quotation,Term Details,Detalls termini
 DocType: Item,Over Delivery/Receipt Allowance (%),Indemnització de lliurament / recepció (%)
+DocType: Appointment Letter,Appointment Letter Template,Plantilla de carta de cites
 DocType: Employee Incentive,Employee Incentive,Incentiu a l&#39;empleat
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Total (sense impostos)
@@ -2967,6 +3010,7 @@
 					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
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Desvinculació de Pagament a la cancel·lació de la factura
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Compra d’interessos de préstec de procés
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Lectura actual del odòmetre entrat ha de ser més gran que el comptaquilòmetres inicial {0}
 ,Purchase Order Items To Be Received or Billed,Comprar articles per rebre o facturar
 DocType: Restaurant Reservation,No Show,No hi ha espectacle
@@ -3052,6 +3096,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: es requereix un Centre de Cost per al compte 'Pèrdues i Guanys' {2}. Si us plau, estableix un Centre de Cost per defecte per a la l'Empresa."
 DocType: Payment Schedule,Payment Term,Termini de pagament
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Hi ha un grup de clients amb el mateix nom, si us plau canvia el nom del client o el nom del Grup de Clients"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,La data de finalització de l’entrada ha de ser superior a la data d’inici d’entrada.
 DocType: Location,Area,Àrea
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nou contacte
 DocType: Company,Company Description,Descripció de l&#39;empresa
@@ -3126,6 +3171,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Dades assignades
 DocType: Purchase Order Item,Warehouse and Reference,Magatzem i Referència
 DocType: Payroll Period Date,Payroll Period Date,Període de nòmina Data
+DocType: Loan Disbursement,Against Loan,Contra el préstec
 DocType: Supplier,Statutory info and other general information about your Supplier,Informació legal i altra informació general sobre el Proveïdor
 DocType: Item,Serial Nos and Batches,Nº de sèrie i lots
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Força grup d&#39;alumnes
@@ -3192,6 +3238,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Seleccioneu una empresa
 DocType: Delivery Settings,Delivery Settings,Configuració de lliurament
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Obteniu dades
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},No es pot desconnectar més de {0} quantitat de {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,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}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publica 1 ítem
 DocType: SMS Center,Create Receiver List,Crear Llista de receptors
@@ -3340,6 +3387,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Import base (Companyia de divises)
 DocType: Purchase Invoice,Registered Regular,Regular Regular
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Matèries primeres
+DocType: Plaid Settings,sandbox,caixa de sorra
 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
@@ -3352,12 +3400,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Tipus de transacció
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criteris d'acceptació
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,La quantitat total a pagar
 DocType: Task,Expected Time (in hours),Temps esperat (en hores)
 DocType: Item Reorder,Check in (group),El procés de registre (grup)
 DocType: Soil Texture,Silt,Silt
@@ -3388,6 +3435,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Deducció d&#39;impostos per a la prova d&#39;exempció d&#39;impostos no enviada
 DocType: Volunteer,Anytime,En qualsevol moment
 DocType: Bank Account,Bank Account No,Compte bancari núm
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Desemborsament i devolució
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Sol·licitud d&#39;exempció d&#39;impostos a l&#39;empleat
 DocType: Patient,Surgical History,Història quirúrgica
 DocType: Bank Statement Settings Item,Mapped Header,Capçalera assignada
@@ -3451,6 +3499,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Creeu proves de laboratori a la factura de venda
 DocType: Serial No,Invoice Details,Detalls de la factura
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,L’estructura salarial s’ha de presentar abans de la presentació de la declaració d’emissió d’impostos
+DocType: Loan Application,Proposed Pledges,Promesos proposats
 DocType: Grant Application,Show on Website,Mostra al lloc web
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Comença
 DocType: Hub Tracked Item,Hub Category,Categoria de concentrador
@@ -3462,7 +3511,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Quadre de comandament del proveïdor
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Llista de materials que no es troba per a l&#39;element {1}
 DocType: Contract Fulfilment Checklist,Requirement,Requisit
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configureu el sistema de nominació dels empleats a Recursos humans&gt; Configuració de recursos humans
 DocType: Journal Entry,Accounts Receivable,Comptes Per Cobrar
 DocType: Quality Goal,Objectives,Objectius
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Funció permesa per crear una sol·licitud d&#39;excedència retardada
@@ -3475,6 +3523,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Inclogui els comentaris conciliades
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,L’import total assignat ({0}) obté més valor que l’import pagat ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir els càrrecs en base a
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},L’import pagat no pot ser inferior a {0}
 DocType: Projects Settings,Timesheets,taula de temps
 DocType: HR Settings,HR Settings,Configuració de recursos humans
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Màsters Comptables
@@ -3620,6 +3669,7 @@
 DocType: Employee,Health Insurance,Assegurança de salut
 DocType: Asset Repair,Manufacturing Manager,Gerent de Fàbrica
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},El número de sèrie {0} està en garantia fins {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,L&#39;import del préstec supera l&#39;import màxim del préstec de {0} segons els valors proposats
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valor mínim permès
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,L&#39;usuari {0} ja existeix
 apps/erpnext/erpnext/hooks.py,Shipments,Els enviaments
@@ -3663,7 +3713,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipus de negoci
 DocType: Sales Invoice,Consumer,Consumidor
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Seleccioneu suma assignat, Tipus factura i número de factura en almenys una fila"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Configureu Naming Series per a {0} mitjançant Configuració&gt; Configuració&gt; Sèries de nom
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Cost de Compra de Nova
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordres de venda requerides per l'article {0}
 DocType: Grant Application,Grant Description,Descripció de la subvenció
@@ -3672,6 +3721,7 @@
 DocType: Subscription,Discounts,Descomptes
 DocType: Bank Transaction,Unallocated Amount,Suma sense assignar
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Activa Aplicable en l&#39;ordre de compra i aplicable a la reserva de despeses reals
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} no és un compte bancari de l&#39;empresa
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Si no troba un article a joc. Si us plau seleccioni un altre valor per {0}.
 DocType: POS Profile,Taxes and Charges,Impostos i càrrecs
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un producte o un servei que es compra, es ven o es manté en estoc."
@@ -3720,6 +3770,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Vàlid des de la data ha de ser inferior a Vàlid fins a la data.
 DocType: Employee Skill,Evaluation Date,Data d&#39;avaluació
 DocType: Quotation Item,Stock Balance,Saldos d'estoc
+DocType: Loan Security Pledge,Total Security Value,Valor de seguretat total
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ordres de venda al Pagament
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Amb el pagament de l&#39;impost
@@ -3732,6 +3783,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},El compte {0} no existeix al gràfic de tauler {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Mostra atributs de variants
@@ -3813,6 +3865,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Valoració actual Taxa
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,El nombre de comptes root no pot ser inferior a 4
 DocType: Training Event,Advance,Avanç
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Contra el préstec:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Configuració de la passarel·la de pagament GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Guany en Canvi / Pèrdua
 DocType: Opportunity,Lost Reason,Raó Perdut
@@ -3896,8 +3949,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Seleccioneu Lot n
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},No vàlida {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Fila {0}: la data de naixement de la comunitat no pot ser superior a l&#39;actualitat.
 DocType: Fee Validity,Reference Inv,Referència Inv
 DocType: Sales Invoice Advance,Advance Amount,Quantitat Anticipada
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Tipus d’interès de penalització (%) per dia
 DocType: Manufacturing Settings,Capacity Planning,Planificació de la capacitat
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Ajust d&#39;arrodoniment (moneda d&#39;empresa
 DocType: Asset,Policy number,Número de la policia
@@ -3913,7 +3968,9 @@
 DocType: Normal Test Items,Require Result Value,Requereix un valor de resultat
 DocType: Purchase Invoice,Pricing Rules,Normes de preus
 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: Appointment Letter,Body,Cos
 DocType: Tax Withholding Rate,Tax Withholding Rate,Taxa de retenció d&#39;impostos
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,La data d’inici del reemborsament és obligatòria per als préstecs a termini
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Botigues
@@ -3933,7 +3990,7 @@
 DocType: Call Log,Received By,Rebuda per
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durada de la cita (en minuts)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalls de la plantilla d&#39;assignació de fluxos d&#39;efectiu
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestió de préstecs
+DocType: Loan,Loan Management,Gestió de préstecs
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Seguiment d'Ingressos i Despeses per separat per a les verticals de productes o divisions.
 DocType: Rename Tool,Rename Tool,Eina de canvi de nom
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Actualització de Costos
@@ -3941,6 +3998,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,Formulari GSTR3B
 DocType: Sales Invoice,Mode of Transport,Mode de transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Slip Mostra Salari
+DocType: Loan,Is Term Loan,És préstec a termini
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transferir material
 DocType: Fees,Send Payment Request,Enviar sol·licitud de pagament
 DocType: Travel Request,Any other details,Qualsevol altre detall
@@ -3958,6 +4016,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Flux de caixa de finançament
 DocType: Budget Account,Budget Account,compte pressupostària
 DocType: Quality Inspection,Verified By,Verified Per
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Afegir seguretat de préstec
 DocType: Travel Request,Name of Organizer,Nom de l&#39;organitzador
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","No es pot canviar moneda per defecte de l'empresa, perquè hi ha operacions existents. Les transaccions han de ser cancel·lades a canviar la moneda per defecte."
 DocType: Cash Flow Mapping,Is Income Tax Liability,La responsabilitat fiscal de la renda
@@ -4008,6 +4067,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Requerit Per
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Si es marca, amaga i inhabilita el camp Total arrodonit als traços de salari"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Aquest és el decalatge (dies) predeterminat de la data de lliurament a les comandes de venda. La compensació de retard és de 7 dies des de la data de col·locació de la comanda.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configureu les sèries de numeració per assistència mitjançant Configuració&gt; Sèries de numeració
 DocType: Rename Tool,File to Rename,Arxiu per canviar el nom de
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Obteniu actualitzacions de subscripció
@@ -4020,6 +4080,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Nombres de sèrie creats
 DocType: POS Profile,Applicable for Users,Aplicable per als usuaris
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN -YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,De data i fins a data són obligatoris
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Voleu definir el projecte i totes les tasques a l&#39;estat {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Establir avenços i assignar (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,No s&#39;ha creat cap Ordre de treball
@@ -4029,6 +4090,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Elements de
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,El cost d'articles comprats
 DocType: Employee Separation,Employee Separation Template,Plantilla de separació d&#39;empleats
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},La quantitat zero de {0} es va comprometre amb el préstec {0}
 DocType: Selling Settings,Sales Order Required,Ordres de venda Obligatori
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Converteix-te en venedor
 ,Procurement Tracker,Seguidor de compres
@@ -4126,11 +4188,12 @@
 ,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,Total Absent,Total Absent
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Import pagable
+DocType: Loan Repayment,Payable Amount,Import pagable
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Oportunitat
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,La resistència màxima no pot ser inferior a zero.
 DocType: Options,Option,Opció
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},No podeu crear entrades de comptabilitat en el període de comptabilitat tancat {0}
 DocType: Operation,Default Workstation,Per defecte l'estació de treball
@@ -4172,6 +4235,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,La quantitat d’interès és obligatòria
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Propers passos
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Elements desats
@@ -4242,8 +4306,6 @@
 DocType: Grant Application,Grant Application Details ,Concediu els detalls de la sol·licitud
 DocType: Employee Separation,Employee Separation,Separació d&#39;empleats
 DocType: BOM Item,Original Item,Article original
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Elimineu l&#39;empleat <a href=""#Form/Employee/{0}"">{0}</a> \ per cancel·lar aquest document"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data de doc
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Els registres d&#39;honoraris creats - {0}
 DocType: Asset Category Account,Asset Category Account,Compte categoria d&#39;actius
@@ -4279,6 +4341,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,L’element de prova de laboratori {0} ja existeix
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} és una festa d&#39;empresa
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Hores factibles
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,El tipus d’interès de penalització es percep sobre l’import de l’interès pendent diàriament en cas d’amortització retardada
+DocType: Appointment Letter content,Appointment Letter content,Cita Contingut de la carta
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Deixeu la notificació d&#39;estat
 DocType: Patient Appointment,Procedure Prescription,Procediment Prescripció
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Mobles i Accessoris
@@ -4298,7 +4362,7 @@
 DocType: Opportunity,Customer / Lead Name,nom del Client/Client Potencial
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,No s'esmenta l'espai de dates
 DocType: Payroll Period,Taxable Salary Slabs,Lloses Salarials Tributables
-DocType: Job Card,Production,Producció
+DocType: Plaid Settings,Production,Producció
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN no vàlid. L&#39;entrada que heu introduït no coincideix amb el format de GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valor del compte
 DocType: Guardian,Occupation,ocupació
@@ -4442,6 +4506,7 @@
 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,Student {0} does not belong to group {1},L&#39;estudiant {0} no pertany al grup {1}
+DocType: Appointment Letter,Appointment Date,Data de citació
 DocType: Budget,Cost Center,Centre de Cost
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Comprovant #
 DocType: Tax Rule,Shipping Country,País d&#39;enviament
@@ -4512,6 +4577,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dimensió comptable
 ,Profit and Loss Statement,Guanys i Pèrdues
 DocType: Bank Reconciliation Detail,Cheque Number,Número de Xec
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,La quantitat pagada no pot ser zero
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,L&#39;element al qual fa referència {0} - {1} ja està facturat
 ,Sales Browser,Analista de Vendes
 DocType: Journal Entry,Total Credit,Crèdit Total
@@ -4628,6 +4694,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Afegiu / editeu les condicions del cupó
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"El compte de despeses / diferències ({0}) ha de ser un compte ""Guany o Pèrdua '"
 DocType: Stock Entry Detail,Stock Entry Child,Entrada d’accions d’infants
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,La Companyia de Préstec de Seguretat del Préstec i la Companyia de Préstec han de ser iguals
 DocType: Project,Copied From,de copiat
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Factura ja creada per a totes les hores de facturació
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nom d&#39;error: {0}
@@ -4635,6 +4702,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,El cost financer
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Assistència per a l'empleat {0} ja està marcat
 DocType: Packing Slip,If more than one package of the same type (for print),Si més d'un paquet del mateix tipus (per impressió)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configureu un sistema de nom de l’Instructor a Educació&gt; Configuració d’educació
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Establiu el client predeterminat a la Configuració del restaurant
 ,Salary Register,salari Registre
 DocType: Company,Default warehouse for Sales Return,Magatzem per defecte del retorn de vendes
@@ -4679,7 +4747,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Número de sèrie actual
 DocType: Employee,Attendance and Leave Details,Detalls d’assistència i permís
 ,BOM Comparison Tool,Eina de comparació de BOM
-,Requested,Comanda
+DocType: Loan Security Pledge,Requested,Comanda
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4691,7 +4759,6 @@
 DocType: Drug Prescription,Drug Prescription,Prescripció per drogues
 DocType: Service Level,Support and Resolution,Suport i resolució
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,El codi de l’element gratuït no està seleccionat
-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
@@ -4725,6 +4792,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Vostè ja ha avaluat pels criteris d&#39;avaluació {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Import de la falta
 DocType: Vehicle Service,Engine Oil,d&#39;oli del motor
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Ordres de treball creades: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Configureu un identificador de correu electrònic per al client {0}
@@ -4743,6 +4811,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},El compte no està definit per al gràfic de tauler {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Aplicar addicional de descompte en les
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Selecciona el tipus ...
+DocType: Loan Interest Accrual,Amounts,Quantitats
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Les teves entrades
 DocType: Account,Root Type,Escrigui root
 DocType: Item,FIFO,FIFO
@@ -4750,6 +4819,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Fila # {0}: No es pot tornar més de {1} per a l&#39;article {2}
 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: Loan Security Price,Loan Security Price,Preu de seguretat de préstec
 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,Target warehouse is mandatory for row {0},Magatzem destí obligatori per a la fila {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Operacions minoristes
@@ -4888,6 +4958,7 @@
 DocType: Coupon Code,Coupon Description,Descripció del cupó
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Lot és obligatori a la fila {0}
 DocType: Company,Default Buying Terms,Condicions de compra per defecte
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Desemborsament de préstecs
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Rebut de compra dels articles subministrats
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Activa la sincronització programada
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,To Datetime
@@ -4916,6 +4987,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Introduïu el valor entre {0} i {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Introduïu el nom de la campanya si la font de la investigació és la campanya
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Editors de Newspapers
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},No s&#39;ha trobat cap <b>preu de seguretat de préstec</b> vàlid per a {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,No es permeten dates futures
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,La data de lliurament prevista hauria de ser posterior a la data de la comanda de vendes
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Nivell de Reabastecimiento
@@ -4982,6 +5054,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,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/config/loan_management.py,Loan Processes,Processos de préstec
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Variant única
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,tots els treballs
 DocType: Sales Order,% of materials billed against this Sales Order,% de materials facturats d'aquesta Ordre de Venda
@@ -5044,7 +5117,7 @@
 DocType: Item,Reorder level based on Warehouse,Nivell de comanda basat en Magatzem
 DocType: Activity Cost,Billing Rate,Taxa de facturació
 ,Qty to Deliver,Quantitat a lliurar
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Creeu entrada de desemborsament
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Creeu entrada de desemborsament
 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,Operations cannot be left blank,Les operacions no poden deixar-se en blanc
@@ -5078,6 +5151,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Desconnecteu les integracions externes
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Trieu un pagament corresponent
 DocType: Pricing Rule,Item Code,Codi de l'article
+DocType: Loan Disbursement,Pending Amount For Disbursal,Import pendent del desemborsament
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU -YYYY.-
 DocType: Serial No,Warranty / AMC Details,Detalls de la Garantia/AMC
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Estudiants seleccionats de forma manual per al grup basat en activitats
@@ -5101,6 +5175,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Quantitat total
 DocType: Landed Cost Item,Receipt Document,la recepció de documents
 DocType: Employee Education,School/University,Escola / Universitat
+DocType: Loan Security Pledge,Loan  Details,Detalls del préstec
 DocType: Sales Invoice Item,Available Qty at Warehouse,Disponible Quantitat en magatzem
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Quantitat facturada
 DocType: Share Transfer,(including),(incloent-hi)
@@ -5124,6 +5199,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grups
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Agrupa Per Comptes
 DocType: Purchase Invoice,Hold Invoice,Mantenir la factura
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Estat de la promesa
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Seleccioneu Empleat
 DocType: Sales Order,Fully Delivered,Totalment Lliurat
 DocType: Promotional Scheme Price Discount,Min Amount,Import mínim
@@ -5133,7 +5209,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Suma desemborsat no pot ser més gran que Suma del préstec {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},La fila {0} # quantitat assignada {1} no pot ser major que la quantitat no reclamada {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Número d'ordre de Compra per {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Portar Fulles reenviats
@@ -5161,6 +5236,7 @@
 DocType: Pick List Item,Serial No and Batch,Número de sèrie i de lot
 DocType: Warranty Claim,From Company,Des de l'empresa
 DocType: GSTR 3B Report,January,Gener
+DocType: Loan Repayment,Principal Amount Paid,Import principal pagat
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de les puntuacions de criteris d&#39;avaluació ha de ser {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Si us plau, ajusteu el número d&#39;amortitzacions Reservats"
 DocType: Supplier Scorecard Period,Calculations,Càlculs
@@ -5186,6 +5262,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Sobre la vostra empresa
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Mostra dades d’envelliment d’estoc
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Crèdit al compte ha de ser un compte de Balanç
+DocType: Loan Repayment,Penalty Amount,Import de la sanció
 DocType: Donor,Donor,Donant
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Actualitzar els impostos dels articles
 DocType: Global Defaults,Disable In Words,En desactivar Paraules
@@ -5216,6 +5293,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centre de costos i pressupostos
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Saldo inicial Equitat
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Entrada parcial pagada
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Definiu la planificació de pagaments
 DocType: Pick List,Items under this warehouse will be suggested,Es proposa que hi hagi articles en aquest magatzem
 DocType: Purchase Invoice,N,N
@@ -5249,7 +5327,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} no s&#39;ha trobat per a l&#39;element {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},El valor ha d&#39;estar entre {0} i {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Mostra impostos inclosos en impressió
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Missatge enviat
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5263,6 +5340,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Activa la reordena automàtica
 DocType: Stock Settings,Item Naming By,Article Naming Per
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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: Proposed Pledge,Proposed Pledge,Promesa proposada
 DocType: Work Order,Material Transferred for Manufacturing,Material transferit per a la Fabricació
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,{0} no existeix Compte
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Seleccioneu Programa de fidelització
@@ -5273,7 +5351,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Configura els esdeveniments a {0}, ja que l&#39;empleat que estigui connectat a la continuació venedors no té un ID d&#39;usuari {1}"
 DocType: Timesheet,Billing Details,Detalls de facturació
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Origen i destí de dipòsit han de ser diferents
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configureu el sistema de nominació dels empleats a Recursos humans&gt; Configuració de recursos humans
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"El pagament ha fallat. Si us plau, consulteu el vostre compte GoCardless per obtenir més detalls"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},No es permet actualitzar les transaccions de valors més grans de {0}
 DocType: Stock Entry,Inspection Required,Inspecció requerida
@@ -5286,6 +5363,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Magatzem de lliurament requerit per tema de valors {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"El pes brut del paquet. En general, el pes net + embalatge pes del material. (Per imprimir)"
 DocType: Assessment Plan,Program,programa
+DocType: Unpledge,Against Pledge,Contra Promesa
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Els usuaris amb aquest rol poden establir comptes bloquejats i crear/modificar els assentaments comptables contra els comptes bloquejats
 DocType: Plaid Settings,Plaid Environment,Entorn Plaid
 ,Project Billing Summary,Resum de facturació del projecte
@@ -5337,6 +5415,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,lots
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Es poden reservar cites de dies per endavant
 DocType: Article,LMS User,Usuari de LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,El compromís de seguretat de préstec és obligatori per a préstecs garantits
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Lloc de subministrament (estat / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,UDM de l'Estoc
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Ordre de Compra {0} no es presenta
@@ -5411,6 +5490,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Crea la targeta de treball
 DocType: Quotation,Referral Sales Partner,Soci de vendes de derivacions
 DocType: Quality Procedure Process,Process Description,Descripció del procés
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","No es pot desconnectar, el valor de seguretat del préstec és superior a l&#39;import reemborsat"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,S&#39;ha creat el client {0}.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5431,7 +5511,7 @@
 DocType: Asset,Insurance Details,Detalls d&#39;Assegurances
 DocType: Account,Payable,Pagador
 DocType: Share Balance,Share Type,Tipus de compartició
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Si us plau, introdueixi terminis d&#39;amortització"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Si us plau, introdueixi terminis d&#39;amortització"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Deutors ({0})
 DocType: Pricing Rule,Margin,Marge
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Clients Nous
@@ -5440,6 +5520,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Canvieu el perfil de POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Quantitat o import és mandatroy per a la seguretat del préstec
 DocType: Bank Reconciliation Detail,Clearance Date,Data Liquidació
 DocType: Delivery Settings,Dispatch Notification Template,Plantilla de notificació d&#39;enviaments
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Informe d&#39;avaluació
@@ -5475,6 +5556,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Comparteix el compilador
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,S&#39;ha creat la factura de vendes {0}
 DocType: Employee,Confirmation Date,Data de confirmació
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Elimineu l&#39;empleat <a href=""#Form/Employee/{0}"">{0}</a> \ per cancel·lar aquest document"
 DocType: Inpatient Occupancy,Check Out,Sortida
 DocType: C-Form,Total Invoiced Amount,Suma total facturada
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Quantitat mínima no pot ser major que Quantitat màxima
@@ -5488,7 +5571,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Finançament de viatges
 DocType: Employee Skill,Proficiency,Competència
-DocType: Loan Application,Required by Date,Requerit per Data
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detall de rebuda de compra
 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
 DocType: Lead,Lead Owner,Responsable del client potencial
@@ -5507,7 +5589,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,El BOM actual i el nou no poden ser el mateix
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Salari Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data de la jubilació ha de ser major que la data del contracte
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Proveïdor&gt; Tipus de proveïdor
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variants múltiples
 DocType: Sales Invoice,Against Income Account,Contra el Compte d'Ingressos
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Lliurat
@@ -5540,7 +5621,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Càrrecs de tipus de valoració no poden marcat com Inclòs
 DocType: POS Profile,Update Stock,Actualització de Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Detalls del pagament
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Llegint el fitxer carregat
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5575,6 +5656,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Valor màxim del préstec
 ,Stock Ledger,Ledger Stock
 DocType: Company,Exchange Gain / Loss Account,Guany de canvi de compte / Pèrdua
 DocType: Amazon MWS Settings,MWS Credentials,Credencials MWS
@@ -5582,6 +5664,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Propòsit ha de ser un de {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Ompliu el formulari i deseu
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Fòrum de la comunitat
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},No s&#39;ha assignat cap full a l&#39;empleat: {0} per al tipus de permís: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Cant que aquesta en estoc
 DocType: Homepage,"URL for ""All Products""",URL de &quot;Tots els productes&quot;
 DocType: Leave Application,Leave Balance Before Application,Leave Balance Before Application
@@ -5683,7 +5766,6 @@
 DocType: Fee Schedule,Fee Schedule,Llista de tarifes
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Etiquetes de columnes:
 DocType: Bank Transaction,Settled,Assentat
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,La data de desemborsament no pot ser posterior a la data d&#39;inici del reemborsament del préstec
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cessar
 DocType: Quality Feedback,Parameters,Paràmetres
 DocType: Company,Create Chart Of Accounts Based On,Crear pla de comptes basada en
@@ -5703,6 +5785,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Límits de crèdit i termes de pagament
 DocType: Loyalty Program,Collection Rules,Regles de cobrament
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Article 3
+DocType: Loan Security Shortfall,Shortfall Time,Temps de falta
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Entrada de comanda
 DocType: Purchase Order,Customer Contact Email,Client de correu electrònic de contacte
 DocType: Warranty Claim,Item and Warranty Details,Objecte i de garantia Detalls
@@ -5722,12 +5805,14 @@
 DocType: Sales Person,Sales Person Name,Nom del venedor
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Si us plau, introdueixi almenys 1 factura a la taula"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,No s&#39;ha creat cap prova de laboratori
+DocType: Loan Security Shortfall,Security Value ,Valor de seguretat
 DocType: POS Item Group,Item Group,Grup d'articles
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grup d&#39;estudiants:
 DocType: Depreciation Schedule,Finance Book Id,Identificador del llibre de finances
 DocType: Item,Safety Stock,seguretat de la
 DocType: Healthcare Settings,Healthcare Settings,Configuració assistencial
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Total Allocated Leaves
+DocType: Appointment Letter,Appointment Letter,Carta de cita
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,% D&#39;avanç per a una tasca no pot contenir més de 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Abans de la reconciliació
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Per {0}
@@ -5783,6 +5868,7 @@
 DocType: Stock Entry,From BOM,A partir de la llista de materials
 DocType: Assessment Code,Assessment Code,codi avaluació
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Bàsic
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Sol·licituds de préstecs de clients i empleats.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Operacions borsàries abans de {0} es congelen
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Si us plau, feu clic a ""Generar Planificació"""
 DocType: Job Card,Current Time,Hora actual
@@ -5809,7 +5895,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Concessió
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,No hi ha grups d&#39;estudiants van crear.
 DocType: Purchase Invoice Item,Serial No,Número de sèrie
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Quantitat Mensual La devolució no pot ser més gran que Suma del préstec
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Quantitat Mensual La devolució no pot ser més gran que Suma del préstec
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Si us plau entra primer els detalls de manteniment
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Fila # {0}: la data de lliurament prevista no pot ser abans de la data de la comanda de compra
 DocType: Purchase Invoice,Print Language,Llenguatge d&#39;impressió
@@ -5823,6 +5909,7 @@
 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,All Territories,Tots els territoris
+DocType: Plaid Settings,development,desenvolupament
 DocType: Lost Reason Detail,Lost Reason Detail,Detall de la raó perduda
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ordre de manta no vàlid per al client i l&#39;article seleccionats
@@ -5885,12 +5972,14 @@
 DocType: Staffing Plan Detail,Current Openings,Obertures actuals
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flux de caixa operatiu
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Import de CGST
+DocType: Vehicle Log,Current Odometer value ,Valor actual del comptador
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Crear estudiant
 DocType: Asset Movement Item,Asset Movement Item,Element de moviment d&#39;actius
 DocType: Purchase Invoice,Shipping Rule,Regla d'enviament
 DocType: Patient Relation,Spouse,Cònjuge
 DocType: Lab Test Groups,Add Test,Afegir prova
 DocType: Manufacturer,Limited to 12 characters,Limitat a 12 caràcters
+DocType: Appointment Letter,Closing Notes,Notes de cloenda
 DocType: Journal Entry,Print Heading,Imprimir Capçalera
 DocType: Quality Action Table,Quality Action Table,Taula d&#39;acció de qualitat
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,El total no pot ser zero
@@ -5957,6 +6046,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Identifiqueu / creeu un compte (grup) per al tipus - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entreteniment i Oci
+DocType: Loan Security,Loan Security,Seguretat del préstec
 ,Item Variant Details,Detalls de la variant de l&#39;element
 DocType: Quality Inspection,Item Serial No,Número de sèrie d'article
 DocType: Payment Request,Is a Subscription,És una subscripció
@@ -5969,7 +6059,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Última Edat
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Les dates programades i admeses no poden ser inferiors a avui
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transferència de material a proveïdor
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nou Nombre de sèrie no pot tenir Warehouse. Magatzem ha de ser ajustat per Stock entrada o rebut de compra
 DocType: Lead,Lead Type,Tipus de client potencial
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Crear Cotització
@@ -5987,7 +6076,6 @@
 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/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clients&gt; Territori
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,desconegut
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,No s&#39;ha creat l&#39;ordre de treball
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6071,7 +6159,8 @@
 ,Customer-wise Item Price,Preu de l’article en relació amb el client
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Estat de fluxos d&#39;efectiu
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,No s&#39;ha creat cap sol·licitud de material
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Suma del préstec no pot excedir quantitat màxima del préstec de {0}
+DocType: Loan,Loan Security Pledge,Préstec de seguretat
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,llicència
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6089,6 +6178,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Règim de descompte de preus
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,L&#39;estat de manteniment s&#39;ha de cancel·lar o completar per enviar
 DocType: Amazon MWS Settings,US,nosaltres
+DocType: Loan Security Pledge,Pledged,Prometut
 DocType: Holiday List,Add Weekly Holidays,Afegeix vacances setmanals
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Informe
 DocType: Staffing Plan Detail,Vacancies,Ofertes vacants
@@ -6107,7 +6197,6 @@
 DocType: Production Plan Item,Planned Start Date,Data d'inici prevista
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Seleccioneu un BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Impost integrat ITC aprofitat
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Creeu una entrada de reemborsament
 DocType: Purchase Order Item,Blanket Order Rate,Tarifa de comanda de mantega
 ,Customer Ledger Summary,Resum comptable
 apps/erpnext/erpnext/hooks.py,Certification,Certificació
@@ -6128,6 +6217,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Títol de plantilla d'avaluació
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Comercial
 DocType: Patient,Alcohol Current Use,Alcohol ús actual
+DocType: Loan,Loan Closure Requested,Sol·licitud de tancament del préstec
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Import del pagament de la casa de pagament
 DocType: Student Admission Program,Student Admission Program,Programa d&#39;admissió dels estudiants
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Categoria d&#39;exempció fiscal
@@ -6151,6 +6241,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Venda
 DocType: Stock Entry Detail,Basic Amount,Suma Bàsic
 DocType: Training Event,Exam,examen
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Fallada de seguretat del préstec de procés
 DocType: Email Campaign,Email Campaign,Campanya de correu electrònic
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Error del mercat
 DocType: Complaint,Complaint,Queixa
@@ -6230,6 +6321,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Envieu això per crear el registre d&#39;empleats
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Preu de seguretat de préstec sobreposat amb {0}
 DocType: Item Default,Item Default,Element per defecte
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Subministraments intraestatals
 DocType: Chapter Member,Leave Reason,Deixeu la raó
@@ -6256,6 +6348,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} El cupó utilitzat són {1}. La quantitat permesa s’esgota
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Voleu enviar la sol·licitud de material
 DocType: Job Offer,Awaiting Response,Espera de la resposta
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,El préstec és obligatori
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH -YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Per sobre de
 DocType: Support Search Source,Link Options,Opcions d&#39;enllaç
@@ -6268,6 +6361,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
+DocType: Pledge,Post Haircut Amount,Publicar la quantitat de tall de cabell
 DocType: Sales Order,Skip Delivery Note,Omet el lliurament
 DocType: Price List,Price Not UOM Dependent,Preu no dependent de UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,S&#39;han creat {0} variants.
@@ -6294,6 +6388,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Obtenir elements del paquet del producte
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,El mètode de reemborsament és obligatori per a préstecs a termini
 DocType: Asset,Straight Line,Línia recta
 DocType: Project User,Project User,usuari projecte
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,divisió
@@ -6338,7 +6433,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Paper deixa forjar congelats Comptes i editar les entrades congelades
 DocType: Supplier Scorecard Scoring Variable,Path,Camí
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"No es pot convertir de centres de cost per al llibre major, ja que té nodes secundaris"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Factor de conversió UOM ({0} -&gt; {1}) no trobat per a l&#39;element: {2}
 DocType: Production Plan,Total Planned Qty,Total de quantitats planificades
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Les transaccions ja s&#39;han recuperat de l&#39;estat
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor d&#39;obertura
@@ -6347,11 +6441,8 @@
 DocType: Material Request Plan Item,Required Quantity,Quantitat necessària
 DocType: Lab Test Template,Lab Test Template,Plantilla de prova de laboratori
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},El període de comptabilitat es superposa amb {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Proveïdor&gt; Tipus de proveïdor
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Compte de vendes
 DocType: Purchase Invoice Item,Total Weight,Pes total
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Elimineu l&#39;empleat <a href=""#Form/Employee/{0}"">{0}</a> \ per cancel·lar aquest document"
 DocType: Pick List Item,Pick List Item,Escolliu l&#39;element de la llista
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comissió de Vendes
 DocType: Job Offer Term,Value / Description,Valor / Descripció
@@ -6398,6 +6489,7 @@
 DocType: Patient Encounter,Encounter Date,Data de trobada
 DocType: Work Order,Update Consumed Material Cost In Project,Actualitza el cost del material consumit en el projecte
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Compte: {0} amb la divisa: {1} no es pot seleccionar
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Préstecs proporcionats a clients i empleats.
 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
@@ -6466,7 +6558,6 @@
 DocType: Contract,Signed On,S&#39;ha iniciat la sessió
 DocType: Bank Account,Party Type,Tipus Partit
 DocType: Discounted Invoice,Discounted Invoice,Factura amb descompte
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar l&#39;assistència com <b></b>
 DocType: Payment Schedule,Payment Schedule,Calendari de pagaments
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},No s&#39;ha trobat cap empleat pel valor de camp de l&#39;empleat indicat. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Abreviatura
@@ -6538,6 +6629,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Creditors
 DocType: Assessment Plan,Assessment Name,nom avaluació
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Fila # {0}: Nombre de sèrie és obligatori
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Es necessita una quantitat de {0} per al tancament del préstec
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detall d'impostos de tots els articles
 DocType: Employee Onboarding,Job Offer,Oferta de treball
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Abreviatura
@@ -6561,7 +6653,6 @@
 DocType: Purchase Order,To Receive,Rebre
 DocType: Leave Period,Holiday List for Optional Leave,Llista de vacances per a la licitació opcional
 DocType: Item Tax Template,Tax Rates,Tipus d’impostos
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Codi de l&#39;article&gt; Grup d&#39;elements&gt; Marca
 DocType: Asset,Asset Owner,Propietari d&#39;actius
 DocType: Item,Website Content,Contingut del lloc web
 DocType: Bank Account,Integration ID,ID d&#39;integració
@@ -6578,6 +6669,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Ordres de sincronització
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Comandes llançades per a la producció.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Seleccioneu l'Any Fiscal ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Seleccioneu Tipus de préstec per a l&#39;empresa {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6606,6 +6698,7 @@
 DocType: Customer,Mention if non-standard receivable account,Esmenteu si compta per cobrar no estàndard
 DocType: Bank,Plaid Access Token,Fitxa d&#39;accés a escoces
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Afegiu els beneficis restants {0} a qualsevol dels components existents
+DocType: Bank Account,Is Default Account,És el compte per defecte
 DocType: Journal Entry Account,If Income or Expense,Si ingressos o despeses
 DocType: Course Topic,Course Topic,Tema del curs
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},El Voucher de cloenda POS existeix al voltant de {0} entre la data {1} i {2}
@@ -6618,7 +6711,7 @@
 DocType: Disease,Treatment Task,Tasca del tractament
 DocType: Payment Order Reference,Bank Account Details,Detalls del compte bancari
 DocType: Purchase Order Item,Blanket Order,Ordre de manta
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,La quantitat de reemborsament ha de ser superior a
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,La quantitat de reemborsament ha de ser superior a
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Actius per impostos
 DocType: BOM Item,BOM No,No BOM
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detalls d’actualització
@@ -6674,6 +6767,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Productes WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Error de sintaxi en la fórmula o condició: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Article {0} ignorat ja que no és un article d'estoc
+,Loan Security Status,Estat de seguretat del préstec
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Per no aplicar la Regla de preus en una transacció en particular, totes les normes sobre tarifes aplicables han de ser desactivats."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dia (s) després del final del mes de la factura
 DocType: Assessment Group,Parent Assessment Group,Pares Grup d&#39;Avaluació
@@ -6688,7 +6782,6 @@
 DocType: Stock Entry Detail,Additional Cost,Cost addicional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Can not filter based on Voucher No, if grouped by Voucher"
 DocType: Quality Inspection,Incoming,Entrant
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configureu les sèries de numeració per assistència mitjançant Configuració&gt; Sèries de numeració
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Es creen plantilles d&#39;impostos predeterminades per a vendes i compra.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,El registre del resultat de l&#39;avaluació {0} ja existeix.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemple: ABCD. #####. Si s&#39;estableix la sèrie i el lot no es menciona en les transaccions, es crearà un nombre automàtic de lot en funció d&#39;aquesta sèrie. Si sempre voleu esmentar explícitament No per a aquest element, deixeu-lo en blanc. Nota: aquesta configuració tindrà prioritat sobre el Prefix de la sèrie de noms a la configuració de valors."
@@ -6699,8 +6792,10 @@
 DocType: Contract,Party User,Usuari del partit
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Actius no creats per a <b>{0}</b> . Haureu de crear actius manualment.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Si us plau ajust empresa de filtres en blanc si és Agrupa per &#39;empresa&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clients&gt; Territori
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Data d&#39;entrada no pot ser data futura
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Fila # {0}: Nombre de sèrie {1} no coincideix amb {2} {3}
+DocType: Loan Repayment,Interest Payable,Interessos a pagar
 DocType: Stock Entry,Target Warehouse Address,Adreça de destinació de magatzem
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Deixar Casual
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,El temps abans de l&#39;hora d&#39;inici del torn durant el qual es preveu el registre d&#39;entrada dels empleats per assistència.
@@ -6829,6 +6924,7 @@
 DocType: Issue,Reset Service Level Agreement,Restableix el contracte de nivell de servei
 ,Sales Person-wise Transaction Summary,Resum de transaccions de vendes Persona-savi
 DocType: Training Event,Contact Number,Nombre de contacte
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,La quantitat de préstec és obligatòria
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6877,6 +6973,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Saldo Quantitat
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,S’aplicaran les condicions sobre tots els ítems seleccionats combinats.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Els objectius no poden estar buits
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Magatzem incorrecte
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Inscripció d&#39;estudiants
 DocType: Item Group,Parent Item Group,Grup d'articles pare
 DocType: Appointment Type,Appointment Type,Tipus de cita
@@ -6930,10 +7027,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tarifa mitjana
 DocType: Appointment,Appointment With,Cita amb
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L&#39;import total del pagament en el calendari de pagaments ha de ser igual a Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar l&#39;assistència com <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;L&#39;element subministrat pel client&quot; no pot tenir un percentatge de valoració
 DocType: Subscription Plan Detail,Plan,Pla
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Equilibri extracte bancari segons Comptabilitat General
-DocType: Job Applicant,Applicant Name,Nom del sol·licitant
+DocType: Appointment Letter,Applicant Name,Nom del sol·licitant
 DocType: Authorization Rule,Customer / Item Name,Client / Nom de l'article
 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**. 
 
@@ -6977,11 +7075,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribució
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"L&#39;estat de l&#39;empleat no es pot configurar com a &quot;esquerre&quot;, ja que els empleats següents estan informant actualment amb aquest empleat:"
-DocType: Journal Entry Account,Loan,Préstec
+DocType: Loan Repayment,Amount Paid,Quantitat pagada
+DocType: Loan Security Shortfall,Loan,Préstec
 DocType: Expense Claim Advance,Expense Claim Advance,Avançament de la reclamació de despeses
 DocType: Lab Test,Report Preference,Prefereixen informes
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informació voluntària.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Gerent De Projecte
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grup per client
 ,Quoted Item Comparison,Citat article Comparació
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Superposició entre puntuació entre {0} i {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Despatx
@@ -7001,6 +7101,7 @@
 DocType: Material Request Plan Item,Material Issue,Material Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Element gratuït no definit a la regla de preus {0}
 DocType: Employee Education,Qualification,Qualificació
+DocType: Loan Security Shortfall,Loan Security Shortfall,Falta de seguretat del préstec
 DocType: Item Price,Item Price,Preu d'article
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabó i Detergent
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},L&#39;empleat {0} no pertany a l&#39;empresa {1}
@@ -7023,6 +7124,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Detalls de cita
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Producte final
 DocType: Warehouse,Warehouse Name,Nom Magatzem
+DocType: Loan Security Pledge,Pledge Time,Temps de promesa
 DocType: Naming Series,Select Transaction,Seleccionar Transacció
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Si us plau entra el rol d'aprovació o l'usuari aprovador
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Ja existeix un contracte de nivell de servei amb el tipus d&#39;entitat {0} i l&#39;entitat {1}.
@@ -7030,7 +7132,6 @@
 DocType: BOM,Rate Of Materials Based On,Tarifa de materials basats en
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si està habilitat, el camp acadèmic de camp serà obligatori en l&#39;eina d&#39;inscripció del programa."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valors dels subministraments interns exempts, no classificats i no GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clients&gt; Territori
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>L’empresa</b> és un filtre obligatori.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,desactivar tot
 DocType: Purchase Taxes and Charges,On Item Quantity,Quantitat de l&#39;article
@@ -7075,7 +7176,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Quantitat escassetat
 DocType: Purchase Invoice,Input Service Distributor,Distribuïdor de servei d’entrada
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Hi ha la variant d&#39;article {0} amb mateixos atributs
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configureu un sistema de nom de l’Instructor a Educació&gt; Configuració d’educació
 DocType: Loan,Repay from Salary,Pagar del seu sou
 DocType: Exotel Settings,API Token,Títol API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Sol·licitant el pagament contra {0} {1} per la quantitat {2}
@@ -7095,6 +7195,7 @@
 DocType: Salary Slip,Total Interest Amount,Import total d&#39;interès
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Desconnectat
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Data d&#39;arribada datetime
 DocType: Tax Rule,Billing Zipcode,Codi Postal de Facturació
@@ -7281,6 +7382,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,hores
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},S&#39;ha creat una cita nova amb {0}
 DocType: Project,Expected Start Date,Data prevista d'inici
+DocType: Work Order,This is a location where raw materials are available.,Aquest és un lloc on hi ha matèries primeres disponibles.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correcció en factura
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordre de treball ja creada per a tots els articles amb BOM
 DocType: Bank Account,Party Details,Party Details
@@ -7299,6 +7401,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,cites:
 DocType: Contract,Partially Fulfilled,Completat parcialment
 DocType: Maintenance Visit,Fully Completed,Totalment Acabat
+DocType: Loan Security,Loan Security Name,Nom de seguretat del préstec
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caràcters especials, excepte &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; I &quot;}&quot; no estan permesos en nomenar sèries"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Està nul o està exempt
 DocType: Employee,Educational Qualification,Capacitació per a l'Educació
@@ -7355,6 +7458,7 @@
 DocType: Program,Is Featured,Es destaca
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,S&#39;obté ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Usuari de l&#39;agricultura
+DocType: Loan Security Shortfall,America/New_York,Amèrica / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Vàlid fins a la data no pot ser abans de la data de la transacció
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7432,8 +7536,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},L&#39;empleat {0} està en Leave on {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,No hi ha reemborsaments seleccionats per a l&#39;entrada del diari
 DocType: Purchase Invoice,GST Category,Categoria GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Els compromisos proposats són obligatoris per a préstecs garantits
 DocType: Payment Reconciliation,From Invoice Date,Des Data de la factura
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Pressupostos
 DocType: Invoice Discounting,Disbursed,Desemborsament
@@ -7491,14 +7595,13 @@
 DocType: Restaurant,Active Menu,Menú actiu
 DocType: Accounting Dimension Detail,Default Dimension,Dimensió predeterminada
 DocType: Target Detail,Target Qty,Objectiu Quantitat
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Contra el préstec: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Comanda Ajustaments
 DocType: Student Attendance,Present,Present
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,La Nota de lliurament {0} no es pot presentar
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","La fitxa salarial enviada per correu electrònic a l’empleat estarà protegida amb contrasenya, la contrasenya es generarà en funció de la política de contrasenyes."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,comptaquilòmetres
 DocType: Production Plan Item,Ordered Qty,Quantitat demanada
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Article {0} està deshabilitat
 DocType: Stock Settings,Stock Frozen Upto,Estoc bloquejat fins a
@@ -7555,7 +7658,6 @@
 DocType: Serial No,Delivery Document Type,Tipus de document de lliurament
 DocType: Sales Order,Partly Delivered,Parcialment Lliurat
 DocType: Item Variant Settings,Do not update variants on save,No actualitzeu les variants en desar
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grup de comerciants
 DocType: Email Digest,Receivables,Cobrables
 DocType: Lead Source,Lead Source,Origen de clients potencials
 DocType: Customer,Additional information regarding the customer.,Informació addicional respecte al client.
@@ -7652,6 +7754,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Reial
 DocType: Appointment,Skype ID,Identificador d’Skype
 DocType: Restaurant Menu,Restaurant Manager,Gerent de restaurant
+DocType: Loan,Penalty Income Account,Compte d&#39;ingressos sancionadors
 DocType: Call Log,Call Log,Historial de trucades
 DocType: Authorization Rule,Customerwise Discount,Customerwise Descompte
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Part d&#39;hores per a les tasques.
@@ -7739,6 +7842,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Esquema de descompte del producte
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,La persona que ha trucat no ha plantejat cap problema.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Grup per proveïdors
 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,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
@@ -7749,7 +7853,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Basat en la llista de preus
 DocType: Customer Group,Parent Customer Group,Pares Grup de Clients
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON només es pot generar a partir de factura de vendes
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,S&#39;ha arribat al màxim d&#39;intents d&#39;aquest qüestionari.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Subscripció
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Creació de tarifes pendents
@@ -7767,6 +7870,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Manteniment preventiu
 DocType: Delivery Note Item,Against Sales Invoice,Contra la factura de venda
 DocType: Purchase Invoice,07-Others,07-Altres
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Import de la cotització
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,"Si us plau, introdueixi els números de sèrie per a l&#39;article serialitzat"
 DocType: Bin,Reserved Qty for Production,Quantitat reservada per a la Producció
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deixa sense marcar si no vol tenir en compte per lots alhora que els grups basats en curs.
@@ -7874,6 +7978,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Pagament de rebuts Nota
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Crea sol·licitud de material
+DocType: Loan Interest Accrual,Pending Principal Amount,Import pendent principal
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Les dates d’inici i finalització no es troben en un període de nòmina vàlid, no es poden calcular {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7917,6 +8022,7 @@
 											to fullfill Sales Order {2}",No es pot lliurar el número de sèrie {0} de l&#39;element {1} perquè està reservat \ a l&#39;ordre de vendes complet de {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Cita Proveïdor {0} creat
+DocType: Loan Security Unpledge,Unpledge Type,Tipus de desunió
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Any de finalització no pot ser anterior inici any
 DocType: Employee Benefit Application,Employee Benefits,Beneficis als empleats
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Identificació d’empleat
@@ -7999,6 +8105,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Codi del curs:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Si us plau ingressi Compte de Despeses
 DocType: Quality Action Resolution,Problem,Problema
+DocType: Loan Security Type,Loan To Value Ratio,Ràtio de préstec al valor
 DocType: Account,Stock,Estoc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8016,6 +8123,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entrada de transacció de l&#39;extracte bancari
 DocType: Sales Invoice Item,Discount and Margin,Descompte i Marge
 DocType: Lab Test,Prescription,Prescripció
+DocType: Process Loan Security Shortfall,Update Time,Hora d’actualització
 DocType: Import Supplier Invoice,Upload XML Invoices,Carregueu factures XML
 DocType: Company,Default Deferred Revenue Account,Compte d&#39;ingressos diferits per defecte
 DocType: Project,Second Email,Segon correu electrònic
@@ -8029,7 +8137,7 @@
 DocType: Quality Action,Preventive,Preventius
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Subministraments realitzats a persones no registrades
 DocType: Company,Date of Incorporation,Data d&#39;incorporació
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Impost Total
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Impost Total
 DocType: Manufacturing Settings,Default Scrap Warehouse,Magatzem de ferralla predeterminat
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Darrer preu de compra
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Per Quantitat (Fabricat Quantitat) és obligatori
@@ -8048,6 +8156,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Estableix el mode de pagament per defecte
 DocType: Stock Entry Detail,Against Stock Entry,Contra l&#39;entrada en accions
 DocType: Grant Application,Withdrawn,Retirat
+DocType: Loan Repayment,Regular Payment,Pagament regular
 DocType: Support Search Source,Support Search Source,Recolza la font de cerca
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Càrrec
 DocType: Project,Gross Margin %,Marge Brut%
@@ -8060,8 +8169,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Sense pagament d&#39;impostos
 DocType: BOM Operation,BOM Operation,BOM Operació
 DocType: Purchase Taxes and Charges,On Previous Row Amount,A limport de la fila anterior
+DocType: Student,Home Address,Adreça de casa
 DocType: Options,Is Correct,És correcte
 DocType: Item,Has Expiry Date,Té data de caducitat
+DocType: Loan Repayment,Paid Accrual Entries,Entrades de cobrament pagades
+DocType: Loan Security,Loan Security Type,Tipus de seguretat del préstec
 apps/erpnext/erpnext/config/support.py,Issue Type.,Tipus de problema.
 DocType: POS Profile,POS Profile,POS Perfil
 DocType: Training Event,Event Name,Nom de l&#39;esdeveniment
@@ -8073,6 +8185,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","L'estacionalitat d'establir pressupostos, objectius, etc."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Sense valors
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nom de la variable
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Seleccioneu el compte bancari per compatibilitzar-lo.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Article {0} és una plantilla, per favor seleccioni una de les seves variants"
 DocType: Purchase Invoice Item,Deferred Expense,Despeses diferides
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Torna als missatges
@@ -8124,7 +8237,6 @@
 DocType: GL Entry,To Rename,Per canviar el nom
 DocType: Stock Entry,Repack,Torneu a embalar
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seleccioneu per afegir número de sèrie.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configureu un sistema de nom de l’Instructor a Educació&gt; Configuració d’educació
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Configureu el Codi fiscal per al client &quot;% s&quot;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Seleccioneu primer la companyia
 DocType: Item Attribute,Numeric Values,Els valors numèrics
@@ -8148,6 +8260,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Recerca basada en FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root no es pot editar.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Valor de seguretat del préstec
 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
@@ -8194,6 +8307,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Si us plau, Selecciona primer la Categoria"
 apps/erpnext/erpnext/config/projects.py,Project master.,Projecte mestre.
 DocType: Contract,Contract Terms,Termes del contracte
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Límite de la quantitat sancionada
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Continua la configuració
 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,Maximum benefit amount of component {0} exceeds {1},La quantitat màxima de beneficis del component {0} supera {1}
@@ -8226,6 +8340,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Veure registre de trucades
 DocType: BOM Operation,Operating Cost(Company Currency),Cost de funcionament (Companyia de divises)
 DocType: Loan Application,Rate of Interest,Tipus d&#39;interès
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},La promesa de seguretat de préstec ja es va comprometre amb el préstec {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Sanctioned Amount
 DocType: Item,Shelf Life In Days,Vida útil en dies
 DocType: GL Entry,Is Opening,Està obrint
@@ -8239,3 +8354,4 @@
 DocType: Account,Cash,Efectiu
 DocType: Sales Invoice,Unpaid and Discounted,No pagat i amb descompte
 DocType: Employee,Short biography for website and other publications.,Breu biografia de la pàgina web i altres publicacions.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Fila # {0}: no es pot seleccionar el magatzem del proveïdor mentre se subministra matèries primeres al subcontractista
diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv
index 30f2b4c..9dd21a5 100644
--- a/erpnext/translations/cs.csv
+++ b/erpnext/translations/cs.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Příležitost Ztracený důvod
 DocType: Patient Appointment,Check availability,Zkontrolujte dostupnost
 DocType: Retention Bonus,Bonus Payment Date,Bonus Datum platby
-DocType: Employee,Job Applicant,Job Žadatel
+DocType: Appointment Letter,Job Applicant,Job Žadatel
 DocType: Job Card,Total Time in Mins,Celkový čas v minách
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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í
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontaktní informace
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Hledat cokoli ...
 ,Stock and Account Value Comparison,Porovnání hodnoty akcií a účtu
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Vyplacená částka nesmí být vyšší než výše půjčky
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Zájemci
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Otvor
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Platný od času musí být menší než platný až do doby.
 DocType: Item,Copy From Item Group,Kopírovat z bodu Group
 DocType: Journal Entry,Opening Entry,Otevření Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Účet Pay Pouze
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Školní známka
 DocType: Restaurant Table,No of Seats,Počet sedadel
+DocType: Loan Type,Grace Period in Days,Grace Období ve dnech
 DocType: Sales Invoice,Overdue and Discounted,Po lhůtě splatnosti a se slevou
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Aktivum {0} nepatří do úschovy {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Hovor byl odpojen
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Předepsané postupy
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Zobrazit pouze POS
 DocType: Supplier Group,Supplier Group Name,Název skupiny dodavatelů
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označit účast jako <b></b>
 DocType: Driver,Driving License Categories,Kategorie řidičských oprávnění
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Zadejte prosím datum doručení
 DocType: Depreciation Schedule,Make Depreciation Entry,Udělat Odpisy Entry
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Podrobnosti o prováděných operací.
 DocType: Asset Maintenance Log,Maintenance Status,Status Maintenance
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Částka daně z položky zahrnutá v hodnotě
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Zabezpečení úvěru Unpledge
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Podrobnosti o členství
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Dodavatel je vyžadován oproti splatnému účtu {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Položky a Ceny
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Celkem hodin: {0}
+DocType: Loan,Loan Manager,Správce půjček
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"Od data by měla být v rámci fiskálního roku. Za předpokladu, že od data = {0}"
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Vyberte zákazníka nebo dodavatele.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kód země v souboru neodpovídá kódu země nastavenému v systému
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Účet {0} nepatří do společnosti {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Jako výchozí vyberte pouze jednu prioritu.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Absence blokována
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,bankovní Příspěvky
-DocType: Customer,Is Internal Customer,Je interní zákazník
+DocType: Sales Invoice,Is Internal Customer,Je interní zákazník
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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 č
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Požadavek na materiál
 DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Balíček Množství
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Dokud nebude žádost schválena, nelze vytvořit půjčku"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Opravit
 DocType: Student Guardian,Mother,Matka
 DocType: Restaurant Reservation,Reservation End Time,Doba ukončení rezervace
+DocType: Salary Slip Loan,Loan Repayment Entry,Úvěrová splátka
 DocType: Crop,Biennial,Dvouletý
 ,BOM Variance Report,Zpráva o odchylce kusovníku
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Potvrzené objednávky od zákazníků.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Platba proti {0} {1} nemůže být větší než dlužné částky {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Všechny jednotky zdravotnických služeb
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,O převodu příležitostí
+DocType: Loan,Total Principal Paid,Celková zaplacená jistina
 DocType: Bank Account,Address HTML,Adresa HTML
 DocType: Lead,Mobile No.,Mobile No.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Způsob platby
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Zůstatek v základní měně
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max stupeň
 DocType: Email Digest,New Quotations,Nové Citace
+DocType: Loan Interest Accrual,Loan Interest Accrual,Úvěrový úrok
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Ústředna nebyla odeslána do {0} jako {1}.
 DocType: Journal Entry,Payment Order,Platební příkaz
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ověřovací email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Příjmy z jiných zdrojů
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Pokud je prázdné, bude se brát v úvahu výchozí rodičovský účet nebo výchozí společnost"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-maily výplatní pásce, aby zaměstnanci na základě přednostního e-mailu vybraného v zaměstnaneckých"
+DocType: Work Order,This is a location where operations are executed.,"Toto je místo, kde se provádějí operace."
 DocType: Tax Rule,Shipping County,vodní doprava County
 DocType: Currency Exchange,For Selling,Pro prodej
 apps/erpnext/erpnext/config/desktop.py,Learn,Učit se
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Kód použitého kupónu
 DocType: Asset,Next Depreciation Date,Vedle Odpisy Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Náklady na činnost na jednoho zaměstnance
+DocType: Loan Security,Haircut %,Střih%
 DocType: Accounts Settings,Settings for Accounts,Nastavení účtů
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Dodavatelské faktury No existuje ve faktuře {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Správa obchodník strom.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Prosím, nastavte Hotel Room Rate na {}"
 DocType: Journal Entry,Multi Currency,Více měn
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktury
+DocType: Loan,Loan Security Details,Podrobnosti o půjčce
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Platné od data musí být kratší než platné datum
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Při sladění došlo k výjimce {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Nastavit přijímaný sklad
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Požadovat schválení testu laboratoře
 DocType: Attendance,Working Hours,Pracovní doba
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Naprosto vynikající
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konverzní faktor ({0} -&gt; {1}) nebyl nalezen pro položku: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procento, které máte možnost vyúčtovat více oproti objednané částce. Například: Pokud je hodnota objednávky 100 $ pro položku a tolerance je nastavena na 10%, pak máte možnost vyúčtovat za 110 $."
 DocType: Dosage Strength,Strength,Síla
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Datum Vehicle
 DocType: Campaign Email Schedule,Campaign Email Schedule,Plán e-mailu kampaně
 DocType: Student Log,Medical,Lékařský
+DocType: Work Order,This is a location where scraped materials are stored.,"Toto je místo, kde se ukládají poškrábané materiály."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Vyberte prosím lék
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Olovo Majitel nemůže být stejný jako olovo
 DocType: Announcement,Receiver,Přijímač
@@ -886,7 +898,7 @@
 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: BOM,Total Cost (Company Currency),Celkové náklady (měna společnosti)
-DocType: Loan,Total Payment,Celková platba
+DocType: Repayment Schedule,Total Payment,Celková platba
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO již vytvořeno pro všechny položky prodejní objednávky
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Upozornění na nákupní objednávky
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Pronajato od data
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dost Části vybudovat
+DocType: Loan Security,Loan Security Code,Bezpečnostní kód půjčky
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Nejprve prosím uložte
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Položky jsou vyžadovány pro tahání surovin, které jsou s ním spojeny."
 DocType: POS Profile User,POS Profile User,Uživatel profilu POS
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Zápisy již vytvořené pro pracovní objednávku
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položek&gt; Značka
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Zobrazit minulé objednávky
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} konverzací
 DocType: Vital Signs,Respiratory rate,Dechová frekvence
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Smazat transakcí Company
 DocType: Production Plan Item,Quantity and Description,Množství a popis
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenční číslo a referenční datum je povinný pro bankovní transakce
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Nastavte Naming Series pro {0} prostřednictvím Setup&gt; Settings&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Přidat / Upravit daní a poplatků
 DocType: Payment Entry Reference,Supplier Invoice No,Dodavatelské faktury č
 DocType: Territory,For reference,Pro srovnání
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Účet pro zadržení daně
 DocType: Pricing Rule,Sales Partner,Sales Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Všechna hodnocení dodavatelů.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Částka objednávky
+DocType: Loan,Disbursed Amount,Částka vyplacená
 DocType: Buying Settings,Purchase Receipt Required,Příjmka je vyžadována
 DocType: Sales Invoice,Rail,Železnice
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Aktuální cena
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Připojeno k QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Určete / vytvořte účet (účetní kniha) pro typ - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Splatnost účtu
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Účet je povinný pro získání platebních záznamů
 DocType: Payment Entry,Type of Payment,Typ platby
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Poloviční den je povinný
 DocType: Sales Order,Billing and Delivery Status,Fakturace a Delivery Status
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Účtovaného Amt
 DocType: Training Result Employee,Training Result Employee,Vzdělávací Výsledek
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,"Logická Warehouse na položky, které mohou být vyrobeny."
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,jistina
+DocType: Repayment Schedule,Principal Amount,jistina
 DocType: Loan Application,Total Payable Interest,Celkem Splatné úroky
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Celková nevyřízená hodnota: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otevřete kontakt
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Vaše položky
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dodavatel&gt; Typ dodavatele
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Návrh Psaní
 DocType: Payment Entry Deduction,Payment Entry Deduction,Platba Vstup dedukce
 DocType: Service Level Priority,Service Level Priority,Priorita úrovně služeb
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Popis Šarže
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Vytváření studentských skupin
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Platební brána účet nevytvořili, prosím, vytvořte ručně."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Skupinové sklady nelze použít v transakcích. Změňte prosím hodnotu {0}
 DocType: Supplier Scorecard,Per Year,Za rok
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Není způsobilý pro přijetí do tohoto programu podle DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Řádek # {0}: Nelze odstranit položku {1}, která je přiřazena k objednávce zákazníka."
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",Při vytváření účtu pro podřízenou společnost {0} nebyl nadřazený účet {1} nalezen. Vytvořte prosím nadřazený účet v odpovídající COA
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,Student Účast
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Žádné údaje k exportu
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Skutečné datum dodání
 DocType: Lab Test,Test Template,Testovací šablona
+DocType: Loan Security Pledge,Securities,Cenné papíry
 DocType: Restaurant Order Entry Item,Served,Podával
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informace o kapitole.
 DocType: Account,Accounts,Účty
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O Negativní
 DocType: Work Order Operation,Planned End Time,Plánované End Time
 DocType: POS Profile,Only show Items from these Item Groups,Zobrazovat pouze položky z těchto skupin položek
+DocType: Loan,Is Secured Loan,Je zajištěná půjčka
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Podrobnosti o typu člena
 DocType: Delivery Note,Customer's Purchase Order No,Zákazníka Objednávka No
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Získejte z setkání pacienta
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konverzní faktor ({0} -&gt; {1}) nebyl nalezen pro položku: {2}
 DocType: Subscriber,Subscriber,Odběratel
 DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Směnárna musí být platná pro nákup nebo pro prodej.
@@ -1517,6 +1537,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nemáte oprávnění
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolní seznam plnění smlouvy
 DocType: Vital Signs,Heart Rate / Pulse,Srdeční frekvence / puls
+DocType: Customer,Default Company Bank Account,Výchozí firemní bankovní účet
 DocType: Supplier,Default Bank Account,Výchozí Bankovní účet
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Chcete-li filtrovat na základě Party, vyberte typ Party první"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Aktualizovat sklad' nemůže být zaškrtnuto, protože položky nejsou dodány přes {0}"
@@ -1634,7 +1655,6 @@
 DocType: Sales Team,Incentives,Pobídky
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Hodnoty ze synchronizace
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Hodnota rozdílu
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nastavte číslovací řady pro Docházku prostřednictvím Nastavení&gt; Číslovací řady
 DocType: SMS Log,Requested Numbers,Požadované Čísla
 DocType: Volunteer,Evening,Večer
 DocType: Quiz,Quiz Configuration,Konfigurace kvízu
@@ -1654,6 +1674,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Na předchozí řady Celkem
 DocType: Purchase Invoice Item,Rejected Qty,zamítnuta Množství
 DocType: Setup Progress Action,Action Field,Pole akce
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Typ půjčky za úroky a penále
 DocType: Healthcare Settings,Manage Customer,Správa zákazníka
 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í
@@ -1665,6 +1686,7 @@
 ,Final Assessment Grades,Závěrečné hodnocení
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Název vaší společnosti, pro kterou nastavení tohoto systému."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Zahrnout dovolenou v celkovém. pracovních dní
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Z celkového součtu
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Nastavte svůj institut v ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analýza rostlin
 DocType: Task,Timeline,Časová osa
@@ -1672,9 +1694,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativní položka
 DocType: Shopify Log,Request Data,Žádost o údaje
 DocType: Employee,Date of Joining,Datum přistoupení
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Řada Aktualizace
 DocType: Supplier Quotation,Is Subcontracted,Subdodavatelům
 DocType: Restaurant Table,Minimum Seating,Minimální počet sedadel
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Otázka nemůže být duplicitní
 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,Purchase Receipt,Příjemka
@@ -1776,6 +1800,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Faktury
 DocType: Payment Request,Paid,Placený
 DocType: Service Level,Default Priority,Výchozí priorita
+DocType: Pledge,Pledge,Slib
 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."
@@ -1789,6 +1814,7 @@
 DocType: Guardian,Guardian Name,Jméno Guardian
 DocType: Cheque Print Template,Has Print Format,Má formát tisku
 DocType: Support Settings,Get Started Sections,Začínáme sekce
+,Loan Repayment and Closure,Splácení a uzavření úvěru
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,schválený
 ,Base Amount,Základní částka
@@ -1799,10 +1825,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Z místa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Výše půjčky nesmí být větší než {0}
 DocType: Student Admission,Publish on website,Publikovat na webových stránkách
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Dodavatel Datum faktury nemůže být větší než Datum zveřejnění
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položek&gt; Značka
 DocType: Subscription,Cancelation Date,Datum zrušení
 DocType: Purchase Invoice Item,Purchase Order Item,Položka vydané objednávky
 DocType: Agriculture Task,Agriculture Task,Zemědělské úkoly
@@ -1821,7 +1847,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Další slevy Procento
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Zobrazit seznam všech nápovědy videí
 DocType: Agriculture Analysis Criteria,Soil Texture,Půdní textury
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Vyberte účet šéf banky, kde byla uložena kontrola."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Povolit uživateli upravovat Ceník Cena při transakcích
 DocType: Pricing Rule,Max Qty,Max Množství
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Tiskněte kartu přehledů
@@ -1953,7 +1978,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Jakmile bude tato faktura zadána, bude tato faktura podržena až do stanoveného data"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Prodejní Částka
-DocType: Repayment Schedule,Interest Amount,Zájem Částka
+DocType: Loan Interest Accrual,Interest Amount,Zájem Částka
 DocType: Job Card,Time Logs,Čas Záznamy
 DocType: Sales Invoice,Loyalty Amount,Loajální částka
 DocType: Employee Transfer,Employee Transfer Detail,Detail pracovníka
@@ -1968,6 +1993,7 @@
 DocType: Cashier Closing,Returns,výnos
 DocType: Job Card,WIP Warehouse,WIP Warehouse
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Pořadové číslo {0} je na základě smlouvy o údržbě aľ {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Překročení limitu sankce za {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Nábor
 DocType: Lead,Organization Name,Název organizace
 DocType: Support Settings,Show Latest Forum Posts,Zobrazit nejnovější příspěvky ve fóru
@@ -1994,7 +2020,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Položky nákupních příkazů po splatnosti
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,PSČ
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Prodejní objednávky {0} {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Tvorba přírůstků zásob
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Zaměstnanec se stavem vlevo nelze podpořit
@@ -2078,7 +2103,6 @@
 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,Start Year,Začátek Rok
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Vytvořit půjčku
 DocType: Purchase Invoice,Start date of current invoice's period,Datum období současného faktury je Začátek
 DocType: Shift Type,Process Attendance After,Procesní účast po
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Vyberte své domény
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Nakupujte dodavatele
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Položky platební faktury
+DocType: Repayment Schedule,Is Accrued,Je narostl
 DocType: Payroll Entry,Employee Details,Podrobnosti o zaměstnanci
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Zpracování souborů XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Zadání věrnostního bodu
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Výchozí bod Group
+DocType: Loan,Partially Disbursed,částečně Vyplacené
 DocType: Job Card Time Log,Time In Mins,Čas v min
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Poskytněte informace.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Tato akce odpojí tento účet od jakékoli externí služby integrující ERPNext s vašimi bankovními účty. Nelze jej vrátit zpět. Jsi si jistý ?
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Stejnou položku nelze zadat vícekrát.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Uznání úvěru
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,Závazky
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2177,6 +2204,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Účet E-Way Bill JSON lze vygenerovat pouze z předloženého dokumentu
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Daň a dávky zaměstnanců
 DocType: Bank Guarantee,Validity in Days,Platnost ve dnech
+DocType: Unpledge,Haircut,Střih
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-forma se nevztahuje na faktuře: {0}
 DocType: Certified Consultant,Name of Consultant,Jméno konzultanta
 DocType: Payment Reconciliation,Unreconciled Payment Details,Smířit platbě
@@ -2229,7 +2257,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Zbytek světa
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Položka {0} nemůže mít dávku
 DocType: Crop,Yield UOM,Výnos UOM
+DocType: Loan Security Pledge,Partially Pledged,Částečně zastaveno
 ,Budget Variance Report,Rozpočet Odchylka Report
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Částka schváleného úvěru
 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,Get Items from Healthcare Services,Získejte položky od zdravotnických služeb
@@ -2264,6 +2294,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nový postup kvality
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Zůstatek na účtě {0} musí být vždy {1}
 DocType: Patient Appointment,More Info,Více informací
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Datum narození nemůže být větší než datum připojení.
 DocType: Supplier Scorecard,Scorecard Actions,Akční body Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dodavatel {0} nebyl nalezen v {1}
 DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse
@@ -2360,6 +2391,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Nejprve nastavte kód položky
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Vytvořen záložní úvěr: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Setkání a setkání s pacienty
@@ -2415,6 +2447,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Počet souběžných schůzek
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Začínáme
 DocType: Purchase Invoice,Taxes and Charges Calculation,Daně a poplatky výpočet
+DocType: Loan Interest Accrual,Payable Principal Amount,Splatná jistina
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Zúčtování odpisu majetku na účet automaticky
 DocType: BOM Operation,Workstation,Pracovní stanice
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Žádost o cenovou nabídku dodavatele
@@ -2451,7 +2484,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Jídlo
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,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: Bank Account,Is the Default Account,Je výchozí účet
 DocType: Shopify Log,Shopify Log,Shopify Přihlásit
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nebyla nalezena žádná komunikace.
 DocType: Inpatient Occupancy,Check In,Check In
@@ -2509,12 +2541,14 @@
 DocType: Sales Order Item,Planned Quantity,Plánované Množství
 DocType: Water Analysis,Water Analysis Criteria,Kritéria analýzy vody
 DocType: Item,Maintain Stock,Udržovat stav zásob
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge Time
 DocType: Terms and Conditions,Applicable Modules,Použitelné moduly
 DocType: Employee,Prefered Email,preferovaný Email
 DocType: Student Admission,Eligibility and Details,Způsobilost a podrobnosti
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Zahrnuto do hrubého zisku
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,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,Reqd Qty,Požadovaný počet
+DocType: Work Order,This is a location where final product stored.,"Toto je místo, kde je uložen finální produkt."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datetime
@@ -2555,8 +2589,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Záruka / AMC Status
 ,Accounts Browser,Účty Browser
 DocType: Procedure Prescription,Referral,Postoupení
+,Territory-wise Sales,Teritoriální prodej
 DocType: Payment Entry Reference,Payment Entry Reference,Platba Vstup reference
 DocType: GL Entry,GL Entry,Vstup GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Řádek # {0}: Přijatý sklad a dodavatelský sklad nemůže být stejný
 DocType: Support Search Source,Response Options,Možnosti odpovědi
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Použijte pravidla pro více cen
 DocType: HR Settings,Employee Settings,Nastavení zaměstnanců
@@ -2617,6 +2653,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Zemědělství (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Balící list
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Nastavte Naming Series pro {0} prostřednictvím Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Pronájem kanceláře
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Nastavení SMS brány
 DocType: Disease,Common Name,Běžné jméno
@@ -2633,6 +2670,7 @@
 DocType: Item,Sales Details,Prodejní Podrobnosti
 DocType: Coupon Code,Used,Použitý
 DocType: Opportunity,With Items,S položkami
+DocType: Vehicle Log,last Odometer Value ,poslední hodnota počítadla kilometrů
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampaň &#39;{0}&#39; již existuje pro {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Tým údržby
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Pořadí, ve kterém se mají sekce zobrazit. 0 je první, 1 je druhý a tak dále."
@@ -2643,7 +2681,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Náklady na pojistná {0} již existuje pro jízd
 DocType: Asset Movement Item,Source Location,Umístění zdroje
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Jméno Institute
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Prosím, zadejte splácení Částka"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Prosím, zadejte splácení Částka"
 DocType: Shift Type,Working Hours Threshold for Absent,Prahová hodnota pracovní doby pro nepřítomnost
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,V závislosti na celkovém vynaloženém množství může být více stupňů sběru. Přepočítací koeficient pro vykoupení bude vždy stejný pro všechny úrovně.
 apps/erpnext/erpnext/config/help.py,Item Variants,Položka Varianty
@@ -2667,6 +2705,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} musí být menší než {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Nejprve vyberte typ žadatele
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Vyberte kusovník, množství a pro sklad"
 DocType: GST HSN Code,GST HSN Code,GST HSN kód
 DocType: Employee External Work History,Total Experience,Celková zkušenost
@@ -2757,7 +2796,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Pro položku {0} nebyl nalezen žádný aktivní kusovníček. Dodání pomocí \ sériového čísla nemůže být zajištěno
 DocType: Sales Partner,Sales Partner Target,Sales Partner Target
-DocType: Loan Type,Maximum Loan Amount,Maximální výše úvěru
+DocType: Loan Application,Maximum Loan Amount,Maximální výše úvěru
 DocType: Coupon Code,Pricing Rule,Ceny Pravidlo
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplicitní číslo role pro studenty {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Materiál Žádost o příkazu k nákupu
@@ -2780,6 +2819,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Dovolená úspěšně přidělena {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Žádné položky k balení
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Aktuálně jsou podporovány pouze soubory CSV a XLSX
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Nastavte prosím systém názvů zaměstnanců v části Lidské zdroje&gt; Nastavení lidských zdrojů
 DocType: Shipping Rule Condition,From Value,Od hodnoty
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Výrobní množství je povinné
 DocType: Loan,Repayment Method,splácení Metoda
@@ -2863,6 +2903,7 @@
 DocType: Customer,Customer POS Id,Identifikační číslo zákazníka
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student s e-mailem {0} neexistuje
 DocType: Account,Account Name,Název účtu
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Částka schváleného úvěru již existuje pro {0} proti společnosti {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Datum OD nemůže být vetší než datum DO
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek
 DocType: Pricing Rule,Apply Discount on Rate,Použijte slevu na sazbu
@@ -2934,6 +2975,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Čistý zisk
 DocType: Purchase Invoice,Eligibility For ITC,Způsobilost pro ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 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,Net Change in Accounts Payable,Čistá Změna účty závazků
@@ -2945,6 +2987,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID docházkového zařízení (Biometric / RF tag ID)
 DocType: Quotation,Term Details,Termín Podrobnosti
 DocType: Item,Over Delivery/Receipt Allowance (%),Příplatek za doručení / příjem (%)
+DocType: Appointment Letter,Appointment Letter Template,Šablona dopisu schůzky
 DocType: Employee Incentive,Employee Incentive,Zaměstnanecká pobídka
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Celkem (bez daně)
@@ -2967,6 +3010,7 @@
 					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"
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Odpojit Platba o zrušení faktury
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Časově rozlišené úroky z procesu
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Aktuální stavu km vstoupil by měla být větší než počáteční měřiče ujeté vzdálenosti {0}
 ,Purchase Order Items To Be Received or Billed,Položky objednávek k přijetí nebo vyúčtování
 DocType: Restaurant Reservation,No Show,Žádné vystoupení
@@ -3052,6 +3096,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Je vyžadováno nákladové středisko pro 'zisk a ztráta ""účtu {2}. Prosím nastavte výchozí nákladové středisko pro společnost."
 DocType: Payment Schedule,Payment Term,Platební termín
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Zákaznická Skupina existuje se stejným názvem, prosím změňte název zákazníka nebo přejmenujte skupinu zákazníků"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Datum ukončení vstupu by mělo být vyšší než datum zahájení vstupu.
 DocType: Location,Area,Plocha
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nový kontakt
 DocType: Company,Company Description,Popis společnosti
@@ -3126,6 +3171,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapované údaje
 DocType: Purchase Order Item,Warehouse and Reference,Sklad a reference
 DocType: Payroll Period Date,Payroll Period Date,Den mzdy
+DocType: Loan Disbursement,Against Loan,Proti půjčce
 DocType: Supplier,Statutory info and other general information about your Supplier,Statutární info a další obecné informace o váš dodavatel
 DocType: Item,Serial Nos and Batches,Sériové čísla a dávky
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Síla skupiny studentů
@@ -3192,6 +3238,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Vyberte společnost
 DocType: Delivery Settings,Delivery Settings,Nastavení doručení
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Načíst data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Nelze odpojit více než {0} množství z {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maximální povolená dovolená v typu dovolené {0} je {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publikovat 1 položku
 DocType: SMS Center,Create Receiver List,Vytvořit přijímače seznam
@@ -3340,6 +3387,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Základna Částka (Company měna)
 DocType: Purchase Invoice,Registered Regular,Registrováno pravidelně
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Suroviny
+DocType: Plaid Settings,sandbox,pískoviště
 DocType: Payment Reconciliation Payment,Reference Row,referenční Row
 DocType: Installation Note,Installation Time,Instalace Time
 DocType: Sales Invoice,Accounting Details,Účetní detaily
@@ -3352,12 +3400,11 @@
 DocType: Leave Ledger Entry,Transaction Type,typ transakce
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kritéria přijetí
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Celková částka Splatné
 DocType: Task,Expected Time (in hours),Předpokládaná doba (v hodinách)
 DocType: Item Reorder,Check in (group),Check in (skupina)
 DocType: Soil Texture,Silt,Silt
@@ -3388,6 +3435,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Odpočet daně za nezdařené osvobození od daně
 DocType: Volunteer,Anytime,Kdykoliv
 DocType: Bank Account,Bank Account No,Bankovní účet č
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Vyplacení a vrácení
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Osvobození od daně z osvobození zaměstnanců
 DocType: Patient,Surgical History,Chirurgická historie
 DocType: Bank Statement Settings Item,Mapped Header,Mapované záhlaví
@@ -3451,6 +3499,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Vytvořte laboratorní test (y) na faktuře Odeslání faktury
 DocType: Serial No,Invoice Details,Podrobnosti faktury
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Struktura mezd musí být předložena před podáním daňového přiznání
+DocType: Loan Application,Proposed Pledges,Navrhované zástavy
 DocType: Grant Application,Show on Website,Zobrazit na webu
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Začněte dál
 DocType: Hub Tracked Item,Hub Category,Kategorie Hubu
@@ -3462,7 +3511,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Dodávka tabulky dodavatelů
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Řádek {0}: Kusovník nebyl nalezen pro výtisku {1}
 DocType: Contract Fulfilment Checklist,Requirement,Požadavek
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Nastavte prosím systém názvů zaměstnanců v části Lidské zdroje&gt; Nastavení lidských zdrojů
 DocType: Journal Entry,Accounts Receivable,Pohledávky
 DocType: Quality Goal,Objectives,Cíle
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Role povolená k vytvoření aplikace s okamžitou platností
@@ -3475,6 +3523,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Zahrnout odsouhlasené zápisy
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Celková přidělená částka ({0}) je převedena na zaplacenou částku ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuovat poplatků na základě
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Zaplacená částka nesmí být menší než {0}
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,Nastavení HR
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Účetnictví Masters
@@ -3620,6 +3669,7 @@
 DocType: Employee,Health Insurance,Zdravotní pojištění
 DocType: Asset Repair,Manufacturing Manager,Výrobní ředitel
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Pořadové číslo {0} je v záruce aľ {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Částka půjčky překračuje maximální částku půjčky {0} podle navrhovaných cenných papírů
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimální přípustná hodnota
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Uživatel {0} již existuje
 apps/erpnext/erpnext/hooks.py,Shipments,Zásilky
@@ -3663,7 +3713,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Typ podnikání
 DocType: Sales Invoice,Consumer,Spotřebitel
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosím, vyberte alokovaná částka, typ faktury a číslo faktury v aspoň jedné řadě"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Nastavte Naming Series pro {0} prostřednictvím Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Náklady na nový nákup
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0}
 DocType: Grant Application,Grant Description,Grant Popis
@@ -3672,6 +3721,7 @@
 DocType: Subscription,Discounts,Slevy
 DocType: Bank Transaction,Unallocated Amount,nepřidělené Částka
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Uveďte prosím platné objednávky a platí pro skutečné výdaje za rezervaci
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} není firemní bankovní účet
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Nelze najít odpovídající položku. Vyberte nějakou jinou hodnotu pro {0}.
 DocType: POS Profile,Taxes and Charges,Daně a poplatky
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt nebo služba, která se Nakupuje, Prodává nebo Skladuje."
@@ -3720,6 +3770,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Platné od data musí být menší než Platné do data.
 DocType: Employee Skill,Evaluation Date,Datum vyhodnocení
 DocType: Quotation Item,Stock Balance,Reklamní Balance
+DocType: Loan Security Pledge,Total Security Value,Celková hodnota zabezpečení
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Prodejní objednávky na platby
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,výkonný ředitel
 DocType: Purchase Invoice,With Payment of Tax,S platbou daně
@@ -3732,6 +3783,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Účet {0} neexistuje v grafu dashboardu {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Zobrazit atributy variantu
@@ -3813,6 +3865,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuální ocenění
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Počet kořenových účtů nesmí být menší než 4
 DocType: Training Event,Advance,Záloha
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Proti úvěru:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Nastavení platební brány GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange zisk / ztráta
 DocType: Opportunity,Lost Reason,Důvod ztráty
@@ -3896,8 +3949,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Vyberte číslo šarže
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Neplatný {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Řádek {0}: Datum sourození nemůže být větší než dnes.
 DocType: Fee Validity,Reference Inv,Odkaz Inv
 DocType: Sales Invoice Advance,Advance Amount,Záloha ve výši
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Trestní úroková sazba (%) za den
 DocType: Manufacturing Settings,Capacity Planning,Plánování kapacit
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Úprava zaokrouhlení (měna společnosti
 DocType: Asset,Policy number,Číslo politiky
@@ -3913,7 +3968,9 @@
 DocType: Normal Test Items,Require Result Value,Požadovat hodnotu výsledku
 DocType: Purchase Invoice,Pricing Rules,Pravidla tvorby cen
 DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky
+DocType: Appointment Letter,Body,Tělo
 DocType: Tax Withholding Rate,Tax Withholding Rate,Úroková sazba
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Datum zahájení splácení je povinné pro termínované půjčky
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,kusovníky
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Zásoba
@@ -3933,7 +3990,7 @@
 DocType: Call Log,Received By,Přijato
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trvání schůzky (v minutách)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobné informace o šabloně mapování peněžních toků
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Správa úvěrů
+DocType: Loan,Loan Management,Správa úvěrů
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sledovat samostatné výnosy a náklady pro vertikál produktu nebo divizí.
 DocType: Rename Tool,Rename Tool,Přejmenování
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Aktualizace nákladů
@@ -3941,6 +3998,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Způsob dopravy
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Show výplatní pásce
+DocType: Loan,Is Term Loan,Je termín půjčka
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Přenos materiálu
 DocType: Fees,Send Payment Request,Odeslat žádost o platbu
 DocType: Travel Request,Any other details,Další podrobnosti
@@ -3958,6 +4016,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Peněžní tok z finanční
 DocType: Budget Account,Budget Account,rozpočet účtu
 DocType: Quality Inspection,Verified By,Verified By
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Přidejte zabezpečení půjčky
 DocType: Travel Request,Name of Organizer,Název pořadatele
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nelze změnit výchozí měně společnosti, protože tam jsou stávající transakce. Transakce musí být zrušena, aby změnit výchozí měnu."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Je odpovědnost za dani z příjmu
@@ -4008,6 +4067,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Povinné On
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Pokud je zaškrtnuto, skryje a zakáže pole Zaokrouhlený celkový počet v Salary Slips"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Toto je výchozí offset (dny) pro datum dodání v prodejních objednávkách. Náhradní kompenzace je 7 dní od data zadání objednávky.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nastavte číslovací řady pro Docházku prostřednictvím Nastavení&gt; Číslovací řady
 DocType: Rename Tool,File to Rename,Soubor k přejmenování
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Načíst aktualizace předplatného
@@ -4020,6 +4080,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Sériová čísla byla vytvořena
 DocType: POS Profile,Applicable for Users,Platí pro uživatele
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Od data do dne jsou povinné
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Nastavit projekt a všechny úkoly do stavu {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Nastavit zálohy a přidělit (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nebyly vytvořeny žádné pracovní příkazy
@@ -4029,6 +4090,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Položky od
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Náklady na zakoupené zboží
 DocType: Employee Separation,Employee Separation Template,Šablona oddělení zaměstnanců
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Nulové množství z {0} přislíbilo proti půjčce {0}
 DocType: Selling Settings,Sales Order Required,Prodejní objednávky Povinné
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Staňte se prodejcem
 ,Procurement Tracker,Sledování nákupu
@@ -4126,11 +4188,12 @@
 ,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,Total Absent,Celkem Absent
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Splatná částka
+DocType: Loan Repayment,Payable Amount,Splatná částka
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Příležitost
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maximální síla nesmí být menší než nula.
 DocType: Options,Option,Volba
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},V uzavřeném účetním období nelze vytvářet účetní záznamy {0}
 DocType: Operation,Default Workstation,Výchozí Workstation
@@ -4172,6 +4235,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Výše úroku je povinná
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Další kroky
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Uložené položky
@@ -4242,8 +4306,6 @@
 DocType: Grant Application,Grant Application Details ,Podrobnosti o žádosti o grant
 DocType: Employee Separation,Employee Separation,Separace zaměstnanců
 DocType: BOM Item,Original Item,Původní položka
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance <a href=""#Form/Employee/{0}"">{0}</a> \"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum dokumentu
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Vytvořil - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategorie Account
@@ -4279,6 +4341,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Testovací položka laboratoře {0} již existuje
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je obchodní svátek
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturovatelné hodiny
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,V případě opožděného splacení se z nedočkané výše úroku vybírá penalizační úroková sazba denně
+DocType: Appointment Letter content,Appointment Letter content,Obsah dopisu o jmenování
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Odešlete oznámení o stavu
 DocType: Patient Appointment,Procedure Prescription,Předepsaný postup
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Nábytek a svítidla
@@ -4298,7 +4362,7 @@
 DocType: Opportunity,Customer / Lead Name,Zákazník / Lead Name
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Výprodej Datum není uvedeno
 DocType: Payroll Period,Taxable Salary Slabs,Zdanitelné platové desky
-DocType: Job Card,Production,Výroba
+DocType: Plaid Settings,Production,Výroba
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Neplatný GSTIN! Zadaný vstup neodpovídá formátu GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Hodnota účtu
 DocType: Guardian,Occupation,Povolání
@@ -4442,6 +4506,7 @@
 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,Student {0} does not belong to group {1},Student {0} nepatří do skupiny {1}
+DocType: Appointment Letter,Appointment Date,Datum schůzky
 DocType: Budget,Cost Center,Nákladové středisko
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Země dodání
@@ -4512,6 +4577,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Účetní dimenze
 ,Profit and Loss Statement,Výkaz zisků a ztrát
 DocType: Bank Reconciliation Detail,Cheque Number,Šek číslo
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Zaplacená částka nesmí být nulová
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Položka odkazovaná na {0} - {1} je již fakturována
 ,Sales Browser,Sales Browser
 DocType: Journal Entry,Total Credit,Celkový Credit
@@ -4628,6 +4694,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Přidat / upravit podmínky kupónu
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Náklady / Rozdíl účtu ({0}), musí být ""zisk nebo ztráta"" účet"
 DocType: Stock Entry Detail,Stock Entry Child,Zásoby dítě
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Společnost poskytující záruku za půjčku a společnost pro půjčku musí být stejná
 DocType: Project,Copied From,Zkopírován z
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura již vytvořená pro všechny fakturační hodiny
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Název chyba: {0}
@@ -4635,6 +4702,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Jsou finanční náklady
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Účast na zaměstnance {0} je již označen
 DocType: Packing Slip,If more than one package of the same type (for print),Pokud je více než jeden balík stejného typu (pro tisk)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Nastavte prosím Pojmenovací systém instruktorů v sekci Vzdělávání&gt; Nastavení vzdělávání
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Nastavte výchozího zákazníka v nastavení restaurace
 ,Salary Register,plat Register
 DocType: Company,Default warehouse for Sales Return,Výchozí sklad pro vrácení prodeje
@@ -4679,7 +4747,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Aktuální sériové číslo
 DocType: Employee,Attendance and Leave Details,Docházka a podrobnosti o dovolené
 ,BOM Comparison Tool,Nástroj pro porovnání kusovníků
-,Requested,Požadované
+DocType: Loan Security Pledge,Requested,Požadované
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4691,7 +4759,6 @@
 DocType: Drug Prescription,Drug Prescription,Předepisování léků
 DocType: Service Level,Support and Resolution,Podpora a rozlišení
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Volný kód položky není vybrán
-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
@@ -4725,6 +4792,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Již jste hodnotili kritéria hodnocení {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Částka schodku
 DocType: Vehicle Service,Engine Oil,Motorový olej
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Vytvořené zakázky: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Zadejte prosím e-mailové ID pro potenciálního zákazníka {0}
@@ -4743,6 +4811,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Účet není nastaven pro graf dashboardu {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Použít dodatečné Sleva na
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Vyberte typ ...
+DocType: Loan Interest Accrual,Amounts,Množství
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše lístky
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO
@@ -4750,6 +4819,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Řádek # {0}: Nelze vrátit více než {1} pro bodu {2}
 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: Loan Security Price,Loan Security Price,Cena za půjčku
 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,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Maloobchodní operace
@@ -4888,6 +4958,7 @@
 DocType: Coupon Code,Coupon Description,Popis kupónu
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Dávka je povinná v řádku {0}
 DocType: Company,Default Buying Terms,Výchozí nákupní podmínky
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Vyplacení půjčky
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Doklad o koupi Item Dodávané
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Povolit naplánovanou synchronizaci
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Chcete-li datetime
@@ -4916,6 +4987,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Zadejte hodnotu mezi {0} a {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Zadejte název kampaně, pokud zdroj šetření je kampaň"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Vydavatelé novin
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Pro {0} nebyla nalezena žádná platná <b>cena</b> za <b>půjčku</b>
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Budoucí data nejsou povolená
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Očekávaný termín dodání by měl být po datu objednávky
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Změna pořadí Level
@@ -4982,6 +5054,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Návrh / cenová nabídka
 DocType: Antibiotic,Healthcare,Zdravotní péče
 DocType: Target Detail,Target Detail,Target Detail
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Úvěrové procesy
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Jediný variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Všechny Jobs
 DocType: Sales Order,% of materials billed against this Sales Order,% materiálů fakturovaných proti této prodejní obědnávce
@@ -5044,7 +5117,7 @@
 DocType: Item,Reorder level based on Warehouse,Úroveň Změna pořadí na základě Warehouse
 DocType: Activity Cost,Billing Rate,Fakturace Rate
 ,Qty to Deliver,Množství k dodání
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Vytvořit záznam o výplatě
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Vytvořit záznam o výplatě
 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,Operations cannot be left blank,Operace nemůže být prázdné
@@ -5078,6 +5151,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Odpojte externí integrace
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Vyberte odpovídající platbu
 DocType: Pricing Rule,Item Code,Kód položky
+DocType: Loan Disbursement,Pending Amount For Disbursal,Čeká částka na výplatu
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Záruka / AMC Podrobnosti
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Vyberte studenty ručně pro skupinu založenou na aktivitách
@@ -5101,6 +5175,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Množství celkem
 DocType: Landed Cost Item,Receipt Document,příjem dokumentů
 DocType: Employee Education,School/University,Škola / University
+DocType: Loan Security Pledge,Loan  Details,Podrobnosti o půjčce
 DocType: Sales Invoice Item,Available Qty at Warehouse,Množství k dispozici na skladu
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Fakturovaná částka
 DocType: Share Transfer,(including),(včetně)
@@ -5124,6 +5199,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Skupiny
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Seskupit podle účtu
 DocType: Purchase Invoice,Hold Invoice,Podržte fakturu
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Stav zástavy
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Vyberte prosím zaměstnance
 DocType: Sales Order,Fully Delivered,Plně Dodáno
 DocType: Promotional Scheme Price Discount,Min Amount,Min. Částka
@@ -5133,7 +5209,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Zaplacené částky nemůže být větší než Výše úvěru {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Řádek {0} # Přidělená částka {1} nemůže být vyšší než částka, která nebyla požadována. {2}"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Předáno listy
@@ -5161,6 +5236,7 @@
 DocType: Pick List Item,Serial No and Batch,Pořadové číslo a Batch
 DocType: Warranty Claim,From Company,Od Společnosti
 DocType: GSTR 3B Report,January,leden
+DocType: Loan Repayment,Principal Amount Paid,Hlavní zaplacená částka
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Součet skóre hodnotících kritérií musí být {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Prosím nastavte Počet Odpisy rezervováno
 DocType: Supplier Scorecard Period,Calculations,Výpočty
@@ -5186,6 +5262,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vaší společnosti
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Zobrazit údaje o stárnutí populace
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Připsat na účet musí být účtu Rozvaha
+DocType: Loan Repayment,Penalty Amount,Trestná částka
 DocType: Donor,Donor,Dárce
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Aktualizace daní za položky
 DocType: Global Defaults,Disable In Words,Zakázat ve slovech
@@ -5216,6 +5293,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Nákladové středisko a rozpočtování
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Počáteční stav Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Částečné placené zadání
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Nastavte prosím časový rozvrh plateb
 DocType: Pick List,Items under this warehouse will be suggested,Položky v tomto skladu budou navrženy
 DocType: Purchase Invoice,N,N
@@ -5249,7 +5327,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nebyl nalezen pro položku {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Hodnota musí být mezi {0} a {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Zobrazit inkluzivní daň v tisku
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Zpráva byla odeslána
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Účet s podřízené uzly nelze nastavit jako hlavní knihy
 DocType: C-Form,II,II
@@ -5263,6 +5340,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Povolit automatické opětovné objednání
 DocType: Stock Settings,Item Naming By,Položka Pojmenování By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Další období Uzávěrka Entry {0} byla podána po {1}
+DocType: Proposed Pledge,Proposed Pledge,Navrhovaný slib
 DocType: Work Order,Material Transferred for Manufacturing,Materiál Přenesená pro výrobu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Účet {0} neexistuje
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Vyberte Věrnostní program
@@ -5273,7 +5351,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavení událostí do {0}, protože zaměstnanec připojena k níže prodejcům nemá ID uživatele {1}"
 DocType: Timesheet,Billing Details,fakturační údaje
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Zdrojové a cílové sklad se musí lišit
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Nastavte prosím systém názvů zaměstnanců v části Lidské zdroje&gt; Nastavení lidských zdrojů
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Platba selhala. Zkontrolujte svůj účet GoCardless pro více informací
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Není dovoleno měnit obchodů s akciemi starší než {0}
 DocType: Stock Entry,Inspection Required,Kontrola Povinné
@@ -5286,6 +5363,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Dodávka sklad potřebný pro živočišnou položku {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Celková hmotnost balení. Obvykle se čistá hmotnost + obalového materiálu hmotnosti. (Pro tisk)
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Proti zástavě
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Uživatelé s touto rolí se mohou nastavit na zmrazené účty a vytvořit / upravit účetní zápisy proti zmrazených účtů
 DocType: Plaid Settings,Plaid Environment,Plaid Environment
 ,Project Billing Summary,Přehled fakturace projektu
@@ -5337,6 +5415,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Dávky
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Počet dní schůzek si můžete rezervovat předem
 DocType: Article,LMS User,Uživatel LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Peníze za zajištění úvěru jsou povinné pro zajištěný úvěr
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Místo dodávky (stát / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Reklamní UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Vydaná objednávka {0} není odeslána
@@ -5410,6 +5489,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Vytvořit pracovní kartu
 DocType: Quotation,Referral Sales Partner,Prodejní partner pro doporučení
 DocType: Quality Procedure Process,Process Description,Popis procesu
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Nelze zrušit, hodnota zabezpečení úvěru je vyšší než splacená částka"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Zákazník {0} je vytvořen.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5430,7 +5510,7 @@
 DocType: Asset,Insurance Details,pojištění Podrobnosti
 DocType: Account,Payable,Splatný
 DocType: Share Balance,Share Type,Typ sdílení
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Prosím, zadejte dobu splácení"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Prosím, zadejte dobu splácení"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dlužníci ({0})
 DocType: Pricing Rule,Margin,Marže
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Noví zákazníci
@@ -5439,6 +5519,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Změňte profil POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Množství nebo částka je mandatroy pro zajištění půjčky
 DocType: Bank Reconciliation Detail,Clearance Date,Výprodej Datum
 DocType: Delivery Settings,Dispatch Notification Template,Šablona oznámení o odeslání
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Zpráva o hodnocení
@@ -5474,6 +5555,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Sdílet knihu
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Byla vytvořena prodejní faktura {0}
 DocType: Employee,Confirmation Date,Potvrzení Datum
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance <a href=""#Form/Employee/{0}"">{0}</a> \"
 DocType: Inpatient Occupancy,Check Out,Překontrolovat
 DocType: C-Form,Total Invoiced Amount,Celkem Fakturovaná částka
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství
@@ -5487,7 +5570,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Identifikační čísla společnosti Quickbooks
 DocType: Travel Request,Travel Funding,Financování cest
 DocType: Employee Skill,Proficiency,Znalost
-DocType: Loan Application,Required by Date,Vyžadováno podle data
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail dokladu o nákupu
 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"
 DocType: Lead,Lead Owner,Majitel leadu
@@ -5506,7 +5588,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuální BOM a nový BOM nemůže být stejný
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plat Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dodavatel&gt; Typ dodavatele
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Více variant
 DocType: Sales Invoice,Against Income Account,Proti účet příjmů
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% dodáno
@@ -5539,7 +5620,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Poplatky typu ocenění může není označen jako Inclusive
 DocType: POS Profile,Update Stock,Aktualizace skladem
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Platební údaje
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Čtení nahraného souboru
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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í"
@@ -5574,6 +5655,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Maximální hodnota půjčky
 ,Stock Ledger,Reklamní Ledger
 DocType: Company,Exchange Gain / Loss Account,Exchange Zisk / ztráty
 DocType: Amazon MWS Settings,MWS Credentials,MWS pověření
@@ -5581,6 +5663,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,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,Community Forum,Forum Community
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Zaměstnancům nejsou přiděleny žádné listy: {0} pro typ dovolené: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Aktuální množství na skladě
 DocType: Homepage,"URL for ""All Products""",URL pro &quot;všechny produkty&quot;
 DocType: Leave Application,Leave Balance Before Application,Stav absencí před požadavkem
@@ -5682,7 +5765,6 @@
 DocType: Fee Schedule,Fee Schedule,poplatek Plán
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Štítky sloupců:
 DocType: Bank Transaction,Settled,Usadil se
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Datum výplaty nesmí být po datu zahájení splácení úvěru
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parametry
 DocType: Company,Create Chart Of Accounts Based On,Vytvořte účtový rozvrh založený na
@@ -5702,6 +5784,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Úvěrový limit a platební podmínky
 DocType: Loyalty Program,Collection Rules,Pravidla výběru
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Položka 3
+DocType: Loan Security Shortfall,Shortfall Time,Zkratový čas
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Zadání objednávky
 DocType: Purchase Order,Customer Contact Email,Zákazník Kontaktní e-mail
 DocType: Warranty Claim,Item and Warranty Details,Položka a Záruka Podrobnosti
@@ -5721,12 +5804,14 @@
 DocType: Sales Person,Sales Person Name,Prodej Osoba Name
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Zadejte prosím aspoň 1 fakturu v tabulce
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nebyl vytvořen žádný laboratorní test
+DocType: Loan Security Shortfall,Security Value ,Hodnota zabezpečení
 DocType: POS Item Group,Item Group,Skupina položek
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentská skupina:
 DocType: Depreciation Schedule,Finance Book Id,Identifikační číslo finanční knihy
 DocType: Item,Safety Stock,Bezpečné skladové množství
 DocType: Healthcare Settings,Healthcare Settings,Nastavení zdravotní péče
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Celkové přidělené listy
+DocType: Appointment Letter,Appointment Letter,Jmenovací dopis
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Pokrok% za úkol nemůže být více než 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Před smíření
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Chcete-li {0}
@@ -5781,6 +5866,7 @@
 DocType: Stock Entry,From BOM,Od BOM
 DocType: Assessment Code,Assessment Code,Kód Assessment
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Základní
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Žádosti o půjčku od zákazníků a zaměstnanců.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Fotky transakce před {0} jsou zmrazeny
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Prosím, klikněte na ""Generovat Schedule"""
 DocType: Job Card,Current Time,Aktuální čas
@@ -5807,7 +5893,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Žádné studentské skupiny vytvořen.
 DocType: Purchase Invoice Item,Serial No,Výrobní číslo
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Měsíční splátka částka nemůže být větší než Výše úvěru
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Měsíční splátka částka nemůže být větší než Výše úvěru
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Prosím, zadejte první maintaince Podrobnosti"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Řádek # {0}: Očekávaný datum dodání nemůže být před datem objednávky
 DocType: Purchase Invoice,Print Language,Tisk Language
@@ -5821,6 +5907,7 @@
 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,All Territories,Všechny území
+DocType: Plaid Settings,development,rozvoj
 DocType: Lost Reason Detail,Lost Reason Detail,Detail ztraceného důvodu
 apps/erpnext/erpnext/hr/utils.py,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,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
@@ -5883,12 +5970,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aktuální místa
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash flow z provozních činností
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST částka
+DocType: Vehicle Log,Current Odometer value ,Aktuální hodnota kilometru
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Vytvořit studenta
 DocType: Asset Movement Item,Asset Movement Item,Pohyb položky
 DocType: Purchase Invoice,Shipping Rule,Pravidlo dopravy
 DocType: Patient Relation,Spouse,Manželka
 DocType: Lab Test Groups,Add Test,Přidat test
 DocType: Manufacturer,Limited to 12 characters,Omezeno na 12 znaků
+DocType: Appointment Letter,Closing Notes,Závěrečné poznámky
 DocType: Journal Entry,Print Heading,Tisk záhlaví
 DocType: Quality Action Table,Quality Action Table,Tabulka akcí kvality
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Celkem nemůže být nula
@@ -5955,6 +6044,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Určete / vytvořte účet (skupinu) pro typ - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entertainment & Leisure
+DocType: Loan Security,Loan Security,Zabezpečení půjčky
 ,Item Variant Details,Podrobnosti o variantě položky
 DocType: Quality Inspection,Item Serial No,Položka Výrobní číslo
 DocType: Payment Request,Is a Subscription,Je předplatné
@@ -5967,7 +6057,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Pozdní fáze
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Plánovaná a přijatá data nemohou být menší než dnes
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Přeneste materiál Dodavateli
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nové seriové číslo nemůže mít záznam skladu. Sklad musí být nastaven přes skladovou kartu nebo nákupní doklad
 DocType: Lead,Lead Type,Typ leadu
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Vytvořit Citace
@@ -5985,7 +6074,6 @@
 DocType: Leave Allocation,Leave Period,Opustit období
 DocType: Item,Default Material Request Type,Výchozí typ požadavku na zásobování
 DocType: Supplier Scorecard,Evaluation Period,Hodnocené období
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Skupina zákazníků&gt; Území
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Neznámý
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Pracovní příkaz nebyl vytvořen
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6069,7 +6157,8 @@
 ,Customer-wise Item Price,Cena předmětu podle přání zákazníka
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Přehled o peněžních tocích
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Žádná materiálová žádost nebyla vytvořena
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,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}
+DocType: Loan,Loan Security Pledge,Úvěrový příslib
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licence
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -6087,6 +6176,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Schéma slevy
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Stav údržby musí být zrušen nebo dokončen k odeslání
 DocType: Amazon MWS Settings,US,NÁS
+DocType: Loan Security Pledge,Pledged,Slíbil
 DocType: Holiday List,Add Weekly Holidays,Přidat týdenní prázdniny
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Položka sestavy
 DocType: Staffing Plan Detail,Vacancies,Volná místa
@@ -6105,7 +6195,6 @@
 DocType: Production Plan Item,Planned Start Date,Plánované datum zahájení
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Vyberte kusovníku
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Využil integrovanou daň z ITC
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Vytvořit položku pro vrácení
 DocType: Purchase Order Item,Blanket Order Rate,Dekorační objednávka
 ,Customer Ledger Summary,Shrnutí účetní knihy zákazníka
 apps/erpnext/erpnext/hooks.py,Certification,Osvědčení
@@ -6126,6 +6215,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Posouzení Template Název
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Obchodní
 DocType: Patient,Alcohol Current Use,Alkohol Současné použití
+DocType: Loan,Loan Closure Requested,Požadováno uzavření úvěru
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Dům Pronájem Částka Platba
 DocType: Student Admission Program,Student Admission Program,Studentský přijímací program
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Kategorie osvobození od daně
@@ -6149,6 +6239,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Prodej
 DocType: Stock Entry Detail,Basic Amount,Základní částka
 DocType: Training Event,Exam,Zkouška
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Nedostatek zabezpečení procesních půjček
 DocType: Email Campaign,Email Campaign,E-mailová kampaň
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Chyba trhu
 DocType: Complaint,Complaint,Stížnost
@@ -6228,6 +6319,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Chcete-li vytvořit záznam zaměstnance, odešlete jej"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Cena půjčky se překrývá s {0}
 DocType: Item Default,Item Default,Položka Výchozí
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Vnitrostátní zásoby
 DocType: Chapter Member,Leave Reason,Nechte důvod
@@ -6254,6 +6346,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Použitý kupón je {1}. Povolené množství je vyčerpáno
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Chcete odeslat materiální žádost
 DocType: Job Offer,Awaiting Response,Čeká odpověď
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Půjčka je povinná
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Výše
 DocType: Support Search Source,Link Options,Možnosti odkazu
@@ -6266,6 +6359,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
+DocType: Pledge,Post Haircut Amount,Částka za účes
 DocType: Sales Order,Skip Delivery Note,Přeskočit dodací list
 DocType: Price List,Price Not UOM Dependent,Cena není závislá na UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,Vytvořeny varianty {0}.
@@ -6292,6 +6386,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Položka získaná ze souboru výrobků
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Způsob splácení je povinný pro termínované půjčky
 DocType: Asset,Straight Line,Přímka
 DocType: Project User,Project User,projekt Uživatel
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Rozdělit
@@ -6336,7 +6431,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role povoleno nastavit zmrazené účty a upravit Mražené Příspěvky
 DocType: Supplier Scorecard Scoring Variable,Path,Cesta
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nelze převést nákladového střediska na knihy, protože má podřízené uzly"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konverzní faktor ({0} -&gt; {1}) nebyl nalezen pro položku: {2}
 DocType: Production Plan,Total Planned Qty,Celkový plánovaný počet
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakce již byly z výkazu odebrány
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otevření Value
@@ -6345,11 +6439,8 @@
 DocType: Material Request Plan Item,Required Quantity,Požadované množství
 DocType: Lab Test Template,Lab Test Template,Šablona zkušebního laboratoře
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Účetní období se překrývá s {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dodavatel&gt; Typ dodavatele
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Prodejní účet
 DocType: Purchase Invoice Item,Total Weight,Celková váha
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance <a href=""#Form/Employee/{0}"">{0}</a> \"
 DocType: Pick List Item,Pick List Item,Vyberte položku seznamu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provize z prodeje
 DocType: Job Offer Term,Value / Description,Hodnota / Popis
@@ -6396,6 +6487,7 @@
 DocType: Patient Encounter,Encounter Date,Datum setkání
 DocType: Work Order,Update Consumed Material Cost In Project,Aktualizujte spotřebované materiálové náklady v projektu
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Účet: {0} s měnou: {1} nelze vybrat
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Půjčky poskytnuté zákazníkům a zaměstnancům.
 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
@@ -6464,7 +6556,6 @@
 DocType: Contract,Signed On,Přihlášeno
 DocType: Bank Account,Party Type,Typ Party
 DocType: Discounted Invoice,Discounted Invoice,Zvýhodněná faktura
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označit účast jako <b></b>
 DocType: Payment Schedule,Payment Schedule,Platební kalendář
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Pro danou hodnotu pole zaměstnance nebyl nalezen žádný zaměstnanec. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Zkratka
@@ -6536,6 +6627,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Věřitelé
 DocType: Assessment Plan,Assessment Name,Název Assessment
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Řádek # {0}: Výrobní číslo je povinné
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Pro uzavření úvěru je požadována částka {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Položka Wise Tax Detail
 DocType: Employee Onboarding,Job Offer,Nabídka práce
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,institut Zkratka
@@ -6559,7 +6651,6 @@
 DocType: Purchase Order,To Receive,Obdržet
 DocType: Leave Period,Holiday List for Optional Leave,Dovolená seznam pro nepovinné dovolené
 DocType: Item Tax Template,Tax Rates,Daňová sazba
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položek&gt; Značka
 DocType: Asset,Asset Owner,Majitel majetku
 DocType: Item,Website Content,Obsah webových stránek
 DocType: Bank Account,Integration ID,ID integrace
@@ -6576,6 +6667,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synchronizace objednávek
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Objednávky uvolněna pro výrobu.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Vyberte fiskálního roku ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Vyberte typ půjčky pro společnost {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6604,6 +6696,7 @@
 DocType: Customer,Mention if non-standard receivable account,Zmínka v případě nestandardní pohledávky účet
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Přidejte zbývající výhody {0} do kterékoli existující komponenty
+DocType: Bank Account,Is Default Account,Je výchozí účet
 DocType: Journal Entry Account,If Income or Expense,Pokud je výnos nebo náklad
 DocType: Course Topic,Course Topic,Téma kurzu
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Uzavírací kupón alreday existuje pro {0} mezi datem {1} a {2}
@@ -6616,7 +6709,7 @@
 DocType: Disease,Treatment Task,Úloha léčby
 DocType: Payment Order Reference,Bank Account Details,Detaily bankovního účtu
 DocType: Purchase Order Item,Blanket Order,Dekorační objednávka
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Částka splacení musí být vyšší než
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Částka splacení musí být vyšší než
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Daňové Aktiva
 DocType: BOM Item,BOM No,Číslo kusovníku
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Aktualizujte podrobnosti
@@ -6672,6 +6765,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Produkty WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},syntaktická chyba ve vzorci nebo stavu: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Položka {0} ignorována, protože to není skladem"
+,Loan Security Status,Stav zabezpečení úvěru
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Nechcete-li použít Ceník článek v dané transakce, by měly být všechny platné pravidla pro tvorbu cen zakázáno."
 DocType: Payment Term,Day(s) after the end of the invoice month,Den (den) po skončení měsíce faktury
 DocType: Assessment Group,Parent Assessment Group,Mateřská skupina Assessment
@@ -6686,7 +6780,6 @@
 DocType: Stock Entry Detail,Additional Cost,Dodatečné náklady
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu"
 DocType: Quality Inspection,Incoming,Přicházející
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nastavte číslovací řady pro Docházku prostřednictvím Nastavení&gt; Číslovací řady
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Výchozí daňové šablony pro prodej a nákup jsou vytvořeny.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Výsledky hodnocení {0} již existuje.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Příklad: ABCD. #####. Je-li nastavena řada a v transakcích není uvedena šarže, pak se na základě této série vytvoří automatické číslo šarže. Pokud chcete výslovně uvést číslo dávky pro tuto položku, ponechte prázdné místo. Poznámka: Toto nastavení bude mít přednost před předčíslí série Naming v nastavení akcí."
@@ -6697,8 +6790,10 @@
 DocType: Contract,Party User,Party Uživatel
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Aktiva nebyla vytvořena pro <b>{0}</b> . Budete muset vytvořit dílo ručně.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Nastavte filtr společnosti prázdný, pokud je Skupina By je &#39;Company&#39;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Skupina zákazníků&gt; Území
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Vysílání datum nemůže být budoucí datum
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Řádek # {0}: Výrobní číslo {1} neodpovídá {2} {3}
+DocType: Loan Repayment,Interest Payable,Úroky splatné
 DocType: Stock Entry,Target Warehouse Address,Cílová adresa skladu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Čas před začátkem směny, během kterého je za účast považováno přihlášení zaměstnanců."
@@ -6827,6 +6922,7 @@
 DocType: Issue,Reset Service Level Agreement,Obnovit dohodu o úrovni služeb
 ,Sales Person-wise Transaction Summary,Prodej Person-moudrý Shrnutí transakce
 DocType: Training Event,Contact Number,Kontaktní číslo
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Částka půjčky je povinná
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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ů
@@ -6875,6 +6971,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Zůstatek Množství
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Na všechny vybrané položky budou použity podmínky společně.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Cíle nemůže být prázdný
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Nesprávný sklad
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Přijímání studentů
 DocType: Item Group,Parent Item Group,Parent Item Group
 DocType: Appointment Type,Appointment Type,Typ schůzky
@@ -6928,10 +7025,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Průměrné hodnocení
 DocType: Appointment,Appointment With,Schůzka s
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková částka platby v rozpisu plateb se musí rovnat hodnotě Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označit účast jako <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Položka poskytovaná zákazníkem“ nemůže mít sazbu ocenění
 DocType: Subscription Plan Detail,Plan,Plán
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,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
+DocType: Appointment Letter,Applicant Name,Žadatel Název
 DocType: Authorization Rule,Customer / Item Name,Zákazník / Název zboží
 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**. 
 
@@ -6975,11 +7073,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribuce
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Stav zaměstnance nelze nastavit na „Vlevo“, protože následující zaměstnanci v současné době hlásí tomuto zaměstnanci:"
-DocType: Journal Entry Account,Loan,Půjčka
+DocType: Loan Repayment,Amount Paid,Zaplacené částky
+DocType: Loan Security Shortfall,Loan,Půjčka
 DocType: Expense Claim Advance,Expense Claim Advance,Nároky na úhradu nákladů
 DocType: Lab Test,Report Preference,Předvolba reportu
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informace o dobrovolnictví.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Project Manager
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Seskupit podle zákazníka
 ,Quoted Item Comparison,Citoval Položka Porovnání
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Odeslání
@@ -6999,6 +7099,7 @@
 DocType: Material Request Plan Item,Material Issue,Material Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Bezplatná položka není nastavena v cenovém pravidle {0}
 DocType: Employee Education,Qualification,Kvalifikace
+DocType: Loan Security Shortfall,Loan Security Shortfall,Nedostatek zabezpečení úvěru
 DocType: Item Price,Item Price,Položka Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & Detergent
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zaměstnanec {0} nepatří do společnosti {1}
@@ -7021,6 +7122,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Podrobnosti schůzky
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Dokončený produkt
 DocType: Warehouse,Warehouse Name,Název Skladu
+DocType: Loan Security Pledge,Pledge Time,Pledge Time
 DocType: Naming Series,Select Transaction,Vybrat Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Zadejte Schvalování role nebo Schvalování Uživatel
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Dohoda o úrovni služeb s typem entity {0} a entitou {1} již existuje.
@@ -7028,7 +7130,6 @@
 DocType: BOM,Rate Of Materials Based On,Ocenění materiálů na bázi
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Je-li zapnuto, pole Akademický termín bude povinné v nástroji pro zápis programu."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Hodnoty osvobozených, nulových a nemateriálních vstupních dodávek"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Skupina zákazníků&gt; Území
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Společnost</b> je povinný filtr.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Zrušte všechny
 DocType: Purchase Taxes and Charges,On Item Quantity,Množství položky
@@ -7073,7 +7174,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatek Množství
 DocType: Purchase Invoice,Input Service Distributor,Distributor vstupních služeb
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Bod varianta {0} existuje s stejné atributy
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Nastavte prosím Pojmenovací systém instruktorů v sekci Vzdělávání&gt; Nastavení vzdělávání
 DocType: Loan,Repay from Salary,Splatit z platu
 DocType: Exotel Settings,API Token,API Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Požadovala vyplacení proti {0} {1} na částku {2}
@@ -7093,6 +7193,7 @@
 DocType: Salary Slip,Total Interest Amount,Celková částka úroků
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Čas příjezdu
 DocType: Tax Rule,Billing Zipcode,Fakturační PSČ
@@ -7279,6 +7380,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Hodiny
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Byla pro vás vytvořena nová schůzka s {0}
 DocType: Project,Expected Start Date,Očekávané datum zahájení
+DocType: Work Order,This is a location where raw materials are available.,"Toto je místo, kde jsou dostupné suroviny."
 DocType: Purchase Invoice,04-Correction in Invoice,04 - oprava faktury
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Pracovní zakázka již vytvořena pro všechny položky s kusovníkem
 DocType: Bank Account,Party Details,Party Podrobnosti
@@ -7297,6 +7399,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,citace:
 DocType: Contract,Partially Fulfilled,Částečně splněno
 DocType: Maintenance Visit,Fully Completed,Plně Dokončeno
+DocType: Loan Security,Loan Security Name,Název zabezpečení půjčky
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Zvláštní znaky kromě &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; A &quot;}&quot; nejsou v názvových řadách povoleny"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Není hodnocen nebo osvobozen od daně
 DocType: Employee,Educational Qualification,Vzdělávací Kvalifikace
@@ -7353,6 +7456,7 @@
 DocType: Program,Is Featured,Je doporučeno
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Okouzlující...
 DocType: Agriculture Analysis Criteria,Agriculture User,Zemědělský uživatel
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Platné do data nemůže být před datem transakce
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7430,8 +7534,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Zaměstnanec {0} je zapnut Nechat na {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Nebudou vybrány žádné splátky pro deník
 DocType: Purchase Invoice,GST Category,Kategorie GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Navrhované zástavy jsou povinné pro zajištěné půjčky
 DocType: Payment Reconciliation,From Invoice Date,Z faktury Datum
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Rozpočty
 DocType: Invoice Discounting,Disbursed,Vyčerpáno
@@ -7489,14 +7593,13 @@
 DocType: Restaurant,Active Menu,Aktivní nabídka
 DocType: Accounting Dimension Detail,Default Dimension,Výchozí dimenze
 DocType: Target Detail,Target Qty,Target Množství
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Proti půjčce: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Pokladna Nastavení
 DocType: Student Attendance,Present,Současnost
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Delivery Note {0} nesmí být předloženy
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","E-mail s platem zaslaný zaměstnancům bude chráněn heslem, heslo bude vygenerováno na základě hesla."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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ů
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Počítadlo ujetých kilometrů
 DocType: Production Plan Item,Ordered Qty,Objednáno Množství
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Položka {0} je zakázána
 DocType: Stock Settings,Stock Frozen Upto,Reklamní Frozen aľ
@@ -7553,7 +7656,6 @@
 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 při ukládání
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,Pohledávky
 DocType: Lead Source,Lead Source,Olovo Source
 DocType: Customer,Additional information regarding the customer.,Další informace týkající se zákazníka.
@@ -7650,6 +7752,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Aktuální
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Manažer restaurace
+DocType: Loan,Penalty Income Account,Účet peněžitých příjmů
 DocType: Call Log,Call Log,Telefonní záznam
 DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Časového rozvrhu pro úkoly.
@@ -7737,6 +7840,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Schéma slevy produktu
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Volající nenastolil žádný problém.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Skupina podle dodavatele
 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,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ě
@@ -7747,7 +7851,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Na základě ceníku
 DocType: Customer Group,Parent Customer Group,Parent Customer Group
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Účet E-Way JSON lze generovat pouze z prodejní faktury
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Bylo dosaženo maximálních pokusů o tento kvíz!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Předplatné
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Vytváření poplatků čeká
@@ -7765,6 +7868,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Preventivní údržba
 DocType: Delivery Note Item,Against Sales Invoice,Proti prodejní faktuře
 DocType: Purchase Invoice,07-Others,07-Ostatní
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Částka nabídky
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Zadejte sériová čísla pro serializovanou položku
 DocType: Bin,Reserved Qty for Production,Vyhrazeno Množství pro výrobu
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Ponechte nekontrolované, pokud nechcete dávat pozor na dávku při sestavování kurzových skupin."
@@ -7872,6 +7976,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Doklad o zaplacení Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Přehled aktivity zákazníka.
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Vytvořit požadavek na materiál
+DocType: Loan Interest Accrual,Pending Principal Amount,Čeká částka jistiny
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Počáteční a koncová data, která nejsou v platném výplatním období, nelze vypočítat {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7915,6 +8020,7 @@
 											to fullfill Sales Order {2}","Nelze doručit pořadové číslo {0} položky {1}, protože je rezervováno \ k plnění objednávky prodeje {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Dodavatel Cen {0} vytvořil
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge Type
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Konec roku nemůže být před uvedením do provozu roku
 DocType: Employee Benefit Application,Employee Benefits,Zaměstnanecké benefity
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID zaměstnance
@@ -7997,6 +8103,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kód předmětu:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Prosím, zadejte výdajového účtu"
 DocType: Quality Action Resolution,Problem,Problém
+DocType: Loan Security Type,Loan To Value Ratio,Poměr půjčky k hodnotě
 DocType: Account,Stock,Sklad
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8014,6 +8121,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Příkaz transakce bankovního výpisu
 DocType: Sales Invoice Item,Discount and Margin,Sleva a Margin
 DocType: Lab Test,Prescription,Předpis
+DocType: Process Loan Security Shortfall,Update Time,Čas aktualizace
 DocType: Import Supplier Invoice,Upload XML Invoices,Nahrajte faktury XML
 DocType: Company,Default Deferred Revenue Account,Výchozí účet odloženého výnosu
 DocType: Project,Second Email,Druhý e-mail
@@ -8027,7 +8135,7 @@
 DocType: Quality Action,Preventive,Preventivní
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dodávky poskytované neregistrovaným osobám
 DocType: Company,Date of Incorporation,Datum začlenění
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Tax
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total Tax
 DocType: Manufacturing Settings,Default Scrap Warehouse,Výchozí sklad šrotu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Poslední kupní cena
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Pro Množství (Vyrobeno ks) je povinné
@@ -8046,6 +8154,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Nastavte výchozí způsob platby
 DocType: Stock Entry Detail,Against Stock Entry,Proti zadávání zásob
 DocType: Grant Application,Withdrawn,uzavřený
+DocType: Loan Repayment,Regular Payment,Pravidelná platba
 DocType: Support Search Source,Support Search Source,Podporovaný vyhledávací zdroj
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Hrubá Marže %
@@ -8058,8 +8167,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Bez placení daně
 DocType: BOM Operation,BOM Operation,BOM Operation
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na předchozí řady Částka
+DocType: Student,Home Address,Domácí adresa
 DocType: Options,Is Correct,Je správně
 DocType: Item,Has Expiry Date,Má datum vypršení platnosti
+DocType: Loan Repayment,Paid Accrual Entries,Placené akruální zápisy
+DocType: Loan Security,Loan Security Type,Typ zabezpečení půjčky
 apps/erpnext/erpnext/config/support.py,Issue Type.,Typ problému.
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Název události
@@ -8071,6 +8183,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Žádné hodnoty
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Název proměnné
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,"Vyberte bankovní účet, který chcete smířit."
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Položka {0} je šablona, prosím vyberte jednu z jeho variant"
 DocType: Purchase Invoice Item,Deferred Expense,Odložený výdaj
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Zpět na Zprávy
@@ -8122,7 +8235,6 @@
 DocType: GL Entry,To Rename,Přejmenovat
 DocType: Stock Entry,Repack,Přebalit
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Vyberte pro přidání sériového čísla.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Nastavte prosím Pojmenovací systém instruktorů v sekci Vzdělávání&gt; Nastavení vzdělávání
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Nastavte prosím fiskální kód pro zákazníka &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Nejprve vyberte společnost
 DocType: Item Attribute,Numeric Values,Číselné hodnoty
@@ -8146,6 +8258,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Načíst na základě FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root nelze upravovat.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Hodnota zabezpečení úvěru
 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ě
@@ -8192,6 +8305,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Nejdřív vyberte kategorii
 apps/erpnext/erpnext/config/projects.py,Project master.,Master Project.
 DocType: Contract,Contract Terms,Smluvní podmínky
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Povolený limit částky
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Pokračujte v konfiguraci
 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,Maximum benefit amount of component {0} exceeds {1},Maximální částka prospěchu součásti {0} přesahuje {1}
@@ -8224,6 +8338,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Zobrazit protokol hovorů
 DocType: BOM Operation,Operating Cost(Company Currency),Provozní náklady (Company měna)
 DocType: Loan Application,Rate of Interest,Úroková sazba
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Zástavní záruka na úvěr již byla zajištěna proti půjčce {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Sankcionována Částka
 DocType: Item,Shelf Life In Days,Životnost v dnech
 DocType: GL Entry,Is Opening,Se otevírá
@@ -8237,3 +8352,4 @@
 DocType: Account,Cash,V hotovosti
 DocType: Sales Invoice,Unpaid and Discounted,Neplacené a zlevněné
 DocType: Employee,Short biography for website and other publications.,Krátký životopis na internetové stránky a dalších publikací.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Řádek # {0}: Nelze vybrat Dodavatelský sklad při doplňování surovin subdodavateli
diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv
index fa1902c..8a54136 100644
--- a/erpnext/translations/da.csv
+++ b/erpnext/translations/da.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Mulighed mistet grund
 DocType: Patient Appointment,Check availability,Tjek tilgængelighed
 DocType: Retention Bonus,Bonus Payment Date,Bonus Betalingsdato
-DocType: Employee,Job Applicant,Ansøger
+DocType: Appointment Letter,Job Applicant,Ansøger
 DocType: Job Card,Total Time in Mins,Total tid i minutter
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontakt information
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Søg efter noget ...
 ,Stock and Account Value Comparison,Sammenligning af lager og konto
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Udbetalt beløb kan ikke være større end lånebeløbet
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Interesseret
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Åbning
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Gyldig fra tid skal være mindre end gyldig indtil tid.
 DocType: Item,Copy From Item Group,Kopier fra varegruppe
 DocType: Journal Entry,Opening Entry,Åbningsbalance
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Konto Betal kun
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Grad
 DocType: Restaurant Table,No of Seats,Ingen pladser
+DocType: Loan Type,Grace Period in Days,Nådeperiode i dage
 DocType: Sales Invoice,Overdue and Discounted,Forfaldne og nedsatte
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Akti {0} hører ikke til depotmand {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Opkald frakoblet
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Foreskrevne procedurer
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Vis kun POS
 DocType: Supplier Group,Supplier Group Name,Leverandørgruppens navn
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markér deltagelse som <b></b>
 DocType: Driver,Driving License Categories,Kørekortskategorier
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Indtast venligst Leveringsdato
 DocType: Depreciation Schedule,Make Depreciation Entry,Foretag Afskrivninger indtastning
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Oplysninger om de gennemførte transaktioner.
 DocType: Asset Maintenance Log,Maintenance Status,Vedligeholdelsesstatus
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Varemomsbeløb inkluderet i værdien
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Unpedge-lånesikkerhed
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Medlemskabsdetaljer
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverandøren er påkrævet mod Betalings konto {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Varer og Priser
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total time: {0}
+DocType: Loan,Loan Manager,Låneadministrator
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Fra dato skal være inden regnskabsåret. Antages Fra dato = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Opdateret via &#39;Time Log&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Vælg kunde eller leverandør.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Landekode i fil stemmer ikke overens med landekoden, der er oprettet i systemet"
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Konto {0} tilhører ikke virksomheden {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Vælg kun en prioritet som standard.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Fravær blokeret
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank Entries
-DocType: Customer,Is Internal Customer,Er intern kunde
+DocType: Sales Invoice,Is Internal Customer,Er intern kunde
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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.
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materialeanmodning
 DocType: Bank Reconciliation,Update Clearance Date,Opdatering Clearance Dato
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundtmængde
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Kan ikke oprette lån, før ansøgningen er godkendt"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Korrekt
 DocType: Student Guardian,Mother,Mor
 DocType: Restaurant Reservation,Reservation End Time,Reservation Slut Tid
+DocType: Salary Slip Loan,Loan Repayment Entry,Indlån til tilbagebetaling af lån
 DocType: Crop,Biennial,Biennalen
 ,BOM Variance Report,BOM Variance Report
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Bekræftede ordrer fra kunder.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betaling mod {0} {1} kan ikke være større end udestående beløb {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Alle sundhedsvæsener
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Om konvertering af mulighed
+DocType: Loan,Total Principal Paid,Total betalt hovedstol
 DocType: Bank Account,Address HTML,Adresse HTML
 DocType: Lead,Mobile No.,Mobiltelefonnr.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Betalingsmåde
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Balance i basisvaluta
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Nye tilbud
+DocType: Loan Interest Accrual,Loan Interest Accrual,Periodisering af lånerenter
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Tilstedeværelse er ikke indsendt til {0} som {1} med orlov.
 DocType: Journal Entry,Payment Order,Betalingsordre
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Bekræft e-mail
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Indkomst fra andre kilder
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Hvis det er tomt, overvejes forælderlagerkonto eller virksomhedsstandard"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Lønseddel sendes til medarbejderen på e-mail, på baggrund af den foretrukne e-mailadresse der er valgt for medarbejderen"
+DocType: Work Order,This is a location where operations are executed.,"Dette er et sted, hvor handlinger udføres."
 DocType: Tax Rule,Shipping County,Anvendes ikke
 DocType: Currency Exchange,For Selling,Til salg
 apps/erpnext/erpnext/config/desktop.py,Learn,Hjælp
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Anvendt kuponkode
 DocType: Asset,Next Depreciation Date,Næste afskrivningsdato
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktivitet Omkostninger per Medarbejder
+DocType: Loan Security,Haircut %,Hårklip%
 DocType: Accounts Settings,Settings for Accounts,Indstillinger for regnskab
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Leverandør faktura nr eksisterer i købsfaktura {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Administrer Sales Person Tree.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Indstil hotelpris på {}
 DocType: Journal Entry,Multi Currency,Multi Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fakturatype
+DocType: Loan,Loan Security Details,Detaljer om lånesikkerhed
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Gyldig fra dato skal være mindre end gyldig indtil dato
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Undtagelse skete under afstemning af {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Indstil accepteret lager
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Kræv labtestgodkendelse
 DocType: Attendance,Working Hours,Arbejdstider
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Samlet Udestående
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-konverteringsfaktor ({0} -&gt; {1}) ikke fundet for varen: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Skift start / aktuelle sekvensnummer af en eksisterende serie.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procentdel, du har lov til at fakturere mere over det bestilte beløb. For eksempel: Hvis ordreværdien er $ 100 for en vare, og tolerancen er indstillet til 10%, har du lov til at fakturere $ 110."
 DocType: Dosage Strength,Strength,Styrke
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Køretøj dato
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampagne-e-mail-plan
 DocType: Student Log,Medical,Medicinsk
+DocType: Work Order,This is a location where scraped materials are stored.,"Dette er et sted, hvor skrabede materialer opbevares."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Vælg venligst Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Emneejer kan ikke være den samme som emnet
 DocType: Announcement,Receiver,Modtager
@@ -886,7 +898,7 @@
 DocType: Driver,Applicable for external driver,Gælder for ekstern driver
 DocType: Sales Order Item,Used for Production Plan,Bruges til Produktionsplan
 DocType: BOM,Total Cost (Company Currency),Samlede omkostninger (virksomhedsvaluta)
-DocType: Loan,Total Payment,Samlet betaling
+DocType: Repayment Schedule,Total Payment,Samlet betaling
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO allerede oprettet for alle salgsordre elementer
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Advarer indkøbsordrer
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Lejet fra dato
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Nok Dele til Build
+DocType: Loan Security,Loan Security Code,Lånesikkerhedskode
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Gem først
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Der kræves elementer for at trække de råvarer, der er forbundet med det."
 DocType: POS Profile User,POS Profile User,POS profil bruger
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,"Aktieindtægter, der allerede er oprettet til Arbejdsordre"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Varekode&gt; Varegruppe&gt; Mærke
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Se tidligere ordrer
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} samtaler
 DocType: Vital Signs,Respiratory rate,Respirationsfrekvens
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Slet Company Transaktioner
 DocType: Production Plan Item,Quantity and Description,Mængde og beskrivelse
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referencenummer og reference Dato er obligatorisk for Bank transaktion
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Angiv Naming Series for {0} via Setup&gt; Settings&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tilføj / rediger Skatter og Afgifter
 DocType: Payment Entry Reference,Supplier Invoice No,Leverandør fakturanr.
 DocType: Territory,For reference,For reference
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Skat tilbageholdende konto
 DocType: Pricing Rule,Sales Partner,Forhandler
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle leverandør scorecards.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Bestillingsbeløb
+DocType: Loan,Disbursed Amount,Udbetalt beløb
 DocType: Buying Settings,Purchase Receipt Required,Købskvittering påkrævet
 DocType: Sales Invoice,Rail,Rail
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Faktiske omkostninger
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Tilsluttet QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificer / opret konto (Ledger) for type - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Betales konto
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Konto er obligatorisk for at få betalingsposter
 DocType: Payment Entry,Type of Payment,Betalingsmåde
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halv dags dato er obligatorisk
 DocType: Sales Order,Billing and Delivery Status,Fakturering og leveringsstatus
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Billed Amt
 DocType: Training Result Employee,Training Result Employee,Træning Resultat Medarbejder
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Et logisk lager hvor lagerændringer foretages.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,hovedstol
+DocType: Repayment Schedule,Principal Amount,hovedstol
 DocType: Loan Application,Total Payable Interest,Samlet Betales Renter
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Samlet Udestående: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Åben kontakt
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Der opstod en fejl under opdateringsprocessen
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant Reservation
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Dine varer
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverandør&gt; Leverandørtype
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Forslag Skrivning
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling indtastning Fradrag
 DocType: Service Level Priority,Service Level Priority,Prioritet på serviceniveau
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Partibeskrivelse
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Oprettelse af elevgrupper
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betaling Gateway konto ikke oprettet, skal du oprette en manuelt."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Gruppelagre kan ikke bruges i transaktioner. Skift værdien på {0}
 DocType: Supplier Scorecard,Per Year,Per år
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ikke berettiget til optagelse i dette program i henhold til DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Række nr. {0}: Kan ikke slette element {1}, der er tildelt kundens indkøbsordre."
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Mens du opretter konto for børneselskab {0}, blev moderkonto {1} ikke fundet. Opret venligst den overordnede konto i den tilsvarende COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,Student Fremmøde
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Ingen data at eksportere
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktisk leveringsdato
 DocType: Lab Test,Test Template,Test skabelon
+DocType: Loan Security Pledge,Securities,Værdipapirer
 DocType: Restaurant Order Entry Item,Served,serveret
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Kapitelinformation.
 DocType: Account,Accounts,Regnskab
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planlagt sluttid
 DocType: POS Profile,Only show Items from these Item Groups,Vis kun varer fra disse varegrupper
+DocType: Loan,Is Secured Loan,Er sikret lån
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Memebership Type Detaljer
 DocType: Delivery Note,Customer's Purchase Order No,Kundens indkøbsordrenr.
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Få fra Patient Encounter
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-konverteringsfaktor ({0} -&gt; {1}) ikke fundet for varen: {2}
 DocType: Subscriber,Subscriber,abonnent
 DocType: Item Attribute Value,Item Attribute Value,Item Attribut Værdi
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valutaveksling skal være gældende for køb eller salg.
@@ -1498,6 +1518,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Ingen tilladelse
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrol Fulfillment Checklist
 DocType: Vital Signs,Heart Rate / Pulse,Hjertefrekvens / puls
+DocType: Customer,Default Company Bank Account,Standard virksomheds bankkonto
 DocType: Supplier,Default Bank Account,Standard bankkonto
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Hvis du vil filtrere på Selskab, skal du vælge Selskabstype først"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"'Opdater lager' kan ikke markeres, fordi varerne ikke leveres via {0}"
@@ -1615,7 +1636,6 @@
 DocType: Sales Team,Incentives,Incitamenter
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Værdier ude af synkronisering
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Forskellen Værdi
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Indstil nummerserier til deltagelse via Opsætning&gt; Nummereringsserie
 DocType: SMS Log,Requested Numbers,Anmodet Numbers
 DocType: Volunteer,Evening,Aften
 DocType: Quiz,Quiz Configuration,Quiz-konfiguration
@@ -1635,6 +1655,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,På Forrige Row Total
 DocType: Purchase Invoice Item,Rejected Qty,afvist Antal
 DocType: Setup Progress Action,Action Field,Handlingsfelt
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Lånetype til renter og sanktioner
 DocType: Healthcare Settings,Manage Customer,Administrer kunde
 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
@@ -1646,6 +1667,7 @@
 ,Final Assessment Grades,Afsluttende bedømmelse
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Navnet på dit firma, som du oprette i dette system."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Medtag helligdage i det totale antal arbejdsdage
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Af det samlede antal
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Opsæt dit institut i ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Plant Analyse
 DocType: Task,Timeline,Tidslinje
@@ -1653,9 +1675,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativt element
 DocType: Shopify Log,Request Data,Forespørgselsdata
 DocType: Employee,Date of Joining,Ansættelsesdato
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Opdatering Series
 DocType: Supplier Quotation,Is Subcontracted,Underentreprise
 DocType: Restaurant Table,Minimum Seating,Mindste plads
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Spørgsmålet kan ikke duplikeres
 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,Purchase Receipt,Købskvittering
@@ -1757,6 +1781,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synkroniser Offline fakturaer
 DocType: Payment Request,Paid,Betalt
 DocType: Service Level,Default Priority,Standardprioritet
+DocType: Pledge,Pledge,Løfte
 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."
@@ -1770,6 +1795,7 @@
 DocType: Guardian,Guardian Name,Guardian Navn
 DocType: Cheque Print Template,Has Print Format,Har Print Format
 DocType: Support Settings,Get Started Sections,Kom i gang sektioner
+,Loan Repayment and Closure,Tilbagebetaling og lukning af lån
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sanktioneret
 ,Base Amount,Basisbeløb
@@ -1780,10 +1806,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Fra Sted
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Lånebeløbet kan ikke være større end {0}
 DocType: Student Admission,Publish on website,Udgiv på hjemmesiden
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverandørfakturadato kan ikke være større end bogføringsdatoen
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Varekode&gt; Varegruppe&gt; Mærke
 DocType: Subscription,Cancelation Date,Annulleringsdato
 DocType: Purchase Invoice Item,Purchase Order Item,Indkøbsordre vare
 DocType: Agriculture Task,Agriculture Task,Landbrugsopgave
@@ -1802,7 +1828,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Ekstra rabatprocent
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Se en liste over alle hjælpevideoerne
 DocType: Agriculture Analysis Criteria,Soil Texture,Jordstruktur
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Anvendes ikke
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Tillad brugeren at redigere prislistesatsen i transaktioner
 DocType: Pricing Rule,Max Qty,Maksimal mængde
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Udskriv rapportkort
@@ -1934,7 +1959,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Når den er indstillet, vil denne faktura være i venteposition indtil den fastsatte dato"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Salgsbeløb
-DocType: Repayment Schedule,Interest Amount,Renter Beløb
+DocType: Loan Interest Accrual,Interest Amount,Renter Beløb
 DocType: Job Card,Time Logs,Time Logs
 DocType: Sales Invoice,Loyalty Amount,Loyalitetsbeløb
 DocType: Employee Transfer,Employee Transfer Detail,Medarbejderoverførselsdetaljer
@@ -1949,6 +1974,7 @@
 DocType: Cashier Closing,Returns,Retur
 DocType: Job Card,WIP Warehouse,Varer-i-arbejde-lager
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serienummer {0} er under vedligeholdelseskontrakt ind til d. {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},"Sanktioneret beløb, der er overskredet for {0} {1}"
 apps/erpnext/erpnext/config/hr.py,Recruitment,Rekruttering
 DocType: Lead,Organization Name,Organisationens navn
 DocType: Support Settings,Show Latest Forum Posts,Vis seneste forumindlæg
@@ -1975,7 +2001,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Indkøbsordrer Varer Forfaldne
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Postnummer
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Salgsordre {0} er {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Making Stock Angivelser
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Kan ikke fremme medarbejder med status til venstre
@@ -2059,7 +2084,6 @@
 DocType: Salary Slip,Deductions,Fradrag
 DocType: Setup Progress Action,Action Name,Handlingsnavn
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Startår
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Opret lån
 DocType: Purchase Invoice,Start date of current invoice's period,Startdato for nuværende fakturaperiode
 DocType: Shift Type,Process Attendance After,Procesdeltagelse efter
 ,IRS 1099,IRS 1099
@@ -2080,6 +2104,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Vælg dine domæner
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Leverandør
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalingsfakturaelementer
+DocType: Repayment Schedule,Is Accrued,Er periodiseret
 DocType: Payroll Entry,Employee Details,Medarbejderdetaljer
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Behandler XML-filer
 DocType: Amazon MWS Settings,CN,CN
@@ -2111,6 +2136,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Loyalitetspunkt indtastning
 DocType: Employee Checkin,Shift End,Skiftende
 DocType: Stock Settings,Default Item Group,Standard varegruppe
+DocType: Loan,Partially Disbursed,Delvist udbetalt
 DocType: Job Card Time Log,Time In Mins,Tid i min
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Giv oplysninger.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Denne handling vil fjerne denne forbindelse fra enhver ekstern tjeneste, der integrerer ERPNext med dine bankkonti. Det kan ikke fortrydes. Er du sikker?"
@@ -2126,6 +2152,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Samme vare kan ikke indtastes flere gange.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Lånelukning
 DocType: Call Log,Lead,Emne
 DocType: Email Digest,Payables,Gæld
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2158,6 +2185,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON kan kun genereres fra et indsendt dokument
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Medarbejder skat og fordele
 DocType: Bank Guarantee,Validity in Days,Gyldighed i dage
+DocType: Unpledge,Haircut,Klipning
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-formen er ikke for faktura: {0}
 DocType: Certified Consultant,Name of Consultant,Navn på konsulent
 DocType: Payment Reconciliation,Unreconciled Payment Details,Ikke-afstemte Betalingsoplysninger
@@ -2210,7 +2238,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Resten af verden
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Vare {0} kan ikke have parti
 DocType: Crop,Yield UOM,Udbytte UOM
+DocType: Loan Security Pledge,Partially Pledged,Delvist pantsat
 ,Budget Variance Report,Budget Variance Report
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Sanktioneret lånebeløb
 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,Get Items from Healthcare Services,Få artikler fra sundhedsydelser
@@ -2245,6 +2275,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Ny kvalitetsprocedure
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balance for konto {0} skal altid være {1}
 DocType: Patient Appointment,More Info,Mere info
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Fødselsdato kan ikke være større end tiltrædelsesdato.
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard Actions
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverandør {0} ikke fundet i {1}
 DocType: Purchase Invoice,Rejected Warehouse,Afvist lager
@@ -2341,6 +2372,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Indstil varenummeret først
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Lånesikkerhedslove oprettet: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Aftaler og patientmøder
@@ -2396,6 +2428,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Antal samtidige aftaler
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Kom godt i gang
 DocType: Purchase Invoice,Taxes and Charges Calculation,Skatter og Afgifter Beregning
+DocType: Loan Interest Accrual,Payable Principal Amount,Betalbart hovedbeløb
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bogføring af aktivernes afskrivning automatisk
 DocType: BOM Operation,Workstation,Arbejdsstation
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Anmodning om tilbud Leverandør
@@ -2432,7 +2465,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Mad
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Closing Voucher Detaljer
-DocType: Bank Account,Is the Default Account,Er standardkontoen
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Ingen kommunikation fundet.
 DocType: Inpatient Occupancy,Check In,Check ind
@@ -2490,12 +2522,14 @@
 DocType: Sales Order Item,Planned Quantity,Planlagt mængde
 DocType: Water Analysis,Water Analysis Criteria,Vandanalyse Kriterier
 DocType: Item,Maintain Stock,Vedligehold lageret
+DocType: Loan Security Unpledge,Unpledge Time,Unpedge-tid
 DocType: Terms and Conditions,Applicable Modules,Anvendelige moduler
 DocType: Employee,Prefered Email,foretrukket Email
 DocType: Student Admission,Eligibility and Details,Støtteberettigelse og detaljer
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inkluderet i bruttoresultat
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Nettoændring i anlægsaktiver
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Antal
+DocType: Work Order,This is a location where final product stored.,"Dette er et sted, hvor det endelige produkt gemmes."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Fra datotid
@@ -2536,8 +2570,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garanti / AMC status
 ,Accounts Browser,Konti Browser
 DocType: Procedure Prescription,Referral,Henvisning
+,Territory-wise Sales,Territoriumsmæssigt salg
 DocType: Payment Entry Reference,Payment Entry Reference,Betalingspost reference
 DocType: GL Entry,GL Entry,Hovedbogsindtastning
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Række nr. {0}: Accepteret lager og leverandørlager kan ikke være det samme
 DocType: Support Search Source,Response Options,Respons Options
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Anvend flere prisregler
 DocType: HR Settings,Employee Settings,Medarbejderindstillinger
@@ -2597,6 +2633,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Landbrug (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Pakkeseddel
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Angiv Naming Series for {0} via Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Kontorleje
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Opsætning SMS gateway-indstillinger
 DocType: Disease,Common Name,Almindeligt navn
@@ -2613,6 +2650,7 @@
 DocType: Item,Sales Details,Salg Detaljer
 DocType: Coupon Code,Used,Brugt
 DocType: Opportunity,With Items,Med varer
+DocType: Vehicle Log,last Odometer Value ,sidste kilometertalværdi
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampagnen &#39;{0}&#39; findes allerede for {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Vedligeholdelse Team
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Rækkefølge i hvilke sektioner der skal vises. 0 er først, 1 er anden og så videre."
@@ -2623,7 +2661,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Udlæg {0} findes allerede for kørebogen
 DocType: Asset Movement Item,Source Location,Kildeplacering
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institut Navn
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Indtast tilbagebetaling Beløb
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Indtast tilbagebetaling Beløb
 DocType: Shift Type,Working Hours Threshold for Absent,Arbejdstidsgrænse for fraværende
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Der kan være flere lagdelt indsamlingsfaktor baseret på det samlede forbrug. Men konverteringsfaktoren til indløsning vil altid være den samme for alle niveauer.
 apps/erpnext/erpnext/config/help.py,Item Variants,Item Varianter
@@ -2647,6 +2685,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} skal være mindre end {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Vælg først ansøgertype
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Vælg BOM, Qty og For Warehouse"
 DocType: GST HSN Code,GST HSN Code,GST HSN-kode
 DocType: Employee External Work History,Total Experience,Total Experience
@@ -2737,7 +2776,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Ingen aktiv BOM fundet for punkt {0}. Levering med \ Serienummer kan ikke sikres
 DocType: Sales Partner,Sales Partner Target,Forhandlermål
-DocType: Loan Type,Maximum Loan Amount,Maksimalt lånebeløb
+DocType: Loan Application,Maximum Loan Amount,Maksimalt lånebeløb
 DocType: Coupon Code,Pricing Rule,Prisfastsættelsesregel
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Dupliceringsrulle nummer for studerende {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Materialeanmodning til indkøbsordre
@@ -2760,6 +2799,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Fravær blev succesfuldt tildelt til {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Ingen varer at pakke
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Kun .csv- og .xlsx-filer understøttes i øjeblikket
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Indstil venligst medarbejdernavningssystem i menneskelig ressource&gt; HR-indstillinger
 DocType: Shipping Rule Condition,From Value,Fra Value
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Produktionmængde er obligatorisk
 DocType: Loan,Repayment Method,tilbagebetaling Metode
@@ -2843,6 +2883,7 @@
 DocType: Customer,Customer POS Id,Kundens POS-id
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student med e-mail {0} findes ikke
 DocType: Account,Account Name,Kontonavn
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Sanktioneret lånebeløb findes allerede for {0} mod selskab {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Fra dato ikke kan være større end til dato
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} mængde {1} kan ikke være en brøkdel
 DocType: Pricing Rule,Apply Discount on Rate,Anvend rabat på sats
@@ -2914,6 +2955,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Nettovinst
 DocType: Purchase Invoice,Eligibility For ITC,Støtteberettigelse til ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,ubelånte
 DocType: Journal Entry,Entry Type,Posttype
 ,Customer Credit Balance,Customer Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto Ændring i Kreditor
@@ -2925,6 +2967,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Deltagelsesenheds-id (biometrisk / RF-tag-id)
 DocType: Quotation,Term Details,Betingelsesdetaljer
 DocType: Item,Over Delivery/Receipt Allowance (%),Overlevering / kvitteringsgodtgørelse (%)
+DocType: Appointment Letter,Appointment Letter Template,Aftalebrevskabelon
 DocType: Employee Incentive,Employee Incentive,Medarbejderincitamenter
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),I alt (uden skat)
@@ -2947,6 +2990,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Fjern link Betaling ved Annullering af faktura
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Proceslån Renter Periodisering
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Aktuel kilometerstand indtastet bør være større end Køretøjets indledende kilometerstand {0}
 ,Purchase Order Items To Be Received or Billed,"Køb ordreemner, der skal modtages eller faktureres"
 DocType: Restaurant Reservation,No Show,Ingen Vis
@@ -3032,6 +3076,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: omkostningssted er påkrævet for resultatopgørelsekonto {2}. Opret venligst et standard omkostningssted for firmaet.
 DocType: Payment Schedule,Payment Term,Betalingsbetingelser
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,En kundegruppe med samme navn findes. Ret Kundens navn eller omdøb kundegruppen
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Indgangssluttedato skal være større end startdato for optagelse.
 DocType: Location,Area,Areal
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Ny kontakt
 DocType: Company,Company Description,Virksomhedsbeskrivelse
@@ -3106,6 +3151,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappede data
 DocType: Purchase Order Item,Warehouse and Reference,Lager og reference
 DocType: Payroll Period Date,Payroll Period Date,Lønningsperiode Dato
+DocType: Loan Disbursement,Against Loan,Mod lån
 DocType: Supplier,Statutory info and other general information about your Supplier,Lovpligtig information og andre generelle oplysninger om din leverandør
 DocType: Item,Serial Nos and Batches,Serienummer og partier
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Studentgruppens styrke
@@ -3172,6 +3218,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Vælg et firma
 DocType: Delivery Settings,Delivery Settings,Leveringsindstillinger
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hent data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Kan ikke hæfte mere end {0} antal {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimal tilladelse tilladt i orlovstypen {0} er {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicer 1 vare
 DocType: SMS Center,Create Receiver List,Opret Modtager liste
@@ -3319,6 +3366,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Beløb (Company Currency)
 DocType: Purchase Invoice,Registered Regular,Registreret regelmæssig
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Råmateriale
+DocType: Plaid Settings,sandbox,sandkasse
 DocType: Payment Reconciliation Payment,Reference Row,henvisning Row
 DocType: Installation Note,Installation Time,Installation Time
 DocType: Sales Invoice,Accounting Details,Regnskabsdetaljer
@@ -3331,12 +3379,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Transaktionstype
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Accept kriterier
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Indtast materialeanmodninger i ovenstående tabel
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Samlet Betales Beløb
 DocType: Task,Expected Time (in hours),Forventet tid (i timer)
 DocType: Item Reorder,Check in (group),Check i (gruppe)
 DocType: Soil Texture,Silt,silt
@@ -3367,6 +3414,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Fradragsafgift for ikke-meddelt skattefritagelse bevis
 DocType: Volunteer,Anytime,Når som helst
 DocType: Bank Account,Bank Account No,Bankkonto nr
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Udbetaling og tilbagebetaling
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Beskæftigelse af medarbejderskattefritagelse
 DocType: Patient,Surgical History,Kirurgisk historie
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3430,6 +3478,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Opret labtest (er) på salgsfaktura Send
 DocType: Serial No,Invoice Details,Faktura detaljer
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Lønstruktur skal indsendes inden indsendelse af skattefrihedserklæring
+DocType: Loan Application,Proposed Pledges,Foreslåede løfter
 DocType: Grant Application,Show on Website,Vis på hjemmesiden
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Start på
 DocType: Hub Tracked Item,Hub Category,Nav kategori
@@ -3441,7 +3490,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverandør Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Række {0}: stykliste ikke fundet for vare {1}
 DocType: Contract Fulfilment Checklist,Requirement,Krav
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Indstil venligst medarbejdernavningssystem i menneskelig ressource&gt; HR-indstillinger
 DocType: Journal Entry,Accounts Receivable,Tilgodehavender
 DocType: Quality Goal,Objectives,mål
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rolle tilladt til at oprette ansøgning om forældet orlov
@@ -3454,6 +3502,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Medtag Afstemt Angivelser
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Det samlede tildelte beløb ({0}) er større end det betalte beløb ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuere afgifter baseret på
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Det betalte beløb kan ikke være mindre end {0}
 DocType: Projects Settings,Timesheets,Tidsregistreringskladder
 DocType: HR Settings,HR Settings,HR-indstillinger
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Regnskabsmestere
@@ -3599,6 +3648,7 @@
 DocType: Employee,Health Insurance,Sygesikring
 DocType: Asset Repair,Manufacturing Manager,Produktionschef
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serienummer {0} er under garanti op til {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Lånebeløb overstiger det maksimale lånebeløb på {0} pr. Foreslået værdipapirer
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Mindste tilladelige værdi
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Bruger {0} eksisterer allerede
 apps/erpnext/erpnext/hooks.py,Shipments,Forsendelser
@@ -3642,7 +3692,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Type virksomhed
 DocType: Sales Invoice,Consumer,Forbruger
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vælg tildelte beløb, Faktura Type og Fakturanummer i mindst én række"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Angiv Naming Series for {0} via Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Udgifter til nye køb
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Salgsordre påkrævet for vare {0}
 DocType: Grant Application,Grant Description,Grant Beskrivelse
@@ -3651,6 +3700,7 @@
 DocType: Subscription,Discounts,Rabatter
 DocType: Bank Transaction,Unallocated Amount,Ufordelt beløb
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Aktivér venligst ved købsordre og gældende ved bestilling af faktiske udgifter
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} er ikke en virksomheds bankkonto
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Kan ikke finde en matchende Item. Vælg en anden værdi for {0}.
 DocType: POS Profile,Taxes and Charges,Moms
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","En vare eller tjenesteydelse, der købes, sælges eller opbevares på lager."
@@ -3699,6 +3749,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Gyldig fra dato skal være mindre end gyldig upto dato.
 DocType: Employee Skill,Evaluation Date,Evalueringsdato
 DocType: Quotation Item,Stock Balance,Stock Balance
+DocType: Loan Security Pledge,Total Security Value,Samlet sikkerhedsværdi
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Salgsordre til betaling
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Direktør
 DocType: Purchase Invoice,With Payment of Tax,Med betaling af skat
@@ -3711,6 +3762,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Konto {0} findes ikke i kontrolpanelet {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Vis variant attributter
@@ -3792,6 +3844,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuel Værdiansættelsesbeløb
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Antallet af rodkonti kan ikke være mindre end 4
 DocType: Training Event,Advance,Advance
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Mod lån:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless betalings gateway indstillinger
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange Gevinst / Tab
 DocType: Opportunity,Lost Reason,Tabsårsag
@@ -3875,8 +3928,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Vælg partinr.
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Ugyldig {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Række {0}: søskendes fødselsdato kan ikke være større end i dag.
 DocType: Fee Validity,Reference Inv,Reference Inv
 DocType: Sales Invoice Advance,Advance Amount,Advance Beløb
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Straffesats (%) pr. Dag
 DocType: Manufacturing Settings,Capacity Planning,Kapacitetsplanlægning
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Afrundingsjustering (Virksomhedsvaluta
 DocType: Asset,Policy number,Policenummer
@@ -3892,7 +3947,9 @@
 DocType: Normal Test Items,Require Result Value,Kræver resultatværdi
 DocType: Purchase Invoice,Pricing Rules,Prisregler
 DocType: Item,Show a slideshow at the top of the page,Vis et diasshow på toppen af siden
+DocType: Appointment Letter,Body,Legeme
 DocType: Tax Withholding Rate,Tax Withholding Rate,Skattefradrag
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Startdato for tilbagebetaling er obligatorisk for kortfristede lån
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,styklister
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Butikker
@@ -3912,7 +3969,7 @@
 DocType: Call Log,Received By,Modtaget af
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Udnævnelsens varighed (i minutter)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping Template Detaljer
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lånestyring
+DocType: Loan,Loan Management,Lånestyring
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Spor separat indtægter og omkostninger for produkt- vertikaler eller afdelinger.
 DocType: Rename Tool,Rename Tool,Omdøb Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Opdatering Omkostninger
@@ -3920,6 +3977,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Transportform
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Vis lønseddel
+DocType: Loan,Is Term Loan,Er terminlån
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfer Materiale
 DocType: Fees,Send Payment Request,Send betalingsanmodning
 DocType: Travel Request,Any other details,Eventuelle andre detaljer
@@ -3937,6 +3995,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Pengestrømme fra finansaktiviteter
 DocType: Budget Account,Budget Account,Budget-konto
 DocType: Quality Inspection,Verified By,Bekræftet af
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Tilføj lånesikkerhed
 DocType: Travel Request,Name of Organizer,Navn på arrangør
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kan ikke ændre virksomhedens standard valuta, fordi den anvendes i eksisterende transaktioner. Transaktioner skal annulleres for at ændre standard valuta."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Er indkomstskat ansvar
@@ -3987,6 +4046,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Forfalder den
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Hvis markeret, skjuler og deaktiverer feltet Rounded Total i lønningssedler"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dette er standardforskydningen (dage) for leveringsdatoen i salgsordrer. Fallback-forskydningen er 7 dage fra bestillingsdato.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Indstil nummerserier til deltagelse via Opsætning&gt; Nummereringsserie
 DocType: Rename Tool,File to Rename,Fil der skal omdøbes
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Hent abonnementsopdateringer
@@ -3999,6 +4059,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serienumre oprettet
 DocType: POS Profile,Applicable for Users,Gælder for brugere
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Fra dato og til dato er obligatorisk
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Indstille projekt og alle opgaver til status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Indstil Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Ingen arbejdsordrer er oprettet
@@ -4008,6 +4069,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Varer efter
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Omkostninger ved Købte varer
 DocType: Employee Separation,Employee Separation Template,Medarbejderseparationsskabelon
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Nulstørrelse på {0} pantsat mod lån {0}
 DocType: Selling Settings,Sales Order Required,Salgsordre påkrævet
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Bliv sælger
 ,Procurement Tracker,Indkøb Tracker
@@ -4105,11 +4167,12 @@
 ,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,Total Absent,Ialt ikke-tilstede
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Vare eller lager for række {0} matcher ikke materialeanmodningen
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Betalbart beløb
+DocType: Loan Repayment,Payable Amount,Betalbart beløb
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Salgsmulighed
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maks styrke kan ikke være mindre end nul.
 DocType: Options,Option,Mulighed
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Du kan ikke oprette regnskabsposter i den lukkede regnskabsperiode {0}
 DocType: Operation,Default Workstation,Standard Workstation
@@ -4151,6 +4214,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Rentebeløb er obligatorisk
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Næste skridt
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Gemte varer
@@ -4201,8 +4265,6 @@
 DocType: Grant Application,Grant Application Details ,Giv ansøgningsoplysninger
 DocType: Employee Separation,Employee Separation,Medarbejder adskillelse
 DocType: BOM Item,Original Item,Originalelement
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Slet medarbejderen <a href=""#Form/Employee/{0}"">{0}</a> \ for at annullere dette dokument"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dok Dato
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Oprettet - {0}
 DocType: Asset Category Account,Asset Category Account,Aktiver kategori konto
@@ -4238,6 +4300,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labtestelement {0} findes allerede
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} er en firmas ferie
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturerbare timer
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Straffesats opkræves dagligt for det verserende rentebeløb i tilfælde af forsinket tilbagebetaling
+DocType: Appointment Letter content,Appointment Letter content,Udnævnelsesbrev Indhold
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Forlad statusmeddelelse
 DocType: Patient Appointment,Procedure Prescription,Procedure Recept
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Havemøbler og Kampprogram
@@ -4257,7 +4321,7 @@
 DocType: Opportunity,Customer / Lead Name,Kunde / Emne navn
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Clearance Dato ikke nævnt
 DocType: Payroll Period,Taxable Salary Slabs,Skattepligtige lønplader
-DocType: Job Card,Production,Produktion
+DocType: Plaid Settings,Production,Produktion
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ugyldig GSTIN! Det indtastede input stemmer ikke overens med GSTIN-formatet.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Kontoværdi
 DocType: Guardian,Occupation,Beskæftigelse
@@ -4401,6 +4465,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Loyalitetsprogramindsamling
 DocType: Stock Entry Detail,Subcontracted Item,Underentreprise
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Student {0} tilhører ikke gruppe {1}
+DocType: Appointment Letter,Appointment Date,Udnævnelsesdato
 DocType: Budget,Cost Center,Omkostningssted
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Bilagsnr.
 DocType: Tax Rule,Shipping Country,Forsendelsesland
@@ -4471,6 +4536,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Regnskabsdimension
 ,Profit and Loss Statement,Resultatopgørelse
 DocType: Bank Reconciliation Detail,Cheque Number,Anvendes ikke
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Det betalte beløb kan ikke være nul
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Varen, der henvises til af {0} - {1}, er allerede faktureret"
 ,Sales Browser,Salg Browser
 DocType: Journal Entry,Total Credit,Samlet kredit
@@ -4575,6 +4641,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Tilføj / rediger kuponbetingelser
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Udgifts- differencekonto ({0}) skal være en resultatskonto
 DocType: Stock Entry Detail,Stock Entry Child,Lagerindgangsbarn
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Panteselskab og låneselskab skal være det samme
 DocType: Project,Copied From,Kopieret fra
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura er allerede oprettet for alle faktureringstimer
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Navn fejl: {0}
@@ -4582,6 +4649,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Er finansiering omkostninger
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Fremmøde til medarbejder {0} er allerede markeret
 DocType: Packing Slip,If more than one package of the same type (for print),Hvis mere end én pakke af samme type (til udskrivning)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Indstil instruktørens navngivningssystem i uddannelse&gt; Uddannelsesindstillinger
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Indstil standardkunde i Restaurantindstillinger
 ,Salary Register,Løn Register
 DocType: Company,Default warehouse for Sales Return,Standardlager til salgsafkast
@@ -4626,7 +4694,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Aktuelt serienr
 DocType: Employee,Attendance and Leave Details,Oplysninger om deltagelse og orlov
 ,BOM Comparison Tool,BOM-sammenligningsværktøj
-,Requested,Anmodet
+DocType: Loan Security Pledge,Requested,Anmodet
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4638,7 +4706,6 @@
 DocType: Drug Prescription,Drug Prescription,Lægemiddel recept
 DocType: Service Level,Support and Resolution,Support og opløsning
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Gratis varekode er ikke valgt
-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
@@ -4672,6 +4739,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Regnskab Punktet for lager
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Du har allerede vurderet for bedømmelseskriterierne {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Mangel på beløb
 DocType: Vehicle Service,Engine Oil,Motorolie
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Arbejdsordrer oprettet: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Angiv en e-mail-id for Lead {0}
@@ -4690,6 +4758,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Konto er ikke indstillet til betjeningspanelet {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Påfør Yderligere Rabat på
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Vælg type ...
+DocType: Loan Interest Accrual,Amounts,Beløb
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Dine billetter
 DocType: Account,Root Type,Rodtype
 DocType: Item,FIFO,FIFO
@@ -4697,6 +4766,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Kan ikke returnere mere end {1} for Item {2}
 DocType: Item Group,Show this slideshow at the top of the page,Vis denne slideshow øverst på siden
 DocType: BOM,Item UOM,Vareenhed
+DocType: Loan Security Price,Loan Security Price,Lånesikkerhedspris
 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,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rækken {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Detailoperationer
@@ -4835,6 +4905,7 @@
 DocType: Coupon Code,Coupon Description,Kuponbeskrivelse
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Parti er obligatorisk i række {0}
 DocType: Company,Default Buying Terms,Standard købsbetingelser
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Udbetaling af lån
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Købskvittering leveret vare
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktivér planlagt synkronisering
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Til datotid
@@ -4863,6 +4934,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Indtast værdi mellem {0} og {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Indtast navnet på kampagne, hvis kilden undersøgelsesudvalg er kampagne"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Dagbladsudgivere
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Der blev ikke fundet nogen gyldig <b>pris</b> for lånesikkerhed for {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Fremtidige datoer ikke tilladt
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Forventet leveringsdato skal være efter salgsordredato
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Genbestil Level
@@ -4929,6 +5001,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Forslag / pris citat
 DocType: Antibiotic,Healthcare,Healthcare
 DocType: Target Detail,Target Detail,Target Detail
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Låneprocesser
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Single Variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Alle ansøgere
 DocType: Sales Order,% of materials billed against this Sales Order,% af materialer faktureret mod denne salgsordre
@@ -4991,7 +5064,7 @@
 DocType: Item,Reorder level based on Warehouse,Genbestil niveau baseret på Warehouse
 DocType: Activity Cost,Billing Rate,Faktureringssats
 ,Qty to Deliver,Antal at levere
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Opret indbetaling til udbetaling
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Opret indbetaling til udbetaling
 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,Operations cannot be left blank,Operationer kan ikke være tomt
@@ -5025,6 +5098,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Fjern linket til eksterne integrationer
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Vælg en tilsvarende betaling
 DocType: Pricing Rule,Item Code,Varenr.
+DocType: Loan Disbursement,Pending Amount For Disbursal,Afventende beløb til udbetaling
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Vælg studerende manuelt for aktivitetsbaseret gruppe
@@ -5048,6 +5122,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Antal i alt
 DocType: Landed Cost Item,Receipt Document,Kvittering dokument
 DocType: Employee Education,School/University,Skole / Universitet
+DocType: Loan Security Pledge,Loan  Details,Lånedetaljer
 DocType: Sales Invoice Item,Available Qty at Warehouse,Tilgængeligt antal på lageret
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Faktureret beløb
 DocType: Share Transfer,(including),(inklusive)
@@ -5071,6 +5146,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupper
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Sortér efter konto
 DocType: Purchase Invoice,Hold Invoice,Hold faktura
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Pantstatus
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Vælg venligst Medarbejder
 DocType: Sales Order,Fully Delivered,Fuldt Leveres
 DocType: Promotional Scheme Price Discount,Min Amount,Min beløb
@@ -5080,7 +5156,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,Aktiver modtaget men ikke faktureret
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"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,Disbursed Amount cannot be greater than Loan Amount {0},Udbetalte beløb kan ikke være større end Lånebeløb {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Række {0} # Tildelt mængde {1} kan ikke være større end uanmeldt mængde {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Indkøbsordrenr. påkrævet for vare {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Videresendte Blade
@@ -5108,6 +5183,7 @@
 DocType: Pick List Item,Serial No and Batch,Serienummer og parti
 DocType: Warranty Claim,From Company,Fra firma
 DocType: GSTR 3B Report,January,januar
+DocType: Loan Repayment,Principal Amount Paid,Hovedbeløb betalt
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summen af Snesevis af Assessment Criteria skal være {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Venligst sæt Antal Afskrivninger Reserveret
 DocType: Supplier Scorecard Period,Calculations,Beregninger
@@ -5133,6 +5209,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Om din virksomhed
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Vis lagringsalder
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit til konto skal være en balance konto
+DocType: Loan Repayment,Penalty Amount,Straffebeløb
 DocType: Donor,Donor,Donor
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Opdater skatter for varer
 DocType: Global Defaults,Disable In Words,Deaktiver i ord
@@ -5163,6 +5240,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Omkostningscenter og budgettering
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Åbning Balance Egenkapital
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Delvis betalt indlæg
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Angiv betalingsplanen
 DocType: Pick List,Items under this warehouse will be suggested,Varer under dette lager vil blive foreslået
 DocType: Purchase Invoice,N,N
@@ -5196,7 +5274,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ikke fundet for punkt {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Værdien skal være mellem {0} og {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Vis inklusiv skat i tryk
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Besked sendt
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Konto med barn noder kan ikke indstilles som hovedbog
 DocType: C-Form,II,II
@@ -5210,6 +5287,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Aktivér automatisk ombestilling
 DocType: Stock Settings,Item Naming By,Item Navngivning By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},En anden Periode Lukning indtastning {0} er blevet foretaget efter {1}
+DocType: Proposed Pledge,Proposed Pledge,Foreslået løfte
 DocType: Work Order,Material Transferred for Manufacturing,Materiale Overført til Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Konto {0} findes ikke
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Vælg Loyalitetsprogram
@@ -5220,7 +5298,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Sætter begivenheder til {0}, da den til medarbejderen tilknyttede salgsmedarbejder {1} ikke har et brugernavn"
 DocType: Timesheet,Billing Details,Faktureringsoplysninger
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kilde og mål lager skal være forskellige
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Indstil venligst medarbejdernavningssystem i menneskelig ressource&gt; HR-indstillinger
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betaling mislykkedes. Tjek venligst din GoCardless-konto for flere detaljer
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ikke tilladt at opdatere lagertransaktioner ældre end {0}
 DocType: Stock Entry,Inspection Required,Inspection Nødvendig
@@ -5233,6 +5310,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Levering lager kræves for lagervare {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruttovægt af pakken. Normalt nettovægt + emballagematerialevægt. (til udskrivning)
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Mod pant
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Brugere med denne rolle får lov til at sætte indefrosne konti og oprette / ændre regnskabsposter mod indefrosne konti
 DocType: Plaid Settings,Plaid Environment,Plaid miljø
 ,Project Billing Summary,Projekt faktureringsoversigt
@@ -5284,6 +5362,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partier
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Antal dages aftaler kan reserveres på forhånd
 DocType: Article,LMS User,LMS-bruger
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Lånesikkerhedsforpligtelse er obligatorisk for sikret lån
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Leveringssted (stat / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Lagerenhed
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Indkøbsordre {0} er ikke godkendt
@@ -5358,6 +5437,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Opret jobkort
 DocType: Quotation,Referral Sales Partner,Henvisning Salgspartner
 DocType: Quality Procedure Process,Process Description,Procesbeskrivelse
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Kan ikke fjernes, lånesikkerhedsværdien er større end det tilbagebetalte beløb"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kunden {0} er oprettet.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5378,7 +5458,7 @@
 DocType: Asset,Insurance Details,Forsikring Detaljer
 DocType: Account,Payable,Betales
 DocType: Share Balance,Share Type,Share Type
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Indtast venligst Tilbagebetalingstid
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Indtast venligst Tilbagebetalingstid
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitorer ({0})
 DocType: Pricing Rule,Margin,Margen
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nye kunder
@@ -5387,6 +5467,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Skift POS-profil
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Antal eller beløb er mandatroy for lån sikkerhed
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance Dato
 DocType: Delivery Settings,Dispatch Notification Template,Dispatch Notification Template
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Vurderingsrapport
@@ -5422,6 +5503,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Del Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Salgsfaktura {0} oprettet
 DocType: Employee,Confirmation Date,Bekræftet den
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Slet medarbejderen <a href=""#Form/Employee/{0}"">{0}</a> \ for at annullere dette dokument"
 DocType: Inpatient Occupancy,Check Out,Check ud
 DocType: C-Form,Total Invoiced Amount,Totalt faktureret beløb
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Antal kan ikke være større end Max Antal
@@ -5435,7 +5518,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Rejsefinansiering
 DocType: Employee Skill,Proficiency,sprogfærdighed
-DocType: Loan Application,Required by Date,Kræves af Dato
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Køb af kvitteringsdetaljer
 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"
 DocType: Lead,Lead Owner,Emneejer
@@ -5454,7 +5536,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Nuværende stykliste og ny stykliste må ikke være ens
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Lønseddel id
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensioneringsdato skal være større end ansættelsesdato
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverandør&gt; Leverandørtype
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Flere varianter
 DocType: Sales Invoice,Against Income Account,Imod Indkomst konto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Leveret
@@ -5487,7 +5568,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Værdiansættelse typen omkostninger ikke er markeret som Inclusive
 DocType: POS Profile,Update Stock,Opdatering Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Betalingsoplysninger
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Læsning af uploadet fil
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Stoppet Arbejdsordre kan ikke annulleres, Unstop det først for at annullere"
@@ -5522,6 +5603,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Partinummer er obligatorisk for vare {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maksimal låneværdi
 ,Stock Ledger,Lagerkladde
 DocType: Company,Exchange Gain / Loss Account,Exchange Gevinst / Tab konto
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
@@ -5529,6 +5611,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Formålet skal være en af {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Udfyld skærmbilledet og gem det
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Fællesskab Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Ingen blade tildelt medarbejder: {0} til orlovstype: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Faktisk antal på lager
 DocType: Homepage,"URL for ""All Products""",URL til &quot;Alle produkter&quot;
 DocType: Leave Application,Leave Balance Before Application,Fraværssaldo før anmodning
@@ -5630,7 +5713,6 @@
 DocType: Fee Schedule,Fee Schedule,Fee Schedule
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Kolonnetiketter:
 DocType: Bank Transaction,Settled,Slog sig ned
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Udbetalingsdato kan ikke være efter startdato for tilbagebetaling af lån
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parametre
 DocType: Company,Create Chart Of Accounts Based On,Opret kontoplan baseret på
@@ -5650,6 +5732,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kreditgrænse og betalingsbetingelser
 DocType: Loyalty Program,Collection Rules,Indsamlingsregler
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Vare 3
+DocType: Loan Security Shortfall,Shortfall Time,Mangel på tid
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Ordreindgang
 DocType: Purchase Order,Customer Contact Email,Kundeservicekontakt e-mail
 DocType: Warranty Claim,Item and Warranty Details,Item og garanti Detaljer
@@ -5669,12 +5752,14 @@
 DocType: Sales Person,Sales Person Name,Salgsmedarbejdernavn
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Indtast venligst mindst en faktura i tabellen
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Ingen Lab Test oprettet
+DocType: Loan Security Shortfall,Security Value ,Sikkerhedsværdi
 DocType: POS Item Group,Item Group,Varegruppe
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentgruppe:
 DocType: Depreciation Schedule,Finance Book Id,Finans Bog ID
 DocType: Item,Safety Stock,Minimum lagerbeholdning
 DocType: Healthcare Settings,Healthcare Settings,Sundhedsindstillinger
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Samlede tildelte blade
+DocType: Appointment Letter,Appointment Letter,Aftalerbrev
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Fremskridt-% for en opgave kan ikke være mere end 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Før forsoning
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Til {0}
@@ -5730,6 +5815,7 @@
 DocType: Stock Entry,From BOM,Fra stykliste
 DocType: Assessment Code,Assessment Code,Vurderings kode
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grundlæggende
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Låneansøgninger fra kunder og ansatte.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Lagertransaktioner før {0} er frosset
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Klik på &quot;Generer Schedule &#39;
 DocType: Job Card,Current Time,Nuværende tid
@@ -5756,7 +5842,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Give
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ingen elevgrupper oprettet.
 DocType: Purchase Invoice Item,Serial No,Serienummer
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig tilbagebetaling beløb kan ikke være større end Lånebeløb
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig tilbagebetaling beløb kan ikke være større end Lånebeløb
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Indtast venligst Maintaince Detaljer først
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Række nr. {0}: Forventet leveringsdato kan ikke være før købsdato
 DocType: Purchase Invoice,Print Language,Udskrivningssprog
@@ -5770,6 +5856,7 @@
 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,All Territories,Alle områder
+DocType: Plaid Settings,development,udvikling
 DocType: Lost Reason Detail,Lost Reason Detail,Detaljer om mistet grund
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ugyldig ordreordre for den valgte kunde og vare
@@ -5832,12 +5919,14 @@
 DocType: Staffing Plan Detail,Current Openings,Nuværende åbninger
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Pengestrøm fra driften
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST beløb
+DocType: Vehicle Log,Current Odometer value ,Aktuel kilometertalværdi
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Opret studerende
 DocType: Asset Movement Item,Asset Movement Item,Element til bevægelse af aktiver
 DocType: Purchase Invoice,Shipping Rule,Forsendelseregel
 DocType: Patient Relation,Spouse,Ægtefælle
 DocType: Lab Test Groups,Add Test,Tilføj test
 DocType: Manufacturer,Limited to 12 characters,Begrænset til 12 tegn
+DocType: Appointment Letter,Closing Notes,Lukningsnotater
 DocType: Journal Entry,Print Heading,Overskrift
 DocType: Quality Action Table,Quality Action Table,Tabel for kvalitetskontrol
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Samlede kan ikke være nul
@@ -5904,6 +5993,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),I alt (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Identificer / opret konto (gruppe) for type - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entertainment &amp; Leisure
+DocType: Loan Security,Loan Security,Lånesikkerhed
 ,Item Variant Details,Varevarianter Detaljer
 DocType: Quality Inspection,Item Serial No,Serienummer til varer
 DocType: Payment Request,Is a Subscription,Er en abonnement
@@ -5916,7 +6006,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Seneste alder
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planlagte og indrømmede datoer kan ikke være mindre end i dag
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Overførsel Materiale til Leverandøren
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nyt serienummer kan ikke have lager angivet. Lageret skal sættes ved lagerindtastning eller købskvittering
 DocType: Lead,Lead Type,Emnetype
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Opret Citat
@@ -5934,7 +6023,6 @@
 DocType: Leave Allocation,Leave Period,Forladelsesperiode
 DocType: Item,Default Material Request Type,Standard materialeanmodningstype
 DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Ukendt
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbejdsordre er ikke oprettet
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6018,7 +6106,8 @@
 ,Customer-wise Item Price,Kundemæssig vare pris
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Pengestrømsanalyse
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ingen væsentlig forespørgsel oprettet
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløb kan ikke overstige det maksimale lånebeløb på {0}
+DocType: Loan,Loan Security Pledge,Lånesikkerheds pantsætning
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licens
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -6036,6 +6125,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Pris rabat ordning
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Vedligeholdelsesstatus skal annulleres eller afsluttes for at indsende
 DocType: Amazon MWS Settings,US,OS
+DocType: Loan Security Pledge,Pledged,pantsat
 DocType: Holiday List,Add Weekly Holidays,Tilføj ugentlige helligdage
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Rapporter element
 DocType: Staffing Plan Detail,Vacancies,Ledige stillinger
@@ -6054,7 +6144,6 @@
 DocType: Production Plan Item,Planned Start Date,Planlagt startdato
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Vælg venligst en BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Benyttet ITC Integrated skat
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Opret indtastning til tilbagebetaling
 DocType: Purchase Order Item,Blanket Order Rate,Tæppe Ordre Rate
 ,Customer Ledger Summary,Oversigt over kundehovedbog
 apps/erpnext/erpnext/hooks.py,Certification,Certificering
@@ -6075,6 +6164,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Vurderingsskabelonnavn
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Kommerciel
 DocType: Patient,Alcohol Current Use,Alkohol Nuværende Brug
+DocType: Loan,Loan Closure Requested,Anmodet om lukning
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Husleje Betalingsbeløb
 DocType: Student Admission Program,Student Admission Program,Studenter Adgangsprogram
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Skattefritagelseskategori
@@ -6098,6 +6188,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Salg
 DocType: Stock Entry Detail,Basic Amount,Grundbeløb
 DocType: Training Event,Exam,Eksamen
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Proceslånsikkerhedsunderskud
 DocType: Email Campaign,Email Campaign,E-mail-kampagne
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Markedspladsfejl
 DocType: Complaint,Complaint,Klage
@@ -6177,6 +6268,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Indsend dette for at oprette medarbejderposten
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},"Lånesikkerhedspris, der overlapper med {0}"
 DocType: Item Default,Item Default,Element Standard
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Mellemstatlige forsyninger
 DocType: Chapter Member,Leave Reason,Forlad grunden
@@ -6203,6 +6295,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Brugt kupon er {1}. Den tilladte mængde er opbrugt
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ønsker du at indsende den materielle anmodning
 DocType: Job Offer,Awaiting Response,Afventer svar
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Lån er obligatorisk
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Frem
 DocType: Support Search Source,Link Options,Link muligheder
@@ -6215,6 +6308,7 @@
 DocType: Training Event Employee,Optional,Valgfri
 DocType: Salary Slip,Earning & Deduction,Tillæg & fradrag
 DocType: Agriculture Analysis Criteria,Water Analysis,Vandanalyse
+DocType: Pledge,Post Haircut Amount,Efter hårklipmængde
 DocType: Sales Order,Skip Delivery Note,Spring over leveringsnotat
 DocType: Price List,Price Not UOM Dependent,Pris ikke UOM-afhængig
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} varianter oprettet.
@@ -6241,6 +6335,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Hent varer fra produktpakke
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Tilbagebetalingsmetode er obligatorisk for kortfristede lån
 DocType: Asset,Straight Line,Lineær afskrivning
 DocType: Project User,Project User,Sagsbruger
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Dele
@@ -6285,7 +6380,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle Tilladt til Indstil Frosne Konti og Rediger Frosne Entries
 DocType: Supplier Scorecard Scoring Variable,Path,Sti
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Kan ikke konvertere Cost Center til hovedbog, som det har barneknudepunkter"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-konverteringsfaktor ({0} -&gt; {1}) ikke fundet for varen: {2}
 DocType: Production Plan,Total Planned Qty,Samlet planlagt antal
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaktioner er allerede gengivet tilbage fra erklæringen
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,åbning Value
@@ -6294,11 +6388,8 @@
 DocType: Material Request Plan Item,Required Quantity,Påkrævet mængde
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Regnskabsperiode overlapper med {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverandør&gt; Leverandørtype
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Salgskonto
 DocType: Purchase Invoice Item,Total Weight,Totalvægt
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Slet medarbejderen <a href=""#Form/Employee/{0}"">{0}</a> \ for at annullere dette dokument"
 DocType: Pick List Item,Pick List Item,Vælg listeelement
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Salgsprovisioner
 DocType: Job Offer Term,Value / Description,/ Beskrivelse
@@ -6345,6 +6436,7 @@
 DocType: Patient Encounter,Encounter Date,Encounter Date
 DocType: Work Order,Update Consumed Material Cost In Project,Opdater forbrugsstofomkostninger i projektet
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan ikke vælges {1}
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Lån ydet til kunder og ansatte.
 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
@@ -6413,7 +6505,6 @@
 DocType: Contract,Signed On,Logget på
 DocType: Bank Account,Party Type,Selskabstype
 DocType: Discounted Invoice,Discounted Invoice,Rabatfaktura
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markér deltagelse som <b></b>
 DocType: Payment Schedule,Payment Schedule,Betalingsplan
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Der blev ikke fundet nogen medarbejder for den givne medarbejders feltværdi. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Forkortelse
@@ -6485,6 +6576,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditorer
 DocType: Assessment Plan,Assessment Name,Vurdering Navn
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Række # {0}: serienummer er obligatorisk
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Der kræves et beløb på {0} til lukning af lånet
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail
 DocType: Employee Onboarding,Job Offer,Jobtilbud
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Forkortelse
@@ -6508,7 +6600,6 @@
 DocType: Purchase Order,To Receive,At Modtage
 DocType: Leave Period,Holiday List for Optional Leave,Ferieliste for valgfri ferie
 DocType: Item Tax Template,Tax Rates,Skattesatser
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Varekode&gt; Varegruppe&gt; Mærke
 DocType: Asset,Asset Owner,Aktiv ejer
 DocType: Item,Website Content,Indhold på webstedet
 DocType: Bank Account,Integration ID,Integrations-ID
@@ -6524,6 +6615,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synkroniseringsordrer
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Ordrer frigivet til produktion.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Vælg regnskabsår ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Vælg lånetype for firmaet {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6552,6 +6644,7 @@
 DocType: Customer,Mention if non-standard receivable account,"Nævne, hvis ikke-standard tilgodehavende konto"
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Tilføj venligst de resterende fordele {0} til en eksisterende komponent
+DocType: Bank Account,Is Default Account,Er standardkonto
 DocType: Journal Entry Account,If Income or Expense,Hvis indtægter og omkostninger
 DocType: Course Topic,Course Topic,Kursusemne
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Lukningskupong alreday findes i {0} mellem dato {1} og {2}
@@ -6564,7 +6657,7 @@
 DocType: Disease,Treatment Task,Behandlingstjeneste
 DocType: Payment Order Reference,Bank Account Details,Bankkontooplysninger
 DocType: Purchase Order Item,Blanket Order,Tæppeordre
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Tilbagebetalingsbeløb skal være større end
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Tilbagebetalingsbeløb skal være større end
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Skatteaktiver
 DocType: BOM Item,BOM No,Styklistenr.
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Opdater detaljer
@@ -6620,6 +6713,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce-produkter
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Syntaks fejl i formel eller tilstand: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Vare {0} ignoreres, da det ikke er en lagervare"
+,Loan Security Status,Lånesikkerhedsstatus
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Hvis du ikke vil anvende Prisfastsættelse Regel i en bestemt transaktion, bør alle gældende Priser Regler deaktiveres."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dag (er) efter faktura månedens afslutning
 DocType: Assessment Group,Parent Assessment Group,Parent Group Assessment
@@ -6634,7 +6728,6 @@
 DocType: Stock Entry Detail,Additional Cost,Yderligere omkostning
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Kan ikke filtrere baseret på bilagsnr. hvis der sorteres efter Bilagstype
 DocType: Quality Inspection,Incoming,Indgående
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Indstil nummerserier til deltagelse via Opsætning&gt; Nummereringsserie
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standard skat skabeloner til salg og køb oprettes.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Vurdering resultatoptegnelsen {0} eksisterer allerede.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Eksempel: ABCD. #####. Hvis serier er indstillet og Batch nr ikke er nævnt i transaktioner, oprettes automatisk batchnummer baseret på denne serie. Hvis du altid vil udtrykkeligt nævne Batch nr for dette emne, skal du lade dette være tomt. Bemærk: Denne indstilling vil have prioritet i forhold til Naming Series Prefix i lagerindstillinger."
@@ -6645,8 +6738,10 @@
 DocType: Contract,Party User,Selskabs-bruger
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,"Aktiver, der ikke er oprettet for <b>{0}</b> . Du skal oprette aktiv manuelt."
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Indstil Firmafilter blankt, hvis Group By er &#39;Company&#39;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Bogføringsdato kan ikke være en fremtidig dato
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Række # {0}: serienummer {1} matcher ikke med {2} {3}
+DocType: Loan Repayment,Interest Payable,Rentebetaling
 DocType: Stock Entry,Target Warehouse Address,Mållagerhusadresse
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Tiden før skiftets starttid, hvor medarbejderindtjekning overvejes til deltagelse."
@@ -6775,6 +6870,7 @@
 DocType: Issue,Reset Service Level Agreement,Nulstil aftale om serviceniveau
 ,Sales Person-wise Transaction Summary,SalgsPerson Transaktion Totaler
 DocType: Training Event,Contact Number,Kontaktnummer
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Lånebeløb er obligatorisk
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6823,6 +6919,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Antal
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Betingelserne anvendes på alle de valgte emner kombineret.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Mål kan ikke være tom
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Forkert lager
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Tilmelding til studerende
 DocType: Item Group,Parent Item Group,Overordnet varegruppe
 DocType: Appointment Type,Appointment Type,Aftale type
@@ -6876,10 +6973,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gennemsnitlig sats
 DocType: Appointment,Appointment With,Aftale med
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samlet betalingsbeløb i betalingsplan skal svare til Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markér deltagelse som <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Kundens leverede vare"" kan ikke have værdiansættelsesrate"
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Kontoudskrift balance pr Finans
-DocType: Job Applicant,Applicant Name,Ansøgernavn
+DocType: Appointment Letter,Applicant Name,Ansøgernavn
 DocType: Authorization Rule,Customer / Item Name,Kunde / Varenavn
 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**. 
 
@@ -6923,11 +7021,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribution
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Medarbejderstatus kan ikke indstilles til &#39;Venstre&#39;, da følgende medarbejdere i øjeblikket rapporterer til denne medarbejder:"
-DocType: Journal Entry Account,Loan,Lån
+DocType: Loan Repayment,Amount Paid,Beløb betalt
+DocType: Loan Security Shortfall,Loan,Lån
 DocType: Expense Claim Advance,Expense Claim Advance,Udgiftskrav Advance
 DocType: Lab Test,Report Preference,Rapportindstilling
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Frivillig information.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Projektleder
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Gruppér efter kunde
 ,Quoted Item Comparison,Sammenligning Citeret Vare
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Overlappe i scoring mellem {0} og {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Dispatch
@@ -6947,6 +7047,7 @@
 DocType: Material Request Plan Item,Material Issue,Materiale Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratis vare ikke angivet i prisreglen {0}
 DocType: Employee Education,Qualification,Kvalifikation
+DocType: Loan Security Shortfall,Loan Security Shortfall,Lånesikkerhedsunderskud
 DocType: Item Price,Item Price,Varepris
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sæbe &amp; Vaskemiddel
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Medarbejder {0} hører ikke til virksomheden {1}
@@ -6969,6 +7070,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Detaljer om aftale
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Færdigt produkt
 DocType: Warehouse,Warehouse Name,Lagernavn
+DocType: Loan Security Pledge,Pledge Time,Pantetid
 DocType: Naming Series,Select Transaction,Vælg Transaktion
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Indtast Godkendelse Rolle eller godkender Bruger
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Serviceniveauaftale med entitetstype {0} og enhed {1} findes allerede.
@@ -6976,7 +7078,6 @@
 DocType: BOM,Rate Of Materials Based On,Rate Of materialer baseret på
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Hvis aktiveret, vil feltet Akademisk Term være obligatorisk i Programindskrivningsværktøjet."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Værdier for undtagne, ikke-klassificerede og ikke-GST-indgående leverancer"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Virksomheden</b> er et obligatorisk filter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Fravælg alle
 DocType: Purchase Taxes and Charges,On Item Quantity,Om varemængde
@@ -7021,7 +7122,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Mangel Antal
 DocType: Purchase Invoice,Input Service Distributor,Distributør af inputtjenester
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Vare variant {0} eksisterer med samme attributter
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Indstil instruktørens navngivningssystem i uddannelse&gt; Uddannelsesindstillinger
 DocType: Loan,Repay from Salary,Tilbagebetale fra Løn
 DocType: Exotel Settings,API Token,API-token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Anmodning betaling mod {0} {1} for beløb {2}
@@ -7041,6 +7141,7 @@
 DocType: Salary Slip,Total Interest Amount,Samlet rentebeløb
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Forældede dage
 DocType: Travel Itinerary,Arrival Datetime,Ankomst Dato time
 DocType: Tax Rule,Billing Zipcode,Fakturering Postnummer
@@ -7227,6 +7328,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Timer
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},En ny aftale er oprettet til dig med {0}
 DocType: Project,Expected Start Date,Forventet startdato
+DocType: Work Order,This is a location where raw materials are available.,"Dette er et sted, hvor råmaterialer er tilgængelige."
 DocType: Purchase Invoice,04-Correction in Invoice,04-korrektion i fakturaen
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Arbejdsordre allerede oprettet for alle varer med BOM
 DocType: Bank Account,Party Details,Selskabsdetaljer
@@ -7245,6 +7347,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Tilbud:
 DocType: Contract,Partially Fulfilled,Delvis opfyldt
 DocType: Maintenance Visit,Fully Completed,Fuldt Afsluttet
+DocType: Loan Security,Loan Security Name,Lånesikkerhedsnavn
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Specialtegn undtagen &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Og &quot;}&quot; er ikke tilladt i navngivningsserier"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Er ikke bedømt eller undtaget
 DocType: Employee,Educational Qualification,Uddannelseskvalifikation
@@ -7301,6 +7404,7 @@
 DocType: Program,Is Featured,Er vist
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Henter ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Landbrug Bruger
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Gyldig til dato kan ikke være før transaktionsdato
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7377,8 +7481,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,Du er ikke autoriseret til at fastsætte låst værdi
 DocType: Payment Reconciliation,Get Unreconciled Entries,Hent ikke-afstemte poster
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Medarbejder {0} er på ferie på {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Ingen tilbagebetalinger valgt til Journal Entry
 DocType: Purchase Invoice,GST Category,GST-kategori
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Foreslåede løfter er obligatoriske for sikrede lån
 DocType: Payment Reconciliation,From Invoice Date,Fra fakturadato
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budgetter
 DocType: Invoice Discounting,Disbursed,udbetalt
@@ -7436,14 +7540,13 @@
 DocType: Restaurant,Active Menu,Aktiv Menu
 DocType: Accounting Dimension Detail,Default Dimension,Standarddimension
 DocType: Target Detail,Target Qty,Target Antal
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Imod lån: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Kassen Indstillinger
 DocType: Student Attendance,Present,Tilstede
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Følgeseddel {0} må ikke godkendes
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Det lønnseddel, der er sendt til medarbejderen, er beskyttet med adgangskode, adgangskoden genereres baseret på adgangskodepolitikken."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,kilometertæller
 DocType: Production Plan Item,Ordered Qty,Bestilt antal
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Vare {0} er deaktiveret
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Op
@@ -7500,7 +7603,6 @@
 DocType: Serial No,Delivery Document Type,Levering Dokumenttype
 DocType: Sales Order,Partly Delivered,Delvist leveret
 DocType: Item Variant Settings,Do not update variants on save,Opdater ikke varianter ved at gemme
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,Tilgodehavender
 DocType: Lead Source,Lead Source,Lead Source
 DocType: Customer,Additional information regarding the customer.,Yderligere oplysninger om kunden.
@@ -7596,6 +7698,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Faktiske
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Restaurantchef
+DocType: Loan,Penalty Income Account,Penalty Income Account
 DocType: Call Log,Call Log,Opkaldsliste
 DocType: Authorization Rule,Customerwise Discount,Customerwise Discount
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timeseddel til opgaver.
@@ -7683,6 +7786,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Produktrabatningsordning
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,"Intet spørgsmål er blevet rejst af den, der ringer."
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Gruppe efter leverandør
 DocType: Restaurant Reservation,Waitlisted,venteliste
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Fritagelseskategori
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7693,7 +7797,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Rådgivning
 DocType: Subscription Plan,Based on price list,Baseret på prisliste
 DocType: Customer Group,Parent Customer Group,Overordnet kundegruppe
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan kun genereres fra salgsfaktura
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maksimale forsøg på denne quiz nået!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Gebyr oprettelse afventer
@@ -7711,6 +7814,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Forebyggende vedligeholdelse
 DocType: Delivery Note Item,Against Sales Invoice,Mod salgsfaktura
 DocType: Purchase Invoice,07-Others,07-Andre
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Tilbudsmængde
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Indtast serienumre for serialiseret vare
 DocType: Bin,Reserved Qty for Production,Reserveret Antal for Produktion
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Markér ikke, hvis du ikke vil overveje batch mens du laver kursusbaserede grupper."
@@ -7818,6 +7922,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Betalingskvittering
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Opret materialeanmodning
+DocType: Loan Interest Accrual,Pending Principal Amount,Afventende hovedbeløb
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Start- og slutdatoer, der ikke findes i en gyldig lønningsperiode, kan ikke beregne {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7861,6 +7966,7 @@
 											to fullfill Sales Order {2}","Kan ikke aflevere serienummer {0} af punkt {1}, da det er reserveret \ for at fuldfylde salgsordre {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Leverandørtilbud {0} oprettet
+DocType: Loan Security Unpledge,Unpledge Type,Unpedge-type
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Slutår kan ikke være før startår
 DocType: Employee Benefit Application,Employee Benefits,Personalegoder
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Medarbejder-ID
@@ -7943,6 +8049,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kursuskode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Indtast venligst udgiftskonto
 DocType: Quality Action Resolution,Problem,Problem
+DocType: Loan Security Type,Loan To Value Ratio,Udlån til værdiforhold
 DocType: Account,Stock,Lager
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7960,6 +8067,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Kontoudskrift Transaktion
 DocType: Sales Invoice Item,Discount and Margin,Rabat og Margin
 DocType: Lab Test,Prescription,Recept
+DocType: Process Loan Security Shortfall,Update Time,Opdateringstid
 DocType: Import Supplier Invoice,Upload XML Invoices,Upload XML-fakturaer
 DocType: Company,Default Deferred Revenue Account,Standard udskudt indtjeningskonto
 DocType: Project,Second Email,Anden Email
@@ -7973,7 +8081,7 @@
 DocType: Quality Action,Preventive,Forebyggende
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Forsyninger til uregistrerede personer
 DocType: Company,Date of Incorporation,Oprindelsesdato
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Moms i alt
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Moms i alt
 DocType: Manufacturing Settings,Default Scrap Warehouse,Standard skrotlager
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Sidste købspris
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,For Mængde (Fremstillet Antal) er obligatorisk
@@ -7992,6 +8100,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Indstil standard betalingsform
 DocType: Stock Entry Detail,Against Stock Entry,Mod aktieindtastning
 DocType: Grant Application,Withdrawn,Trukket tilbage
+DocType: Loan Repayment,Regular Payment,Regelmæssig betaling
 DocType: Support Search Source,Support Search Source,Support Søg kilde
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,chargeble
 DocType: Project,Gross Margin %,Gross Margin%
@@ -8004,8 +8113,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Uden betaling af skat
 DocType: BOM Operation,BOM Operation,BOM Operation
 DocType: Purchase Taxes and Charges,On Previous Row Amount,På Forrige Row Beløb
+DocType: Student,Home Address,Hjemmeadresse
 DocType: Options,Is Correct,Er korrekt
 DocType: Item,Has Expiry Date,Har udløbsdato
+DocType: Loan Repayment,Paid Accrual Entries,Betalte periodiserede poster
+DocType: Loan Security,Loan Security Type,Lånesikkerhedstype
 apps/erpnext/erpnext/config/support.py,Issue Type.,Udgavetype.
 DocType: POS Profile,POS Profile,Kassesystemprofil
 DocType: Training Event,Event Name,begivenhed Navn
@@ -8017,6 +8129,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sæsonudsving til indstilling budgetter, mål etc."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Ingen værdier
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabelt navn
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Vælg bankkonto for at forene.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Vare {0} er en skabelon, skal du vælge en af dens varianter"
 DocType: Purchase Invoice Item,Deferred Expense,Udskudt Udgift
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Tilbage til meddelelser
@@ -8068,7 +8181,6 @@
 DocType: GL Entry,To Rename,At omdøbe
 DocType: Stock Entry,Repack,Pak om
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Vælg for at tilføje serienummer.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Indstil instruktørens navngivningssystem i uddannelse&gt; Uddannelsesindstillinger
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Angiv skattekode for kunden &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vælg venligst firmaet først
 DocType: Item Attribute,Numeric Values,Numeriske værdier
@@ -8092,6 +8204,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Hent baseret på FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root kan ikke redigeres.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Lånesikkerhedsværdi
 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
@@ -8138,6 +8251,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Vælg kategori først
 apps/erpnext/erpnext/config/projects.py,Project master.,Sags-master.
 DocType: Contract,Contract Terms,Kontraktvilkår
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sanktioneret beløbsgrænse
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Fortsæt konfigurationen
 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,Maximum benefit amount of component {0} exceeds {1},Maksimumbeløbet for komponent {0} overstiger {1}
@@ -8170,6 +8284,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Se opkaldslog
 DocType: BOM Operation,Operating Cost(Company Currency),Driftsomkostninger (Company Valuta)
 DocType: Loan Application,Rate of Interest,Rentesats
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},"Lånesikkerheds pantsætning, der allerede er pantsat mod lån {0}"
 DocType: Expense Claim Detail,Sanctioned Amount,Sanktioneret Beløb
 DocType: Item,Shelf Life In Days,Holdbarhed i dage
 DocType: GL Entry,Is Opening,Er Åbning
@@ -8183,3 +8298,4 @@
 DocType: Account,Cash,Kontanter
 DocType: Sales Invoice,Unpaid and Discounted,Ubetalt og nedsat
 DocType: Employee,Short biography for website and other publications.,Kort biografi for hjemmesiden og andre publikationer.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,"Række nr. {0}: Kan ikke vælge leverandørlager, mens råmaterialer leveres til underleverandør"
diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv
index 302f443..0d406dc 100644
--- a/erpnext/translations/de.csv
+++ b/erpnext/translations/de.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Verlorene Gelegenheitsgründe
 DocType: Patient Appointment,Check availability,Verfügbarkeit prüfen
 DocType: Retention Bonus,Bonus Payment Date,Bonuszahlungsdatum
-DocType: Employee,Job Applicant,Bewerber
+DocType: Appointment Letter,Job Applicant,Bewerber
 DocType: Job Card,Total Time in Mins,Gesamtzeit in Minuten
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontaktinformationen
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Nach etwas suchen ...
 ,Stock and Account Value Comparison,Bestands- und Kontowertvergleich
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Der ausgezahlte Betrag darf nicht höher sein als der Darlehensbetrag
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Interessiert
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Eröffnung
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programm:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Gültig ab Zeit muss kleiner sein als gültig bis Zeit.
 DocType: Item,Copy From Item Group,Von Artikelgruppe kopieren
 DocType: Journal Entry,Opening Entry,Eröffnungsbuchung
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Reines Zahlungskonto
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Klasse
 DocType: Restaurant Table,No of Seats,Anzahl der Sitze
+DocType: Loan Type,Grace Period in Days,Gnadenfrist in Tagen
 DocType: Sales Invoice,Overdue and Discounted,Überfällig und abgezinst
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Anlage {0} gehört nicht der Depotbank {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Anruf getrennt
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Vorgeschriebene Verfahren
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Zeige nur POS
 DocType: Supplier Group,Supplier Group Name,Name der Lieferantengruppe
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Anwesenheit markieren als <b></b>
 DocType: Driver,Driving License Categories,Führerscheinklasse
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Bitte geben Sie das Lieferdatum ein
 DocType: Depreciation Schedule,Make Depreciation Entry,Neuen Abschreibungseintrag erstellen
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Details der durchgeführten Arbeitsgänge
 DocType: Asset Maintenance Log,Maintenance Status,Wartungsstatus
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artikel Steuerbetrag im Wert enthalten
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Kreditsicherheit nicht verpfändet
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Mitgliedschaftsdetails
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Für das Kreditorenkonto ist ein Lieferant erforderlich {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Artikel und Preise
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Stundenzahl: {0}
+DocType: Loan,Loan Manager,Kreditmanager
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"Von-Datum sollte im Geschäftsjahr liegen. Unter der Annahme, Von-Datum = {0}"
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervall
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',"Aktualisiert über ""Zeitprotokoll"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Wählen Sie den Kunden oder den Lieferanten aus.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Ländercode in Datei stimmt nicht mit dem im System eingerichteten Ländercode überein
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Konto {0} gehört nicht zu Firma {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Wählen Sie nur eine Priorität als Standard aus.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Urlaub gesperrt
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank-Einträge
-DocType: Customer,Is Internal Customer,Ist interner Kunde
+DocType: Sales Invoice,Is Internal Customer,Ist interner Kunde
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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.
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materialanfrage
 DocType: Bank Reconciliation,Update Clearance Date,Freigabedatum aktualisieren
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Menge
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Darlehen kann erst erstellt werden, wenn der Antrag genehmigt wurde"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Richtig
 DocType: Student Guardian,Mother,Mutter
 DocType: Restaurant Reservation,Reservation End Time,Reservierungsendzeit
+DocType: Salary Slip Loan,Loan Repayment Entry,Kreditrückzahlungseintrag
 DocType: Crop,Biennial,Biennale
 ,BOM Variance Report,Stücklistenabweichungsbericht
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Bestätigte Aufträge von Kunden
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Zahlung zu {0} {1} kann nicht größer als ausstehender Betrag {2} sein
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Alle Gesundheitseinheiten
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Über die Konvertierung von Opportunitys
+DocType: Loan,Total Principal Paid,Total Principal Paid
 DocType: Bank Account,Address HTML,Adresse im HTML-Format
 DocType: Lead,Mobile No.,Mobilfunknr.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Zahlungsweise
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Guthaben in der Basiswährung
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Neue Angebote
+DocType: Loan Interest Accrual,Loan Interest Accrual,Darlehenszinsabgrenzung
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Die Teilnahme wurde nicht für {0} als {1} im Urlaub eingereicht.
 DocType: Journal Entry,Payment Order,Zahlungsauftrag
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,E-Mail bestätigen
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Einkünfte aus anderen Quellen
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Wenn leer, wird das übergeordnete Warehouse-Konto oder der Firmenstandard berücksichtigt"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-Mails Gehaltsabrechnung an Mitarbeiter auf Basis von bevorzugten E-Mail in Mitarbeiter ausgewählt
+DocType: Work Order,This is a location where operations are executed.,"Dies ist ein Ort, an dem Operationen ausgeführt werden."
 DocType: Tax Rule,Shipping County,Versand-Landesbezirk/-Gemeinde/-Kreis
 DocType: Currency Exchange,For Selling,Für den Verkauf
 apps/erpnext/erpnext/config/desktop.py,Learn,Lernen
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Angewandter Gutscheincode
 DocType: Asset,Next Depreciation Date,Nächstes Abschreibungsdatum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktivitätskosten je Mitarbeiter
+DocType: Loan Security,Haircut %,Haarschnitt%
 DocType: Accounts Settings,Settings for Accounts,Konteneinstellungen
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Lieferantenrechnung existiert in Kauf Rechnung {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Baumstruktur der Vertriebsmitarbeiter verwalten
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Bitte setzen Sie den Zimmerpreis auf {}
 DocType: Journal Entry,Multi Currency,Unterschiedliche Währungen
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Rechnungstyp
+DocType: Loan,Loan Security Details,Details zur Kreditsicherheit
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Gültig ab Datum muss kleiner als aktuell sein
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Ausnahme beim Abgleich von {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Akzeptiertes Lager festlegen
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Erforderliche Labortests genehmigen
 DocType: Attendance,Working Hours,Arbeitszeit
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Absolut aussergewöhnlich
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-Umrechnungsfaktor ({0} -&gt; {1}) für Artikel nicht gefunden: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Anfangs- / Ist-Wert eines Nummernkreises ändern.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Prozentsatz, zu dem Sie mehr als den bestellten Betrag in Rechnung stellen dürfen. Beispiel: Wenn der Bestellwert für einen Artikel 100 US-Dollar beträgt und die Toleranz auf 10% festgelegt ist, können Sie 110 US-Dollar in Rechnung stellen."
 DocType: Dosage Strength,Strength,Stärke
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Fahrzeug-Datum
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampagnen-E-Mail-Zeitplan
 DocType: Student Log,Medical,Medizinisch
+DocType: Work Order,This is a location where scraped materials are stored.,"Dies ist ein Ort, an dem abgekratzte Materialien gelagert werden."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Bitte wählen Sie Arzneimittel
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Lead-Besitzer können nicht gleich dem Lead sein
 DocType: Announcement,Receiver,Empfänger
@@ -886,7 +898,7 @@
 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: BOM,Total Cost (Company Currency),Gesamtkosten (Firmenwährung)
-DocType: Loan,Total Payment,Gesamtzahlung
+DocType: Repayment Schedule,Total Payment,Gesamtzahlung
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,Bestellung wurde bereits für alle Kundenauftragspositionen angelegt
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Warnung Bestellungen
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Vermietet von Datum
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Genug Teile zu bauen
+DocType: Loan Security,Loan Security Code,Kreditsicherheitscode
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Bitte speichern Sie zuerst
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Gegenstände sind erforderlich, um die Rohstoffe zu ziehen, die damit verbunden sind."
 DocType: POS Profile User,POS Profile User,POS-Profilbenutzer
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,"Lagereinträge, die bereits für den Arbeitsauftrag erstellt wurden"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgruppe&gt; Marke
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Frühere Bestellungen anzeigen
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} Konversationen
 DocType: Vital Signs,Respiratory rate,Atemfrequenz
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Löschen der Transaktionen dieses Unternehmens
 DocType: Production Plan Item,Quantity and Description,Menge und Beschreibung
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenznummer und Referenzdatum ist obligatorisch für Bankengeschäft
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stellen Sie die Benennungsserie für {0} über Setup&gt; Einstellungen&gt; Benennungsserie ein
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Hinzufügen/Bearbeiten von Steuern und Abgaben
 DocType: Payment Entry Reference,Supplier Invoice No,Lieferantenrechnungsnr.
 DocType: Territory,For reference,Zu Referenzzwecken
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Steuerrückbehaltkonto
 DocType: Pricing Rule,Sales Partner,Vertriebspartner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle Lieferanten-Scorecards.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Bestellbetrag
+DocType: Loan,Disbursed Amount,Ausgezahlter Betrag
 DocType: Buying Settings,Purchase Receipt Required,Kaufbeleg notwendig
 DocType: Sales Invoice,Rail,Schiene
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tatsächliche Kosten
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Verbunden mit QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Bitte identifizieren / erstellen Sie ein Konto (Ledger) für den Typ - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Verbindlichkeiten-Konto
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,"Das Konto ist obligatorisch, um Zahlungseinträge zu erhalten"
 DocType: Payment Entry,Type of Payment,Zahlungsart
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Das Halbtagesdatum ist obligatorisch
 DocType: Sales Order,Billing and Delivery Status,Abrechnungs- und Lieferstatus
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Rechnungsbetrag
 DocType: Training Result Employee,Training Result Employee,Trainingsergebnis Mitarbeiter
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Ein logisches Lager zu dem Lagerbuchungen gemacht werden.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Nennbetrag
+DocType: Repayment Schedule,Principal Amount,Nennbetrag
 DocType: Loan Application,Total Payable Interest,Insgesamt fällige Zinsen
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Gesamtsumme: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Öffnen Sie Kontakt
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Ihre Artikel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Lieferant&gt; Lieferantentyp
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Verfassen von Angeboten
 DocType: Payment Entry Deduction,Payment Entry Deduction,Zahlungsabzug
 DocType: Service Level Priority,Service Level Priority,Service Level Priorität
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Chargenbeschreibung
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Erstelle Studentengruppen
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway-Konto nicht erstellt haben, erstellen Sie bitte ein manuell."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Group Warehouses können nicht für Transaktionen verwendet werden. Bitte ändern Sie den Wert von {0}
 DocType: Supplier Scorecard,Per Year,Pro Jahr
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nicht für die Aufnahme in dieses Programm nach DOB geeignet
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Zeile # {0}: Artikel {1}, der der Bestellung des Kunden zugeordnet ist, kann nicht gelöscht werden."
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",Beim Erstellen des Kontos für die untergeordnete Firma {0} wurde das übergeordnete Konto {1} nicht gefunden. Bitte erstellen Sie das übergeordnete Konto in der entsprechenden COA
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split-Problem
 DocType: Student Attendance,Student Attendance,Schüler-Anwesenheit
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Keine zu exportierenden Daten
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tatsächliches Lieferdatum
 DocType: Lab Test,Test Template,Testvorlage
+DocType: Loan Security Pledge,Securities,Wertpapiere
 DocType: Restaurant Order Entry Item,Served,Serviert
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Gruppeninformation
 DocType: Account,Accounts,Rechnungswesen
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,0 -
 DocType: Work Order Operation,Planned End Time,Geplante Endzeit
 DocType: POS Profile,Only show Items from these Item Groups,Nur Artikel aus diesen Artikelgruppen anzeigen
+DocType: Loan,Is Secured Loan,Ist besichertes Darlehen
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Details zum Membership-Typ
 DocType: Delivery Note,Customer's Purchase Order No,Kundenauftragsnr.
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Von der Patientenbegegnung erhalten
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-Umrechnungsfaktor ({0} -&gt; {1}) für Element nicht gefunden: {2}
 DocType: Subscriber,Subscriber,Teilnehmer
 DocType: Item Attribute Value,Item Attribute Value,Attributwert des Artikels
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Der Währungsumtausch muss beim Kauf oder beim Verkauf anwendbar sein.
@@ -1517,6 +1537,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Keine Berechtigung
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Prüfliste für Vertragsausführung
 DocType: Vital Signs,Heart Rate / Pulse,Herzfrequenz / Puls
+DocType: Customer,Default Company Bank Account,Standard-Bankkonto des Unternehmens
 DocType: Supplier,Default Bank Account,Standardbankkonto
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Um auf der Grundlage von Gruppen zu filtern, bitte zuerst den Gruppentyp wählen"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Lager aktualisieren"" kann nicht ausgewählt werden, da Artikel nicht über {0} geliefert wurden"
@@ -1634,7 +1655,6 @@
 DocType: Sales Team,Incentives,Anreize
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Werte nicht synchron
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Differenzwert
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Richten Sie die Nummerierungsserie für die Teilnahme über Setup&gt; Nummerierungsserie ein
 DocType: SMS Log,Requested Numbers,Angeforderte Nummern
 DocType: Volunteer,Evening,Abend
 DocType: Quiz,Quiz Configuration,Quiz-Konfiguration
@@ -1654,6 +1674,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Auf vorherige Zeilensumme
 DocType: Purchase Invoice Item,Rejected Qty,Abgelehnt Menge
 DocType: Setup Progress Action,Action Field,Aktions-Feld
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Darlehensart für Zins- und Strafzinssätze
 DocType: Healthcare Settings,Manage Customer,Kunden verwalten
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Vor dem Synchronisieren der Bestelldetails Produkte immer mit Amazon MWS synchronisieren.
 DocType: Delivery Trip,Delivery Stops,Lieferstopps
@@ -1665,6 +1686,7 @@
 ,Final Assessment Grades,Endgültige Bewertungsmaßstäbe
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Firma des Unternehmens, für das dieses System eingerichtet wird."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Urlaub in die Gesamtzahl der Arbeitstage mit einbeziehen
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Der Gesamtsumme
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Richten Sie Ihr Institut in ERPNext ein
 DocType: Agriculture Analysis Criteria,Plant Analysis,Anlagenanalyse
 DocType: Task,Timeline,Zeitleiste
@@ -1672,9 +1694,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativer Artikel
 DocType: Shopify Log,Request Data,Daten anfordern
 DocType: Employee,Date of Joining,Eintrittsdatum
+DocType: Delivery Note,Inter Company Reference,Unternehmensübergreifende Referenz
 DocType: Naming Series,Update Series,Nummernkreise aktualisieren
 DocType: Supplier Quotation,Is Subcontracted,Ist Untervergabe
 DocType: Restaurant Table,Minimum Seating,Mindestbestuhlung
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Die Frage kann nicht dupliziert werden
 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,Purchase Receipt,Kaufbeleg
@@ -1776,6 +1800,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline-Rechnungen
 DocType: Payment Request,Paid,Bezahlt
 DocType: Service Level,Default Priority,Standardpriorität
+DocType: Pledge,Pledge,Versprechen
 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."
@@ -1789,6 +1814,7 @@
 DocType: Guardian,Guardian Name,Name des Erziehungsberechtigten
 DocType: Cheque Print Template,Has Print Format,Hat ein Druckformat
 DocType: Support Settings,Get Started Sections,Erste Schritte Abschnitte
+,Loan Repayment and Closure,Kreditrückzahlung und -schließung
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sanktionierte
 ,Base Amount,Grundbetrag
@@ -1799,10 +1825,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Von Ort
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Der Darlehensbetrag darf nicht größer als {0} sein.
 DocType: Student Admission,Publish on website,Veröffentlichen Sie auf der Website
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Lieferant Rechnungsdatum kann nicht größer sein als Datum der Veröffentlichung
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgruppe&gt; Marke
 DocType: Subscription,Cancelation Date,Stornierungsdatum
 DocType: Purchase Invoice Item,Purchase Order Item,Lieferantenauftrags-Artikel
 DocType: Agriculture Task,Agriculture Task,Landwirtschaftsaufgabe
@@ -1821,7 +1847,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Zusätzlicher prozentualer Rabatt
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Sehen Sie eine Liste aller Hilfe-Videos
 DocType: Agriculture Analysis Criteria,Soil Texture,Bodentextur
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Bezeichnung des Kontos bei der Bank, bei der der Scheck eingereicht wurde, auswählen."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,"Benutzer erlauben, die Preisliste in Transaktionen zu bearbeiten"
 DocType: Pricing Rule,Max Qty,Maximalmenge
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Berichtskarte drucken
@@ -1953,7 +1978,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Einmal eingestellt, wird diese Rechnung bis zum festgelegten Datum gehalten"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Verkaufsbetrag
-DocType: Repayment Schedule,Interest Amount,Zinsbetrag
+DocType: Loan Interest Accrual,Interest Amount,Zinsbetrag
 DocType: Job Card,Time Logs,Zeitprotokolle
 DocType: Sales Invoice,Loyalty Amount,Loyalitätsbetrag
 DocType: Employee Transfer,Employee Transfer Detail,Mitarbeiterüberweisungsdetails
@@ -1968,6 +1993,7 @@
 DocType: Cashier Closing,Returns,Retouren
 DocType: Job Card,WIP Warehouse,Fertigungslager
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Seriennummer {0} ist mit Wartungsvertrag versehen bis {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Sanktionsbetrag für {0} {1} überschritten
 apps/erpnext/erpnext/config/hr.py,Recruitment,Rekrutierung
 DocType: Lead,Organization Name,Firmenname
 DocType: Support Settings,Show Latest Forum Posts,Zeige aktuelle Forum Beiträge
@@ -1994,7 +2020,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Bestellungen überfällig
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Postleitzahl
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Kundenauftrag {0} ist {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Lagerbuchungen erstellen
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Mitarbeiter mit Status &quot;Links&quot; kann nicht gefördert werden
@@ -2078,7 +2103,6 @@
 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,Start Year,Startjahr
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Darlehen erstellen
 DocType: Purchase Invoice,Start date of current invoice's period,Startdatum der laufenden Rechnungsperiode
 DocType: Shift Type,Process Attendance After,Anwesenheit verarbeiten nach
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Wählen Sie Ihre Bereiche
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Lieferant
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Zahlung Rechnungspositionen
+DocType: Repayment Schedule,Is Accrued,Ist aufgelaufen
 DocType: Payroll Entry,Employee Details,Mitarbeiterdetails
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML-Dateien verarbeiten
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Loyalitätspunkteintrag
 DocType: Employee Checkin,Shift End,Schichtende
 DocType: Stock Settings,Default Item Group,Standard-Artikelgruppe
+DocType: Loan,Partially Disbursed,teil~~POS=TRUNC Zahlter
 DocType: Job Card Time Log,Time In Mins,Zeit in Min
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Gewähren Sie Informationen.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Durch diese Aktion wird die Verknüpfung dieses Kontos mit einem externen Dienst, der ERPNext mit Ihren Bankkonten integriert, aufgehoben. Es kann nicht ungeschehen gemacht werden. Bist du sicher ?"
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Das gleiche Einzelteil kann nicht mehrfach eingegeben werden.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Kreditabschluss
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,Verbindlichkeiten
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2177,6 +2204,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON kann nur aus einem eingereichten Dokument generiert werden
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Mitarbeitersteuern und -leistungen
 DocType: Bank Guarantee,Validity in Days,Gültigkeit in Tagen
+DocType: Unpledge,Haircut,Haarschnitt
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Kontaktformular nicht anwendbar auf  Rechnung: {0}
 DocType: Certified Consultant,Name of Consultant,Name des Beraters
 DocType: Payment Reconciliation,Unreconciled Payment Details,Nicht abgeglichene Zahlungen
@@ -2229,7 +2257,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Rest der Welt
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Der Artikel {0} kann keine Charge haben
 DocType: Crop,Yield UOM,Ertrag UOM
+DocType: Loan Security Pledge,Partially Pledged,Teilweise verpfändet
 ,Budget Variance Report,Budget-Abweichungsbericht
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Sanktionierter Darlehensbetrag
 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,Get Items from Healthcare Services,Holen Sie sich Artikel von Healthcare Services
@@ -2264,6 +2294,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Neues Qualitätsverfahren
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo für Konto {0} muss immer {1} sein
 DocType: Patient Appointment,More Info,Weitere Informationen
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Das Geburtsdatum darf nicht größer als das Beitrittsdatum sein.
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard-Aktionen
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Lieferant {0} nicht in {1} gefunden
 DocType: Purchase Invoice,Rejected Warehouse,Ausschusslager
@@ -2360,6 +2391,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Bitte legen Sie zuerst den Itemcode fest
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Dokumententyp
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Kreditsicherheitsversprechen Erstellt: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Termine und Patienten-Begegnungen
@@ -2415,6 +2447,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Anzahl gleichzeitiger Termine
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Beginnen
 DocType: Purchase Invoice,Taxes and Charges Calculation,Berechnung der Steuern und Gebühren
+DocType: Loan Interest Accrual,Payable Principal Amount,Zu zahlender Kapitalbetrag
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Vermögensabschreibung automatisch verbuchen
 DocType: BOM Operation,Workstation,Arbeitsplatz
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Angebotsanfrage Lieferant
@@ -2451,7 +2484,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Lebensmittel
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Alter Bereich 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-Gutschein-Details
-DocType: Bank Account,Is the Default Account,Ist das Standardkonto
 DocType: Shopify Log,Shopify Log,Shopify-Protokoll
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Keine Kommunikation gefunden.
 DocType: Inpatient Occupancy,Check In,Check-In
@@ -2509,12 +2541,14 @@
 DocType: Sales Order Item,Planned Quantity,Geplante Menge
 DocType: Water Analysis,Water Analysis Criteria,Wasseranalysekriterien
 DocType: Item,Maintain Stock,Lager verwalten
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge-Zeit
 DocType: Terms and Conditions,Applicable Modules,Anwendbare Module
 DocType: Employee,Prefered Email,Bevorzugte E-Mail
 DocType: Student Admission,Eligibility and Details,Teilnahmeberechtigung und Details
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Im Bruttogewinn enthalten
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Nettoveränderung des Anlagevermögens
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Erforderliche Menge
+DocType: Work Order,This is a location where final product stored.,"Dies ist ein Ort, an dem das Endprodukt gelagert wird."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Von Datum und Uhrzeit
@@ -2555,8 +2589,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Status der Garantie / des jährlichen Wartungsvertrags
 ,Accounts Browser,Kontenbrowser
 DocType: Procedure Prescription,Referral,Verweisung
+,Territory-wise Sales,Gebietsbezogene Verkäufe
 DocType: Payment Entry Reference,Payment Entry Reference,Zahlungsreferenz
 DocType: GL Entry,GL Entry,Buchung zum Hauptbuch
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Zeile # {0}: Akzeptiertes Lager und Lieferantenlager können nicht identisch sein
 DocType: Support Search Source,Response Options,Antwortoptionen
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Mehrere Preisregeln anwenden
 DocType: HR Settings,Employee Settings,Mitarbeitereinstellungen
@@ -2616,6 +2652,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Landwirtschaft (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Packzettel
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Bitte stellen Sie die Namensreihe über Setup&gt; Einstellungen&gt; Namensreihe auf {0} ein
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Büromiete
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Einstellungen für SMS-Gateway verwalten
 DocType: Disease,Common Name,Gemeinsamen Namen
@@ -2632,6 +2669,7 @@
 DocType: Item,Sales Details,Verkaufsdetails
 DocType: Coupon Code,Used,Benutzt
 DocType: Opportunity,With Items,Mit Artikeln
+DocType: Vehicle Log,last Odometer Value ,letzter Kilometerzählerwert
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Die Kampagne &#39;{0}&#39; existiert bereits für die {1} &#39;{2}&#39;.
 DocType: Asset Maintenance,Maintenance Team,Wartungs Team
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Reihenfolge, in der Abschnitte angezeigt werden sollen. 0 ist zuerst, 1 ist an zweiter Stelle und so weiter."
@@ -2642,7 +2680,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Auslagenabrechnung {0} existiert bereits für das Fahrzeug Log
 DocType: Asset Movement Item,Source Location,Quellspeicherort
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Name des Institutes
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Bitte geben Sie Rückzahlungsbetrag
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Bitte geben Sie Rückzahlungsbetrag
 DocType: Shift Type,Working Hours Threshold for Absent,Arbeitszeitschwelle für Abwesenheit
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Abhängig von der Gesamtausgabenanzahl kann es einen mehrstufigen Sammelfaktor geben. Der Umrechnungsfaktor für die Einlösung wird jedoch für alle Stufen immer gleich sein.
 apps/erpnext/erpnext/config/help.py,Item Variants,Artikelvarianten
@@ -2666,6 +2704,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} muss kleiner als {2} sein
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Bitte wählen Sie zuerst den Antragstellertyp aus
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Bitte Stückliste, Menge und Lager wählen"
 DocType: GST HSN Code,GST HSN Code,GST HSN Code
 DocType: Employee External Work History,Total Experience,Gesamterfahrung
@@ -2756,7 +2795,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Für die Position {0} wurde keine aktive Stückliste gefunden. Die Lieferung per \ Seriennummer kann nicht gewährleistet werden
 DocType: Sales Partner,Sales Partner Target,Vertriebspartner-Ziel
-DocType: Loan Type,Maximum Loan Amount,Maximaler Darlehensbetrag
+DocType: Loan Application,Maximum Loan Amount,Maximaler Darlehensbetrag
 DocType: Coupon Code,Pricing Rule,Preisregel
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplikat Rollennummer für den Schüler {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Von der Materialanfrage zum Lieferantenauftrag
@@ -2779,6 +2818,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Erfolgreich zugewiesene Abwesenheiten für {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Keine Artikel zum Verpacken
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Derzeit werden nur CSV- und XLSX-Dateien unterstützt
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Bitte richten Sie das Employee Naming System unter Human Resource&gt; HR Settings ein
 DocType: Shipping Rule Condition,From Value,Von-Wert
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Eingabe einer Fertigungsmenge ist erforderlich
 DocType: Loan,Repayment Method,Rückzahlweg
@@ -2862,6 +2902,7 @@
 DocType: Customer,Customer POS Id,Kunden-POS-ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Der Student mit der E-Mail-Adresse {0} existiert nicht
 DocType: Account,Account Name,Kontenname
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Der genehmigte Darlehensbetrag für {0} gegen das Unternehmen {1} ist bereits vorhanden.
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Von-Datum kann später liegen als Bis-Datum
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Seriennummer {0} mit Menge {1} kann nicht eine Teilmenge sein
 DocType: Pricing Rule,Apply Discount on Rate,Rabatt auf Rate anwenden
@@ -2933,6 +2974,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Reingewinn
 DocType: Purchase Invoice,Eligibility For ITC,Berechtigung für ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Nicht verpfändet
 DocType: Journal Entry,Entry Type,Buchungstyp
 ,Customer Credit Balance,Kunden-Kreditlinien
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Nettoveränderung der Verbindlichkeiten
@@ -2944,6 +2986,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Anwesenheitsgeräte-ID (biometrische / RF-Tag-ID)
 DocType: Quotation,Term Details,Details der Geschäftsbedingungen
 DocType: Item,Over Delivery/Receipt Allowance (%),Überlieferung / Belegzuschlag (%)
+DocType: Appointment Letter,Appointment Letter Template,Termin Briefvorlage
 DocType: Employee Incentive,Employee Incentive,Mitarbeiteranreiz
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Summe (ohne Steuern)
@@ -2966,6 +3009,7 @@
 					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."
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Zahlung bei Stornierung der Rechnung aufheben
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Prozessdarlehenszinsabgrenzung
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Der eingegebene aktuelle Kilometerstand sollte größer sein als der Anfangskilometerstand {0}
 ,Purchase Order Items To Be Received or Billed,"Bestellpositionen, die empfangen oder in Rechnung gestellt werden sollen"
 DocType: Restaurant Reservation,No Show,Keine Show
@@ -3051,6 +3095,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Kostenstelle ist erforderlich für ""Gewinn- und Verlust"" Konto {2}. Bitte erstellen Sie eine Standard-Kostenstelle für das Unternehmen."
 DocType: Payment Schedule,Payment Term,Zahlungsbedingung
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Eine Kundengruppe mit dem gleichen Namen existiert bereits. Bitte den Kundennamen ändern oder die Kundengruppe umbenennen
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Das Enddatum der Zulassung sollte größer sein als das Startdatum der Zulassung.
 DocType: Location,Area,Bereich
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Neuer Kontakt
 DocType: Company,Company Description,Beschreibung des Unternehmens
@@ -3125,6 +3170,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Zugeordnete Daten
 DocType: Purchase Order Item,Warehouse and Reference,Lager und Referenz
 DocType: Payroll Period Date,Payroll Period Date,Abrechnungsperiodatum
+DocType: Loan Disbursement,Against Loan,Gegen Darlehen
 DocType: Supplier,Statutory info and other general information about your Supplier,Rechtlich notwendige und andere allgemeine Informationen über Ihren Lieferanten
 DocType: Item,Serial Nos and Batches,Seriennummern und Chargen
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Schülergruppenstärke
@@ -3191,6 +3237,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Wählen Sie eine Firma aus
 DocType: Delivery Settings,Delivery Settings,Liefereinstellungen
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Daten abrufen
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Es kann nicht mehr als {0} Menge von {0} entfernt werden
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Der maximal zulässige Urlaub im Urlaubstyp {0} ist {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 Artikel veröffentlichen
 DocType: SMS Center,Create Receiver List,Empfängerliste erstellen
@@ -3338,6 +3385,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Basisbetrag (Unternehmenswährung)
 DocType: Purchase Invoice,Registered Regular,Registered Regular
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Rohes Material
+DocType: Plaid Settings,sandbox,Sandkasten
 DocType: Payment Reconciliation Payment,Reference Row,Referenzreihe
 DocType: Installation Note,Installation Time,Installationszeit
 DocType: Sales Invoice,Accounting Details,Buchhaltungs-Details
@@ -3350,12 +3398,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Art der Transaktion
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Akzeptanzkriterien
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Zahlenden Gesamtbetrag
 DocType: Task,Expected Time (in hours),Voraussichtliche Zeit (in Stunden)
 DocType: Item Reorder,Check in (group),Check-in (Gruppe)
 DocType: Soil Texture,Silt,Schlick
@@ -3386,6 +3433,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Steuern für nicht abgegebenen Steuerbefreiungsnachweis abziehen
 DocType: Volunteer,Anytime,Jederzeit
 DocType: Bank Account,Bank Account No,Bankkonto Nr
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Auszahlung und Rückzahlung
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission
 DocType: Patient,Surgical History,Chirurgische Geschichte
 DocType: Bank Statement Settings Item,Mapped Header,Zugeordnete Kopfzeile
@@ -3449,6 +3497,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Lab-Test (e) auf Verkaufsrechnung erstellen erstellen
 DocType: Serial No,Invoice Details,Rechnungs-Details
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Die Gehaltsstruktur muss vor der Abgabe der Steuerbefreiungserklärung vorgelegt werden
+DocType: Loan Application,Proposed Pledges,Vorgeschlagene Zusagen
 DocType: Grant Application,Show on Website,Auf der Website anzeigen
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Beginnen am
 DocType: Hub Tracked Item,Hub Category,Hub-Kategorie
@@ -3460,7 +3509,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Zeile {0}: Bill of Materials nicht für den Artikel gefunden {1}
 DocType: Contract Fulfilment Checklist,Requirement,Anforderung
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Richten Sie das Employee Naming System unter Human Resource&gt; HR Settings ein
 DocType: Journal Entry,Accounts Receivable,Forderungen
 DocType: Quality Goal,Objectives,Ziele
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Berechtigte Rolle zum Erstellen eines zurückdatierten Urlaubsantrags
@@ -3473,6 +3521,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Abgeglichene Buchungen einbeziehen
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Der insgesamt zugewiesene Betrag ({0}) ist höher als der bezahlte Betrag ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Kosten auf folgender Grundlage verteilen
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Der bezahlte Betrag darf nicht kleiner als {0} sein.
 DocType: Projects Settings,Timesheets,Zeiterfassungen
 DocType: HR Settings,HR Settings,Einstellungen zum Modul Personalwesen
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Accounting Masters
@@ -3618,6 +3667,7 @@
 DocType: Employee,Health Insurance,Krankenversicherung
 DocType: Asset Repair,Manufacturing Manager,Fertigungsleiter
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Seriennummer {0} ist innerhalb der Garantie bis {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Der Darlehensbetrag übersteigt den maximalen Darlehensbetrag von {0} gemäß den vorgeschlagenen Wertpapieren
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimal zulässiger Wert
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Der Benutzer {0} existiert bereits
 apps/erpnext/erpnext/hooks.py,Shipments,Lieferungen
@@ -3661,7 +3711,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Geschäftsart
 DocType: Sales Invoice,Consumer,Verbraucher
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Bitte zugewiesenen Betrag, Rechnungsart und Rechnungsnummer in mindestens einer Zeile auswählen"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stellen Sie die Benennungsserie für {0} über Setup&gt; Einstellungen&gt; Benennungsserie ein
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kosten eines neuen Kaufs
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Kundenauftrag für den Artikel {0} erforderlich
 DocType: Grant Application,Grant Description,Gewähren Beschreibung
@@ -3670,6 +3719,7 @@
 DocType: Subscription,Discounts,Rabatte
 DocType: Bank Transaction,Unallocated Amount,Nicht zugewiesener Betrag
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Bitte aktivieren Sie Anwendbar bei Bestellung und Anwendbar bei Buchung von tatsächlichen Ausgaben
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} ist kein Firmenbankkonto
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Ein passender Artikel kann nicht gefunden werden. Bitte einen anderen Wert für {0} auswählen.
 DocType: POS Profile,Taxes and Charges,Steuern und Gebühren
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt oder Dienstleistung, die gekauft, verkauft oder auf Lager gehalten wird."
@@ -3718,6 +3768,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,"""Gültig ab"" Datum muss vor ""Gültig bis"" Datum liegen."
 DocType: Employee Skill,Evaluation Date,Bewertungstag
 DocType: Quotation Item,Stock Balance,Lagerbestand
+DocType: Loan Security Pledge,Total Security Value,Gesamtsicherheitswert
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Vom Kundenauftrag zum Zahlungseinang
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Mit Zahlung der Steuer
@@ -3730,6 +3781,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Konto {0} ist im Dashboard-Diagramm {1} nicht vorhanden
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Variantenattribute anzeigen
@@ -3811,6 +3863,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktueller Wertansatz
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Die Anzahl der Stammkonten darf 4 nicht unterschreiten
 DocType: Training Event,Advance,Vorschuss
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Gegen Darlehen:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless-Gateway-Einstellungen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange-Gewinn / Verlust
 DocType: Opportunity,Lost Reason,Verlustgrund
@@ -3894,8 +3947,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Wählen Sie Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Ungültige(r/s) {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Zeile {0}: Das Geburtsdatum der Geschwister kann nicht größer als heute sein.
 DocType: Fee Validity,Reference Inv,Referenz ERE
 DocType: Sales Invoice Advance,Advance Amount,Anzahlungsbetrag
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Strafzinssatz (%) pro Tag
 DocType: Manufacturing Settings,Capacity Planning,Kapazitätsplanung
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Rundung (Unternehmenswährung)
 DocType: Asset,Policy number,Versicherungsnummer
@@ -3911,7 +3966,9 @@
 DocType: Normal Test Items,Require Result Value,Erforderlichen Ergebniswert
 DocType: Purchase Invoice,Pricing Rules,Preisregeln
 DocType: Item,Show a slideshow at the top of the page,Diaschau oben auf der Seite anzeigen
+DocType: Appointment Letter,Body,Körper
 DocType: Tax Withholding Rate,Tax Withholding Rate,Steuerrückbehaltrate
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Das Startdatum der Rückzahlung ist für befristete Darlehen obligatorisch
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Stücklisten
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Lagerräume
@@ -3931,7 +3988,7 @@
 DocType: Call Log,Received By,Empfangen von
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Termindauer (in Minuten)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Details zur Cashflow-Mapping-Vorlage
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Darlehensverwaltung
+DocType: Loan,Loan Management,Darlehensverwaltung
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Einnahmen und Ausgaben für Produktbereiche oder Abteilungen separat verfolgen.
 DocType: Rename Tool,Rename Tool,Werkzeug zum Umbenennen
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Kosten aktualisieren
@@ -3939,6 +3996,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Transportart
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Anzeigen Gehaltsabrechnung
+DocType: Loan,Is Term Loan,Ist Laufzeitdarlehen
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Material übergeben
 DocType: Fees,Send Payment Request,Zahlungsauftrag senden
 DocType: Travel Request,Any other details,Weitere Details
@@ -3956,6 +4014,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Cashflow aus Finanzierung
 DocType: Budget Account,Budget Account,Budget Konto
 DocType: Quality Inspection,Verified By,Überprüft von
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Darlehenssicherheit hinzufügen
 DocType: Travel Request,Name of Organizer,Name des Veranstalters
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Die Standardwährung des Unternehmens kann nicht geändern werden, weil es bestehende Transaktionen gibt. Transaktionen müssen abgebrochen werden, um die Standardwährung zu ändern."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Ist Einkommensteuerpflicht
@@ -4006,6 +4065,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Benötigt am
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Wenn diese Option aktiviert ist, wird das Feld &quot;Gerundete Summe&quot; in Gehaltsabrechnungen ausgeblendet und deaktiviert"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dies ist der Standardversatz (Tage) für das Lieferdatum in Kundenaufträgen. Der Fallback-Offset beträgt 7 Tage ab Bestelldatum.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,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: Rename Tool,File to Rename,"Datei, die umbenannt werden soll"
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Bitte Stückliste für Artikel in Zeile {0} auswählen
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Abruf von Abonnement-Updates
@@ -4018,6 +4078,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Seriennummern erstellt
 DocType: POS Profile,Applicable for Users,Anwendbar für Benutzer
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.JJJJ.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Von Datum und Bis Datum sind obligatorisch
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Projekt und alle Aufgaben auf Status {0} setzen?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Vorschüsse setzen und zuordnen (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Keine Arbeitsaufträge erstellt
@@ -4027,6 +4088,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artikel von
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Aufwendungen für bezogene Artikel
 DocType: Employee Separation,Employee Separation Template,Mitarbeiter Trennvorlage
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Null Menge von {0} gegen Darlehen {0} verpfändet
 DocType: Selling Settings,Sales Order Required,Kundenauftrag erforderlich
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Werden Sie ein Verkäufer
 ,Procurement Tracker,Beschaffungs-Tracker
@@ -4045,6 +4107,7 @@
 DocType: Supplier,Is Frozen,Ist gesperrt
 DocType: Tally Migration,Processed Files,Verarbeitete Dateien
 apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Gruppenknoten Lager ist nicht für Transaktionen zu wählen erlaubt
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Balance Sheet' account {1}.,Die Buchhaltungsdimension <b>{0}</b> ist für das Bilanzkonto <b>{1}</b> erforderlich.
 DocType: Buying Settings,Buying Settings,Einkaufs-Einstellungen
 DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Stücklisten-Nr. für einen fertigen Artikel
 DocType: Upload Attendance,Attendance To Date,Anwesenheit bis Datum
@@ -4123,11 +4186,12 @@
 ,Minutes to First Response for Opportunity,Minuten bis zur ersten Antwort auf Chance
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Summe Abwesenheit
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Bezahlbarer Betrag
+DocType: Loan Repayment,Payable Amount,Bezahlbarer Betrag
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Chance
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Die maximale Stärke kann nicht kleiner als Null sein.
 DocType: Options,Option,Möglichkeit
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Sie können in der abgeschlossenen Abrechnungsperiode {0} keine Buchhaltungseinträge erstellen.
 DocType: Operation,Default Workstation,Standard-Arbeitsplatz
@@ -4169,6 +4233,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Der Zinsbetrag ist obligatorisch
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Nächste Schritte
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Gespeicherte Objekte
@@ -4239,8 +4304,6 @@
 DocType: Grant Application,Grant Application Details ,Gewähren Sie Anwendungsdetails
 DocType: Employee Separation,Employee Separation,Mitarbeitertrennung
 DocType: BOM Item,Original Item,Originalartikel
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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 zu stornieren"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumenten Datum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Gebühren-Einträge erstellt - {0}
 DocType: Asset Category Account,Asset Category Account,Anlagekategorie Konto
@@ -4276,6 +4339,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labortestelement {0} ist bereits vorhanden
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ist ein Firmenurlaub
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Abrechenbare Stunden
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Bei verspäteter Rückzahlung wird täglich ein Strafzins auf den ausstehenden Zinsbetrag erhoben
+DocType: Appointment Letter content,Appointment Letter content,Inhalt des Ernennungsschreibens
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Benachrichtigung über den Status des Urlaubsantrags
 DocType: Patient Appointment,Procedure Prescription,Prozedurverschreibung
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Betriebs- und Geschäftsausstattung
@@ -4295,7 +4360,7 @@
 DocType: Opportunity,Customer / Lead Name,Kunden- / Lead-Name
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Abrechnungsdatum nicht erwähnt
 DocType: Payroll Period,Taxable Salary Slabs,Steuerbare Lohnplatten
-DocType: Job Card,Production,Produktion
+DocType: Plaid Settings,Production,Produktion
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ungültige GSTIN! Die von Ihnen eingegebene Eingabe stimmt nicht mit dem Format von GSTIN überein.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Kontostand
 DocType: Guardian,Occupation,Beruf
@@ -4439,6 +4504,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Treueprogramm-Sammlung
 DocType: Stock Entry Detail,Subcontracted Item,Unterauftragsgegenstand
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Student {0} gehört nicht zur Gruppe {1}
+DocType: Appointment Letter,Appointment Date,Termin
 DocType: Budget,Cost Center,Kostenstelle
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Beleg #
 DocType: Tax Rule,Shipping Country,Zielland der Lieferung
@@ -4509,6 +4575,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Abrechnungsdimension
 ,Profit and Loss Statement,Gewinn- und Verlustrechnung
 DocType: Bank Reconciliation Detail,Cheque Number,Schecknummer
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Der gezahlte Betrag darf nicht Null sein
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Der Artikel, auf den mit {0} - {1} verwiesen wird, wird bereits in Rechnung gestellt"
 ,Sales Browser,Vertriebs-Browser
 DocType: Journal Entry,Total Credit,Gesamt-Haben
@@ -4625,6 +4692,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Gutscheinbedingungen hinzufügen / bearbeiten
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Aufwands-/Differenz-Konto ({0}) muss ein ""Gewinn oder Verlust""-Konto sein"
 DocType: Stock Entry Detail,Stock Entry Child,Stock Entry Child
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Loan Security Pledge Company und Loan Company müssen identisch sein
 DocType: Project,Copied From,Kopiert von
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Die Rechnung wurde bereits für alle Abrechnungsstunden erstellt
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Namens Fehler: {0}
@@ -4632,6 +4700,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Ist Finanzen Kosten
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,"""Anwesenheit von Mitarbeiter"" {0} ist bereits markiert"
 DocType: Packing Slip,If more than one package of the same type (for print),Wenn es mehr als ein Paket von der gleichen Art (für den Druck) gibt
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Bitte richten Sie das Instructor Naming System unter Education&gt; Education Settings ein
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Bitte setzen Sie den Standardkunden in den Restauranteinstellungen
 ,Salary Register,Gehalt Register
 DocType: Company,Default warehouse for Sales Return,Standardlager für Verkaufsretoure
@@ -4676,7 +4745,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Aktuelle Seriennummer
 DocType: Employee,Attendance and Leave Details,Anwesenheits- und Urlaubsdetails
 ,BOM Comparison Tool,Stücklisten-Vergleichstool
-,Requested,Angefordert
+DocType: Loan Security Pledge,Requested,Angefordert
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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."
@@ -4688,7 +4757,6 @@
 DocType: Drug Prescription,Drug Prescription,Medikamenten Rezept
 DocType: Service Level,Support and Resolution,Unterstützung und Lösung
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Freier Artikelcode ist nicht ausgewählt
-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
@@ -4722,6 +4790,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Lagerbuchung
 DocType: Lab Test,LabTest Approver,LabTest Genehmiger
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Sie haben bereits für die Bewertungskriterien beurteilt.
+DocType: Loan Security Shortfall,Shortfall Amount,Fehlbetrag
 DocType: Vehicle Service,Engine Oil,Motoröl
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Arbeitsaufträge erstellt: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Bitte geben Sie eine E-Mail-ID für den Lead {0} ein.
@@ -4740,6 +4809,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Konto ist nicht für das Dashboard-Diagramm {0} festgelegt.
 DocType: Purchase Invoice,Apply Additional Discount On,Zusätzlichen Rabatt gewähren auf
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Art auswählen...
+DocType: Loan Interest Accrual,Amounts,Beträge
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Deine Tickets
 DocType: Account,Root Type,Root-Typ
 DocType: Item,FIFO,FIFO
@@ -4747,6 +4817,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Zeile # {0}: Es kann nicht mehr als {1} für Artikel {2} zurückgegeben werden
 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: Loan Security Price,Loan Security Price,Kreditsicherheitspreis
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Steuerbetrag nach Abzug von Rabatt (Unternehmenswährung)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Eingangslager ist für Zeile {0} zwingend erforderlich
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Einzelhandel
@@ -4885,6 +4956,7 @@
 DocType: Coupon Code,Coupon Description,Coupon Beschreibung
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch ist obligatorisch in Zeile {0}
 DocType: Company,Default Buying Terms,Standard-Einkaufsbedingungen
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Kreditauszahlung
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Kaufbeleg-Artikel geliefert
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktivieren Sie Geplante Synchronisierung
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Bis Datum und Uhrzeit
@@ -4913,6 +4985,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Wert zwischen {0} und {1} eingeben
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Namen der Kampagne eingeben, wenn der Ursprung der Anfrage eine Kampagne ist"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Zeitungsverleger
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Für {0} wurde kein gültiger <b>Kreditsicherheitspreis</b> gefunden.
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Zukünftige Termine sind nicht erlaubt
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Voraussichtlicher Liefertermin sollte nach Kundenauftragsdatum erfolgen
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Meldebestand
@@ -4979,6 +5052,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Angebot / Preis Angebot
 DocType: Antibiotic,Healthcare,Gesundheitswesen
 DocType: Target Detail,Target Detail,Zieldetail
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Darlehensprozesse
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Einzelvariante
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Alle Jobs
 DocType: Sales Order,% of materials billed against this Sales Order,% der Materialien welche zu diesem Kundenauftrag gebucht wurden
@@ -5041,7 +5115,7 @@
 DocType: Item,Reorder level based on Warehouse,Meldebestand auf Basis des Lagers
 DocType: Activity Cost,Billing Rate,Abrechnungsbetrag
 ,Qty to Deliver,Zu liefernde Menge
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Auszahlungsbeleg erstellen
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Auszahlungsbeleg erstellen
 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,Operations cannot be left blank,Der Betrieb kann nicht leer sein
@@ -5075,6 +5149,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Verknüpfung externer Integrationen aufheben
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Wählen Sie eine entsprechende Zahlung
 DocType: Pricing Rule,Item Code,Artikel-Code
+DocType: Loan Disbursement,Pending Amount For Disbursal,Ausstehender Betrag für die Auszahlung
 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,Select students manually for the Activity based Group,Wählen Sie die Schüler manuell für die aktivitätsbasierte Gruppe aus
@@ -5098,6 +5173,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Gesamtmenge
 DocType: Landed Cost Item,Receipt Document,Eingangsbeleg
 DocType: Employee Education,School/University,Schule/Universität
+DocType: Loan Security Pledge,Loan  Details,Darlehensdetails
 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,Billed Amount,Rechnungsbetrag
 DocType: Share Transfer,(including),(einschliesslich)
@@ -5121,6 +5197,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Gruppen
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Gruppieren nach Konto
 DocType: Purchase Invoice,Hold Invoice,Rechnung zurückhalten
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Verpfändungsstatus
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Bitte wählen Sie Mitarbeiter
 DocType: Sales Order,Fully Delivered,Komplett geliefert
 DocType: Promotional Scheme Price Discount,Min Amount,Mindestbetrag
@@ -5130,7 +5207,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"Vermögenswert erhalten, aber nicht in Rechnung gestellt"
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"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,Disbursed Amount cannot be greater than Loan Amount {0},Zahlter Betrag kann nicht größer sein als Darlehensbetrag {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Zeile {0} # Der zugewiesene Betrag {1} darf nicht größer sein als der nicht beanspruchte Betrag {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Lieferantenauftragsnummer ist für den Artikel {0} erforderlich
 DocType: Leave Allocation,Carry Forwarded Leaves,Übertragene Urlaubsgenehmigungen
@@ -5158,6 +5234,7 @@
 DocType: Pick List Item,Serial No and Batch,Seriennummer und Chargen
 DocType: Warranty Claim,From Company,Von Unternehmen
 DocType: GSTR 3B Report,January,Januar
+DocType: Loan Repayment,Principal Amount Paid,Hauptbetrag bezahlt
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Die Summe der Ergebnisse von Bewertungskriterien muss {0} sein.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Bitte setzen Sie Anzahl der Abschreibungen gebucht
 DocType: Supplier Scorecard Period,Calculations,Berechnungen
@@ -5183,6 +5260,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Über das Unternehmen
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Alterungsdaten anzeigen
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Habenkonto muss ein Bilanzkonto sein
+DocType: Loan Repayment,Penalty Amount,Strafbetrag
 DocType: Donor,Donor,Spender
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Steuern für Artikel aktualisieren
 DocType: Global Defaults,Disable In Words,"""Betrag in Worten"" abschalten"
@@ -5213,6 +5291,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostenstelle und Budgetierung
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Anfangsstand Eigenkapital
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Teilweise bezahlte Einreise
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Bitte legen Sie den Zahlungsplan fest
 DocType: Pick List,Items under this warehouse will be suggested,Artikel unter diesem Lager werden vorgeschlagen
 DocType: Purchase Invoice,N,N
@@ -5246,7 +5325,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} für Artikel {1} nicht gefunden
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Wert muss zwischen {0} und {1} liegen
 DocType: Accounts Settings,Show Inclusive Tax In Print,Bruttopreise beim Druck anzeigen
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Mitteilung gesendet
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Konto mit untergeordneten Knoten kann nicht als Hauptbuch festgelegt werden
 DocType: C-Form,II,II
@@ -5260,6 +5338,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Aktivieren Sie die automatische Nachbestellung
 DocType: Stock Settings,Item Naming By,Artikelbezeichnung nach
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Eine weitere Periodenabschlussbuchung {0} wurde nach {1} erstellt
+DocType: Proposed Pledge,Proposed Pledge,Vorgeschlagenes Versprechen
 DocType: Work Order,Material Transferred for Manufacturing,Material zur Herstellung übertragen
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Konto {0} existiert nicht
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Wählen Sie Treueprogramm
@@ -5270,7 +5349,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Einstellen Events auf {0}, da die Mitarbeiter auf die beigefügten unter Verkaufs Personen keine Benutzer-ID {1}"
 DocType: Timesheet,Billing Details,Rechnungsdetails
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Quell- und Ziel-Warehouse müssen unterschiedlich sein
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Richten Sie das Employee Naming System unter Human Resource&gt; HR Settings ein
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Bezahlung fehlgeschlagen. Bitte überprüfen Sie Ihr GoCardless Konto für weitere Details
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Aktualisierung von Transaktionen älter als {0} nicht erlaubt
 DocType: Stock Entry,Inspection Required,Prüfung erforderlich
@@ -5283,6 +5361,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Auslieferungslager für Lagerartikel {0} erforderlich
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Das Bruttogewicht des Pakets. Normalerweise Nettogewicht + Verpackungsgweicht. (Für den Ausdruck)
 DocType: Assessment Plan,Program,Programm
+DocType: Unpledge,Against Pledge,Gegen Versprechen
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Benutzer mit dieser Rolle sind berechtigt Konten zu sperren und  Buchungen zu gesperrten Konten zu erstellen/verändern
 DocType: Plaid Settings,Plaid Environment,Plaid-Umgebung
 ,Project Billing Summary,Projektabrechnungszusammenfassung
@@ -5334,6 +5413,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Chargen
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Anzahl der Tage Termine können im Voraus gebucht werden
 DocType: Article,LMS User,LMS-Benutzer
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Für besicherte Kredite ist eine Kreditsicherheitszusage obligatorisch
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Ort der Lieferung (Staat / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Lagermaßeinheit
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Lieferantenauftrag {0} wurde nicht übertragen
@@ -5408,6 +5488,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Jobkarte erstellen
 DocType: Quotation,Referral Sales Partner,Empfehlungs-Vertriebspartner
 DocType: Quality Procedure Process,Process Description,Prozessbeschreibung
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Kann nicht aufgehoben werden, der Wert der Kreditsicherheit ist höher als der zurückgezahlte Betrag"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kunde {0} wird erstellt.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5428,7 +5509,7 @@
 DocType: Asset,Insurance Details,Versicherungsdetails
 DocType: Account,Payable,Zahlbar
 DocType: Share Balance,Share Type,Art der Freigabe
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Bitte geben Sie Laufzeiten
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Bitte geben Sie Laufzeiten
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Schuldnern ({0})
 DocType: Pricing Rule,Margin,Marge
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Neue Kunden
@@ -5437,6 +5518,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Chancen nach Lead-Quelle
 DocType: Appraisal Goal,Weightage (%),Gewichtung (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Ändern Sie das POS-Profil
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Menge oder Betrag ist ein Mandat für die Kreditsicherheit
 DocType: Bank Reconciliation Detail,Clearance Date,Abrechnungsdatum
 DocType: Delivery Settings,Dispatch Notification Template,Versandbenachrichtigungsvorlage
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Beurteilung
@@ -5472,6 +5554,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Aktienbuch
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Verkaufsrechnung {0} erstellt
 DocType: Employee,Confirmation Date,Datum bestätigen
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"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 zu stornieren"
 DocType: Inpatient Occupancy,Check Out,Check-Out
 DocType: C-Form,Total Invoiced Amount,Gesamtrechnungsbetrag
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Mindestmenge kann nicht größer als Maximalmenge sein
@@ -5485,7 +5569,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks-Unternehmens-ID
 DocType: Travel Request,Travel Funding,Reisefinanzierung
 DocType: Employee Skill,Proficiency,Kompetenz
-DocType: Loan Application,Required by Date,Erforderlich by Date
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Kaufbelegdetail
 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"
 DocType: Lead,Lead Owner,Eigentümer des Leads
@@ -5504,7 +5587,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuelle Stückliste und neue Stückliste können nicht identisch sein
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Gehaltsabrechnung ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Zeitpunkt der Pensionierung muss nach dem Eintrittsdatum liegen
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Lieferant&gt; Lieferantentyp
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Mehrere Varianten
 DocType: Sales Invoice,Against Income Account,Zu Ertragskonto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% geliefert
@@ -5537,7 +5619,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,"Bewertungsart Gebühren kann nicht als ""inklusive"" markiert werden"
 DocType: POS Profile,Update Stock,Lagerbestand aktualisieren
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Zahlungsdetails
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Stückpreis
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Hochgeladene Datei lesen
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5572,6 +5654,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Maximaler Kreditwert
 ,Stock Ledger,Lagerbuch
 DocType: Company,Exchange Gain / Loss Account,Konto für Wechselkursdifferenzen
 DocType: Amazon MWS Settings,MWS Credentials,MWS Anmeldeinformationen
@@ -5579,6 +5662,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Zweck muss einer von diesen sein: {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Formular ausfüllen und speichern
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Community-Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Keine Blätter dem Mitarbeiter zugewiesen: {0} für Urlaubstyp: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Tatsächliche Menge auf Lager
 DocType: Homepage,"URL for ""All Products""",URL für &quot;Alle Produkte&quot;
 DocType: Leave Application,Leave Balance Before Application,Urlaubstage vor Antrag
@@ -5680,7 +5764,6 @@
 DocType: Fee Schedule,Fee Schedule,Gebührenordnung
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Spaltenbeschriftungen:
 DocType: Bank Transaction,Settled,Erledigt
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Das Auszahlungsdatum kann nicht nach dem Startdatum der Kreditrückzahlung liegen
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parameter
 DocType: Company,Create Chart Of Accounts Based On,"Kontenplan erstellen, basierend auf"
@@ -5700,6 +5783,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kreditlimit und Zahlungsbedingungen
 DocType: Loyalty Program,Collection Rules,Sammlungsregeln
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Position 3
+DocType: Loan Security Shortfall,Shortfall Time,Fehlzeit
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Auftragserfassung
 DocType: Purchase Order,Customer Contact Email,Kontakt-E-Mail des Kunden
 DocType: Warranty Claim,Item and Warranty Details,Einzelheiten Artikel und Garantie
@@ -5719,12 +5803,14 @@
 DocType: Sales Person,Sales Person Name,Name des Vertriebsmitarbeiters
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Bitte mindestens eine Rechnung in die Tabelle eingeben
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Kein Labortest erstellt
+DocType: Loan Security Shortfall,Security Value ,Sicherheitswert
 DocType: POS Item Group,Item Group,Artikelgruppe
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentengruppe:
 DocType: Depreciation Schedule,Finance Book Id,Finanzbuch-ID
 DocType: Item,Safety Stock,Sicherheitsbestand
 DocType: Healthcare Settings,Healthcare Settings,Gesundheitswesen
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Insgesamt zugeteilte Blätter
+DocType: Appointment Letter,Appointment Letter,Ernennungsschreiben
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Fortschritt-% eines Vorgangs darf nicht größer 100 sein.
 DocType: Stock Reconciliation Item,Before reconciliation,Vor Ausgleich
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},An {0}
@@ -5779,6 +5865,7 @@
 DocType: Stock Entry,From BOM,Von Stückliste
 DocType: Assessment Code,Assessment Code,Beurteilungs-Code
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grundeinkommen
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Kreditanträge von Kunden und Mitarbeitern.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Lagertransaktionen vor {0} werden gesperrt
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Bitte auf ""Zeitplan generieren"" klicken"
 DocType: Job Card,Current Time,Aktuelle Uhrzeit
@@ -5805,7 +5892,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Gewähren
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Keine Studentengruppen erstellt.
 DocType: Purchase Invoice Item,Serial No,Seriennummer
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Monatlicher Rückzahlungsbetrag kann nicht größer sein als Darlehensbetrag
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Monatlicher Rückzahlungsbetrag kann nicht größer sein als Darlehensbetrag
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Bitte zuerst die Einzelheiten zur Wartung eingeben
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Voraussichtlicher Liefertermin kann nicht vor Bestelldatum sein
 DocType: Purchase Invoice,Print Language,Drucksprache
@@ -5819,6 +5906,7 @@
 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,All Territories,Alle Regionen
+DocType: Plaid Settings,development,Entwicklung
 DocType: Lost Reason Detail,Lost Reason Detail,Verlorene Begründung Detail
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ungültiger Blankoauftrag für den ausgewählten Kunden und Artikel
@@ -5881,12 +5969,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aktuelle Eröffnungen
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cashflow aus Geschäftstätigkeit
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST-Betrag
+DocType: Vehicle Log,Current Odometer value ,Aktueller Kilometerzählerwert
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Schüler erstellen
 DocType: Asset Movement Item,Asset Movement Item,Vermögensbewegungsgegenstand
 DocType: Purchase Invoice,Shipping Rule,Versandregel
 DocType: Patient Relation,Spouse,Ehepartner
 DocType: Lab Test Groups,Add Test,Test hinzufügen
 DocType: Manufacturer,Limited to 12 characters,Limitiert auf 12 Zeichen
+DocType: Appointment Letter,Closing Notes,Schlussbemerkungen
 DocType: Journal Entry,Print Heading,Druckkopf
 DocType: Quality Action Table,Quality Action Table,Qualitätsaktions-Tabelle
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Summe kann nicht Null sein
@@ -5953,6 +6043,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Gesamtsumme
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Bitte identifizieren / erstellen Sie ein Konto (eine Gruppe) für den Typ - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Unterhaltung & Freizeit
+DocType: Loan Security,Loan Security,Kreditsicherheit
 ,Item Variant Details,Details der Artikelvariante
 DocType: Quality Inspection,Item Serial No,Artikel-Seriennummer
 DocType: Payment Request,Is a Subscription,Ist ein Abonnement
@@ -5965,7 +6056,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Spätes Stadium
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Geplante und zugelassene Daten können nicht kleiner als heute sein
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Material dem Lieferanten übergeben
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"""Neue Seriennummer"" kann keine Lagerangabe enthalten. Lagerangaben müssen durch eine Lagerbuchung oder einen Kaufbeleg erstellt werden"
 DocType: Lead,Lead Type,Lead-Typ
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Angebot erstellen
@@ -5983,7 +6073,6 @@
 DocType: Leave Allocation,Leave Period,Urlaubszeitraum
 DocType: Item,Default Material Request Type,Standard-Material anfordern Typ
 DocType: Supplier Scorecard,Evaluation Period,Bewertungszeitraum
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundengruppe&gt; Gebiet
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Unbekannt
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbeitsauftrag wurde nicht erstellt
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6067,7 +6156,8 @@
 ,Customer-wise Item Price,Kundenbezogener Artikelpreis
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Geldflussrechnung
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Es wurde keine Materialanforderung erstellt
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Darlehensbetrag darf nicht höher als der Maximalbetrag {0} sein
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Darlehensbetrag darf nicht höher als der Maximalbetrag {0} sein
+DocType: Loan,Loan Security Pledge,Kreditsicherheitsversprechen
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Lizenz
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -6085,6 +6175,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Preisnachlass
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Der Wartungsstatus muss abgebrochen oder zum Senden abgeschlossen werden
 DocType: Amazon MWS Settings,US,US
+DocType: Loan Security Pledge,Pledged,Verpfändet
 DocType: Holiday List,Add Weekly Holidays,Wöchentliche Feiertage hinzufügen
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Artikel melden
 DocType: Staffing Plan Detail,Vacancies,Stellenangebote
@@ -6103,7 +6194,6 @@
 DocType: Production Plan Item,Planned Start Date,Geplanter Starttermin
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Bitte Stückliste auwählen
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Erhaltene ITC Integrierte Steuer
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Rückzahlungseintrag erstellen
 DocType: Purchase Order Item,Blanket Order Rate,Pauschale Bestellrate
 ,Customer Ledger Summary,Kundenbuchzusammenfassung
 apps/erpnext/erpnext/hooks.py,Certification,Zertifizierung
@@ -6124,6 +6214,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Bezeichnung der Bewertungsvorlage
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Werbung
 DocType: Patient,Alcohol Current Use,Aktueller Alkoholkonsum
+DocType: Loan,Loan Closure Requested,Darlehensschließung beantragt
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Haus Miete Zahlungsbetrag
 DocType: Student Admission Program,Student Admission Program,Studentenzulassungsprogramm
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Steuerbefreiungskategorie
@@ -6147,6 +6238,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Vertrieb
 DocType: Stock Entry Detail,Basic Amount,Grundbetrag
 DocType: Training Event,Exam,Prüfung
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Sicherheitslücke bei Prozessdarlehen
 DocType: Email Campaign,Email Campaign,E-Mail-Kampagne
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Marktplatzfehler
 DocType: Complaint,Complaint,Beschwerde
@@ -6226,6 +6318,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Übergeben Sie dies, um den Mitarbeiterdatensatz zu erstellen"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Kreditsicherheitspreis überschneidet sich mit {0}
 DocType: Item Default,Item Default,Artikel Standard
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Innerstaatliche Lieferungen
 DocType: Chapter Member,Leave Reason,Urlaubsgrund
@@ -6252,6 +6345,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,Verwendeter {0} -Coupon ist {1}. Zulässige Menge ist erschöpft
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Möchten Sie die Materialanfrage einreichen?
 DocType: Job Offer,Awaiting Response,Warte auf Antwort
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Darlehen ist obligatorisch
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Über
 DocType: Support Search Source,Link Options,Verknüpfungsoptionen
@@ -6264,6 +6358,7 @@
 DocType: Training Event Employee,Optional,Optional
 DocType: Salary Slip,Earning & Deduction,Einkünfte & Abzüge
 DocType: Agriculture Analysis Criteria,Water Analysis,Wasseranalyse
+DocType: Pledge,Post Haircut Amount,Post Haircut Betrag
 DocType: Sales Order,Skip Delivery Note,Lieferschein überspringen
 DocType: Price List,Price Not UOM Dependent,Preis nicht UOM abhängig
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} Varianten erstellt.
@@ -6290,6 +6385,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Artikel aus dem Produkt-Bundle übernehmen
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Die Rückzahlungsmethode ist für befristete Darlehen obligatorisch
 DocType: Asset,Straight Line,Gerade Linie
 DocType: Project User,Project User,Projektarbeit Benutzer
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Teilt
@@ -6334,7 +6430,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle darf Konten sperren und gesperrte Buchungen bearbeiten
 DocType: Supplier Scorecard Scoring Variable,Path,Pfad
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Kostenstelle kann nicht in ein Kontenblatt umgewandelt werden, da sie Unterknoten hat"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-Umrechnungsfaktor ({0} -&gt; {1}) für Artikel nicht gefunden: {2}
 DocType: Production Plan,Total Planned Qty,Geplante Gesamtmenge
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Transaktionen, die bereits von der Abrechnung erhalten wurden"
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Öffnungswert
@@ -6343,11 +6438,8 @@
 DocType: Material Request Plan Item,Required Quantity,Benötigte Menge
 DocType: Lab Test Template,Lab Test Template,Labortestvorlage
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Abrechnungszeitraum überschneidet sich mit {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Lieferant&gt; Lieferantentyp
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Verkaufskonto
 DocType: Purchase Invoice Item,Total Weight,Gesamtgewicht
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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 zu stornieren"
 DocType: Pick List Item,Pick List Item,Listenelement auswählen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provision auf den Umsatz
 DocType: Job Offer Term,Value / Description,Wert / Beschreibung
@@ -6394,6 +6486,7 @@
 DocType: Patient Encounter,Encounter Date,Begegnung Datum
 DocType: Work Order,Update Consumed Material Cost In Project,Aktualisieren Sie die verbrauchten Materialkosten im Projekt
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} mit Währung: {1} kann nicht ausgewählt werden
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Kredite an Kunden und Mitarbeiter.
 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
@@ -6462,7 +6555,6 @@
 DocType: Contract,Signed On,Angemeldet
 DocType: Bank Account,Party Type,Gruppen-Typ
 DocType: Discounted Invoice,Discounted Invoice,Rabattierte Rechnung
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Anwesenheit markieren als <b></b>
 DocType: Payment Schedule,Payment Schedule,Zahlungsplan
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Für den angegebenen Mitarbeiterfeldwert wurde kein Mitarbeiter gefunden. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Abkürzung
@@ -6534,6 +6626,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Gläubiger
 DocType: Assessment Plan,Assessment Name,Name der Beurteilung
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Zeile # {0}: Seriennummer ist zwingend erforderlich
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Für den Kreditabschluss ist ein Betrag von {0} erforderlich
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Artikelbezogene Steuer-Details
 DocType: Employee Onboarding,Job Offer,Jobangebot
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abkürzung des Institutes
@@ -6557,7 +6650,6 @@
 DocType: Purchase Order,To Receive,Zu empfangen
 DocType: Leave Period,Holiday List for Optional Leave,Urlaubsliste für optionalen Urlaub
 DocType: Item Tax Template,Tax Rates,Steuersätze
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgruppe&gt; Marke
 DocType: Asset,Asset Owner,Eigentümer des Vermögenswertes
 DocType: Item,Website Content,Websiten Inhalt
 DocType: Bank Account,Integration ID,Integrations-ID
@@ -6573,6 +6665,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Befehle synchronisieren
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Für die Produktion freigegebene Bestellungen
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Geschäftsjahr auswählen ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Bitte wählen Sie Darlehensart für Firma {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6601,6 +6694,7 @@
 DocType: Customer,Mention if non-standard receivable account,"Vermerken, wenn es sich um kein Standard-Forderungskonto handelt"
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Fügen Sie die verbleibenden Vorteile {0} zu einer vorhandenen Komponente hinzu
+DocType: Bank Account,Is Default Account,Ist Standardkonto
 DocType: Journal Entry Account,If Income or Expense,Wenn Ertrag oder Aufwand
 DocType: Course Topic,Course Topic,Kursthema
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Zwischen dem Datum {1} und {2} ist bereits ein POS-Abschlussbeleg für {0} vorhanden.
@@ -6613,7 +6707,7 @@
 DocType: Disease,Treatment Task,Behandlungsaufgabe
 DocType: Payment Order Reference,Bank Account Details,Bankkonto Daten
 DocType: Purchase Order Item,Blanket Order,Blankoauftrag
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Der Rückzahlungsbetrag muss größer sein als
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Der Rückzahlungsbetrag muss größer sein als
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Steuerguthaben
 DocType: BOM Item,BOM No,Stücklisten-Nr.
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Details aktualisieren
@@ -6669,6 +6763,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce-Produkte
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Syntaxfehler in Formel oder Bedingung: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Artikel {0} ignoriert, da es sich nicht um einen Lagerartikel handelt"
+,Loan Security Status,Kreditsicherheitsstatus
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Um Preisregeln in einer bestimmten Transaktion nicht zu verwenden, sollten alle geltenden Preisregeln deaktiviert sein."
 DocType: Payment Term,Day(s) after the end of the invoice month,Tag (e) nach dem Ende des Rechnungsmonats
 DocType: Assessment Group,Parent Assessment Group,Übergeordnete Bewertungsgruppe
@@ -6683,7 +6778,6 @@
 DocType: Stock Entry Detail,Additional Cost,Zusätzliche Kosten
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Wenn nach Beleg gruppiert wurde, kann nicht auf Grundlage von Belegen gefiltert werden."
 DocType: Quality Inspection,Incoming,Eingehend
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Richten Sie die Nummerierungsserie für die Teilnahme über Setup&gt; Nummerierungsserie ein
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standardsteuervorlagen für Verkauf und Einkauf werden erstellt.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Beurteilungsergebnis {0} existiert bereits.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Beispiel: ABCD. #####. Wenn die Serie gesetzt ist und die Chargennummer in den Transaktionen nicht erwähnt wird, wird die automatische Chargennummer basierend auf dieser Serie erstellt. Wenn Sie die Chargennummer für diesen Artikel immer explizit angeben möchten, lassen Sie dieses Feld leer. Hinweis: Diese Einstellung hat Vorrang vor dem Naming Series Prefix in den Stock Settings."
@@ -6694,8 +6788,10 @@
 DocType: Contract,Party User,Party Benutzer
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Für <b>{0} wurden</b> keine Assets erstellt. Sie müssen das Asset manuell erstellen.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Bitte den Filter ""Unternehmen"" leeren, wenn nach Unternehmen gruppiert wird"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundengruppe&gt; Gebiet
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Buchungsdatum kann nicht Datum in der Zukunft sein
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Zeile # {0}: Seriennummer {1} stimmt nicht mit {2} {3} überein
+DocType: Loan Repayment,Interest Payable,Zu zahlende Zinsen
 DocType: Stock Entry,Target Warehouse Address,Ziellageradresse
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Erholungsurlaub
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Die Zeit vor dem Schichtbeginn, in der der Mitarbeiter-Check-in für die Anwesenheit berücksichtigt wird."
@@ -6824,6 +6920,7 @@
 DocType: Issue,Reset Service Level Agreement,Service Level Agreement zurücksetzen
 ,Sales Person-wise Transaction Summary,Vertriebsmitarbeiterbezogene Zusammenfassung der Transaktionen
 DocType: Training Event,Contact Number,Kontaktnummer
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Der Darlehensbetrag ist obligatorisch
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6870,6 +6967,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Bilanzmenge
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Die Bedingungen werden auf alle ausgewählten Elemente zusammen angewendet.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Ziele können nicht leer sein
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Falsches Lager
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Einschreibung von Studenten
 DocType: Item Group,Parent Item Group,Übergeordnete Artikelgruppe
 DocType: Appointment Type,Appointment Type,Termin-Typ
@@ -6923,10 +7021,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Durchschnittsrate
 DocType: Appointment,Appointment With,Termin mit
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Der gesamte Zahlungsbetrag im Zahlungsplan muss gleich Groß / Abgerundet sein
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Anwesenheit als markieren <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Customer Provided Item"" kann eine Bewertung haben."
 DocType: Subscription Plan Detail,Plan,Planen
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Kontoauszug Bilanz nach Hauptbuch
-DocType: Job Applicant,Applicant Name,Bewerbername
+DocType: Appointment Letter,Applicant Name,Bewerbername
 DocType: Authorization Rule,Customer / Item Name,Kunde / Artikelname
 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**. 
 
@@ -6970,11 +7069,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Großhandel
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Der Mitarbeiterstatus kann nicht auf &quot;Links&quot; gesetzt werden, da folgende Mitarbeiter diesem Mitarbeiter derzeit Bericht erstatten:"
-DocType: Journal Entry Account,Loan,Darlehen
+DocType: Loan Repayment,Amount Paid,Zahlbetrag
+DocType: Loan Security Shortfall,Loan,Darlehen
 DocType: Expense Claim Advance,Expense Claim Advance,Auslagenvorschuss
 DocType: Lab Test,Report Preference,Berichtsvorgabe
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Freiwillige Informationen.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Projektleiter
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Nach Kunden gruppieren
 ,Quoted Item Comparison,Vergleich angebotener Artikel
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Überlappung beim Scoring zwischen {0} und {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Versand
@@ -6994,6 +7095,7 @@
 DocType: Material Request Plan Item,Material Issue,Materialentnahme
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},In der Preisregel {0} nicht festgelegter kostenloser Artikel
 DocType: Employee Education,Qualification,Qualifikation
+DocType: Loan Security Shortfall,Loan Security Shortfall,Kreditsicherheitsmangel
 DocType: Item Price,Item Price,Artikelpreis
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Reinigungsmittel
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Mitarbeiter {0} gehört nicht zur Firma {1}
@@ -7016,6 +7118,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Termindetails
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Fertiges Produkt
 DocType: Warehouse,Warehouse Name,Lagername
+DocType: Loan Security Pledge,Pledge Time,Verpfändungszeit
 DocType: Naming Series,Select Transaction,Bitte Transaktionen auswählen
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Bitte genehmigende Rolle oder genehmigenden Nutzer eingeben
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Service Level Agreement mit Entitätstyp {0} und Entität {1} ist bereits vorhanden.
@@ -7023,7 +7126,6 @@
 DocType: BOM,Rate Of Materials Based On,Anteil der zu Grunde liegenden Materialien
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Falls diese Option aktiviert ist, wird das Feld ""Akademisches Semester"" im Kurs-Registrierungs-Werkzeug obligatorisch sein."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Werte für steuerbefreite, nicht bewertete und Nicht-GST-Lieferungen"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundengruppe&gt; Gebiet
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Unternehmen</b> ist ein Pflichtfilter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Alle abwählen
 DocType: Purchase Taxes and Charges,On Item Quantity,Auf Artikelmenge
@@ -7068,7 +7170,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Engpassmenge
 DocType: Purchase Invoice,Input Service Distributor,Input Service Distributor
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Richten Sie das Instructor Naming System unter Education&gt; Education Settings ein
 DocType: Loan,Repay from Salary,Repay von Gehalts
 DocType: Exotel Settings,API Token,API-Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Anfordern Zahlung gegen {0} {1} für Menge {2}
@@ -7088,6 +7189,7 @@
 DocType: Salary Slip,Total Interest Amount,Gesamtzinsbetrag
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale Tage
 DocType: Travel Itinerary,Arrival Datetime,Ankunftszeit
 DocType: Tax Rule,Billing Zipcode,Rechnungs Postleitzahl
@@ -7274,6 +7376,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Stunden
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Es wurde ein neuer Termin für Sie mit {0} erstellt.
 DocType: Project,Expected Start Date,Voraussichtliches Startdatum
+DocType: Work Order,This is a location where raw materials are available.,"Dies ist ein Ort, an dem Rohstoffe verfügbar sind."
 DocType: Purchase Invoice,04-Correction in Invoice,04-Rechnungskorrektur
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Arbeitsauftrag wurde bereits für alle Artikel mit Stückliste angelegt
 DocType: Bank Account,Party Details,Party Details
@@ -7292,6 +7395,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Angebote:
 DocType: Contract,Partially Fulfilled,Teilweise erfüllt
 DocType: Maintenance Visit,Fully Completed,Vollständig abgeschlossen
+DocType: Loan Security,Loan Security Name,Name der Kreditsicherheit
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Sonderzeichen außer &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Und &quot;}&quot; sind bei der Benennung von Serien nicht zulässig"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Ist nicht bewertet oder ausgenommen
 DocType: Employee,Educational Qualification,Schulische Qualifikation
@@ -7348,6 +7452,7 @@
 DocType: Program,Is Featured,Ist unterstützt
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Abrufen ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Benutzer Landwirtschaft
+DocType: Loan Security Shortfall,America/New_York,Amerika / New York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Gültig bis Datum kann nicht vor Transaktionsdatum sein
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7425,8 +7530,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Mitarbeiter {0} ist auf Urlaub auf {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Keine Rückzahlungen für die Journalbuchung ausgewählt
 DocType: Purchase Invoice,GST Category,GST-Kategorie
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Vorgeschlagene Zusagen sind für gesicherte Kredite obligatorisch
 DocType: Payment Reconciliation,From Invoice Date,Ab Rechnungsdatum
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budgets
 DocType: Invoice Discounting,Disbursed,Ausgezahlt
@@ -7484,14 +7589,13 @@
 DocType: Restaurant,Active Menu,Aktives Menü
 DocType: Accounting Dimension Detail,Default Dimension,Standardabmessung
 DocType: Target Detail,Target Qty,Zielmenge
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Gegen Darlehen: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Kasse Einstellungen
 DocType: Student Attendance,Present,Anwesend
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Lieferschein {0} darf nicht gebucht sein
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Die Gehaltsabrechnung, die per E-Mail an den Mitarbeiter gesendet wird, ist passwortgeschützt. Das Passwort wird basierend auf der Passwortrichtlinie generiert."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Tacho
 DocType: Production Plan Item,Ordered Qty,Bestellte Menge
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Artikel {0} ist deaktiviert
 DocType: Stock Settings,Stock Frozen Upto,Bestand gesperrt bis
@@ -7548,7 +7652,6 @@
 DocType: Serial No,Delivery Document Type,Lieferdokumententyp
 DocType: Sales Order,Partly Delivered,Teilweise geliefert
 DocType: Item Variant Settings,Do not update variants on save,Aktualisieren Sie keine Varianten beim Speichern
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Kundengruppe
 DocType: Email Digest,Receivables,Forderungen
 DocType: Lead Source,Lead Source,Lead Ursprung
 DocType: Customer,Additional information regarding the customer.,Zusätzliche Informationen bezüglich des Kunden.
@@ -7645,6 +7748,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Tatsächlich
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Restaurantmanager
+DocType: Loan,Penalty Income Account,Strafeinkommenskonto
 DocType: Call Log,Call Log,Anrufliste
 DocType: Authorization Rule,Customerwise Discount,Kundenspezifischer Rabatt
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Zeitraport für Vorgänge.
@@ -7732,6 +7836,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Produktrabattschema
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Der Anrufer hat kein Problem angesprochen.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Nach Lieferanten gruppieren
 DocType: Restaurant Reservation,Waitlisted,Auf der Warteliste
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Ausnahmekategorie
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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"
@@ -7742,7 +7847,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Beratung
 DocType: Subscription Plan,Based on price list,Basierend auf der Preisliste
 DocType: Customer Group,Parent Customer Group,Übergeordnete Kundengruppe
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kann nur aus der Verkaufsrechnung generiert werden
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maximale Versuche für dieses Quiz erreicht!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Erstellen der Gebühr ausstehend
@@ -7760,6 +7864,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Vorbeugende Wartung
 DocType: Delivery Note Item,Against Sales Invoice,Zu Ausgangsrechnung
 DocType: Purchase Invoice,07-Others,07-Andere
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Angebotsbetrag
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Bitte geben Sie Seriennummern für serialisierte Artikel ein
 DocType: Bin,Reserved Qty for Production,Reserviert Menge für Produktion
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Nicht anhaken, wenn Sie keine Stapelverarbeitung beim Anlegen von Kurs basierten Gruppen wünschen."
@@ -7867,6 +7972,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Zahlungsnachweis
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Materialanforderung erstellen
+DocType: Loan Interest Accrual,Pending Principal Amount,Ausstehender Hauptbetrag
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",Start- und Enddatum liegen nicht in einer gültigen Abrechnungsperiode. {0} kann nicht berechnet werden.
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7910,6 +8016,7 @@
 											to fullfill Sales Order {2}","Die Seriennr. {0} des Artikels {1} kann nicht geliefert werden, da sie reserviert ist, um den Kundenauftrag {2} zu erfüllen."
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Lieferant Quotation {0} erstellt
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge-Typ
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,End-Jahr kann nicht gleich oder kleiner dem Start-Jahr sein.
 DocType: Employee Benefit Application,Employee Benefits,Vergünstigungen an Mitarbeiter
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Mitarbeiter-ID
@@ -7992,6 +8099,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kurscode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Bitte das Aufwandskonto angeben
 DocType: Quality Action Resolution,Problem,Problem
+DocType: Loan Security Type,Loan To Value Ratio,Loan-to-Value-Verhältnis
 DocType: Account,Stock,Lager
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8009,6 +8117,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Kontoauszug Transaktionseintrag
 DocType: Sales Invoice Item,Discount and Margin,Rabatt und Marge
 DocType: Lab Test,Prescription,Rezept
+DocType: Process Loan Security Shortfall,Update Time,Updatezeit
 DocType: Import Supplier Invoice,Upload XML Invoices,Laden Sie XML-Rechnungen hoch
 DocType: Company,Default Deferred Revenue Account,Standardkonto für passive Rechnungsabgrenzung
 DocType: Project,Second Email,Zweite E-Mail
@@ -8022,7 +8131,7 @@
 DocType: Quality Action,Preventive,Präventiv
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Lieferungen an nicht registrierte Personen
 DocType: Company,Date of Incorporation,Gründungsdatum
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Summe Steuern
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Summe Steuern
 DocType: Manufacturing Settings,Default Scrap Warehouse,Standard-Schrottlager
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Letzter Kaufpreis
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Für Menge (hergestellte Menge) ist zwingend erforderlich
@@ -8041,6 +8150,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Legen Sie den Zahlungsmodus fest
 DocType: Stock Entry Detail,Against Stock Entry,Gegen Bestandsaufnahme
 DocType: Grant Application,Withdrawn,Zurückgezogen
+DocType: Loan Repayment,Regular Payment,Reguläre Zahlung
 DocType: Support Search Source,Support Search Source,Support-Suchquelle
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Belastung
 DocType: Project,Gross Margin %,Handelsspanne %
@@ -8053,8 +8163,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Ohne Steuerbefreiung
 DocType: BOM Operation,BOM Operation,Stücklisten-Vorgang
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Auf vorherigen Zeilenbetrag
+DocType: Student,Home Address,Privatadresse
 DocType: Options,Is Correct,Ist richtig
 DocType: Item,Has Expiry Date,Hat Ablaufdatum
+DocType: Loan Repayment,Paid Accrual Entries,Bezahlte Rückstellungen
+DocType: Loan Security,Loan Security Type,Kreditsicherheitstyp
 apps/erpnext/erpnext/config/support.py,Issue Type.,Problemtyp.
 DocType: POS Profile,POS Profile,Verkaufsstellen-Profil
 DocType: Training Event,Event Name,Veranstaltungsname
@@ -8066,6 +8179,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Saisonbedingte Besonderheiten zu Budgets, Zielen usw."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Keine Werte
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variablenname
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Wählen Sie das abzustimmende Bankkonto aus.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Artikel {0} ist eine Vorlage, bitte eine seiner Varianten wählen"
 DocType: Purchase Invoice Item,Deferred Expense,Rechnungsabgrenzungsposten
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Zurück zu Nachrichten
@@ -8117,7 +8231,6 @@
 DocType: GL Entry,To Rename,Umbenennen
 DocType: Stock Entry,Repack,Umpacken
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Wählen Sie diese Option, um eine Seriennummer hinzuzufügen."
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Richten Sie das Instructor Naming System unter Education&gt; Education Settings ein
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Bitte setzen Sie die Steuer-Code für den Kunden &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Bitte wählen Sie zuerst das Unternehmen aus
 DocType: Item Attribute,Numeric Values,Numerische Werte
@@ -8141,6 +8254,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Abruf basierend auf FIFO
 DocType: Soil Texture,Clay Loam,Ton Lehm
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root kann nicht bearbeitet werden.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Kreditsicherheitswert
 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
@@ -8187,6 +8301,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Bitte zuerst Kategorie auswählen
 apps/erpnext/erpnext/config/projects.py,Project master.,Projekt-Stammdaten
 DocType: Contract,Contract Terms,Vertragsbedingungen
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sanktioniertes Betragslimit
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Konfiguration fortsetzen
 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,Maximum benefit amount of component {0} exceeds {1},Der maximale Leistungsbetrag der Komponente {0} übersteigt {1}
@@ -8219,6 +8334,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Anrufliste anzeigen
 DocType: BOM Operation,Operating Cost(Company Currency),Betriebskosten (Gesellschaft Währung)
 DocType: Loan Application,Rate of Interest,Zinssatz
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Kreditsicherheitsversprechen bereits gegen Darlehen verpfändet {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Genehmigter Betrag
 DocType: Item,Shelf Life In Days,Haltbarkeit in Tagen
 DocType: GL Entry,Is Opening,Ist Eröffnungsbuchung
@@ -8232,3 +8348,4 @@
 DocType: Account,Cash,Bargeld
 DocType: Sales Invoice,Unpaid and Discounted,Unbezahlt und Rabattiert
 DocType: Employee,Short biography for website and other publications.,Kurzbiographie für die Webseite und andere Publikationen.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,"Zeile # {0}: Supplier Warehouse kann nicht ausgewählt werden, während Rohstoffe an Subunternehmer geliefert werden"
diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv
index dc5c37d..d8b5a0f 100644
--- a/erpnext/translations/el.csv
+++ b/erpnext/translations/el.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Ευκαιρία χαμένος λόγος
 DocType: Patient Appointment,Check availability,Ελέγξτε διαθεσιμότητα
 DocType: Retention Bonus,Bonus Payment Date,Ημερομηνία πληρωμής μπόνους
-DocType: Employee,Job Applicant,Αιτών εργασία
+DocType: Appointment Letter,Job Applicant,Αιτών εργασία
 DocType: Job Card,Total Time in Mins,Συνολικός χρόνος σε λεπτά
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Αυτό βασίζεται σε πράξεις εναντίον αυτής της επιχείρησης. Δείτε χρονοδιάγραμμα παρακάτω για λεπτομέρειες
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Ποσοστό υπερπαραγωγής για παραγγελία εργασίας
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Στοιχεία επικοινωνίας
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Αναζήτηση για οτιδήποτε ...
 ,Stock and Account Value Comparison,Σύγκριση τιμών μετοχών και λογαριασμών
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Το εκταμιευθέν ποσό δεν μπορεί να είναι μεγαλύτερο από το ποσό του δανείου
 DocType: Company,Phone No,Αρ. Τηλεφώνου
 DocType: Delivery Trip,Initial Email Notification Sent,Αρχική ειδοποίηση ηλεκτρονικού ταχυδρομείου που αποστέλλεται
 DocType: Bank Statement Settings,Statement Header Mapping,Αντιστοίχιση επικεφαλίδας καταστάσεων
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Ενδιαφερόμενος
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Άνοιγμα
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Πρόγραμμα:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Το Valid From Time πρέπει να είναι μικρότερο από το Valid Upto Time.
 DocType: Item,Copy From Item Group,Αντιγραφή από ομάδα ειδών
 DocType: Journal Entry,Opening Entry,Αρχική καταχώρηση
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Ο λογαριασμός πληρώνουν μόνο
@@ -338,6 +340,7 @@
 DocType: Student,B-,ΣΙ-
 DocType: Assessment Result,Grade,Βαθμός
 DocType: Restaurant Table,No of Seats,Αριθμός καθισμάτων
+DocType: Loan Type,Grace Period in Days,Περίοδος χάριτος στις Ημέρες
 DocType: Sales Invoice,Overdue and Discounted,Καθυστερημένη και εκπτωτική
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Το στοιχείο {0} δεν ανήκει στον θεματοφύλακα {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Κλήση αποσυνδεδεμένο
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Προβλεπόμενες Διαδικασίες
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Εμφάνιση μόνο POS
 DocType: Supplier Group,Supplier Group Name,Όνομα ομάδας προμηθευτών
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Σημειώστε τη συμμετοχή ως <b></b>
 DocType: Driver,Driving License Categories,Κατηγορίες Άδειας οδήγησης
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Εισαγάγετε την ημερομηνία παράδοσης
 DocType: Depreciation Schedule,Make Depreciation Entry,Κάντε Αποσβέσεις Έναρξη
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Λεπτομέρειες σχετικά με τις λειτουργίες που πραγματοποιούνται.
 DocType: Asset Maintenance Log,Maintenance Status,Κατάσταση συντήρησης
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Το ποσό του ποσού ΦΠΑ περιλαμβάνεται στην αξία
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Ασφάλεια δανείου
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Στοιχεία μέλους
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Προμηθευτής υποχρεούται έναντι πληρωμή του λογαριασμού {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Προϊόντα και Τιμολόγηση
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Σύνολο ωρών: {0}
+DocType: Loan,Loan Manager,Διευθυντής Δανείων
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Το πεδίο από ημερομηνία πρέπει να είναι εντός της χρήσης. Υποθέτοντας από ημερομηνία = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Διάστημα
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Ενημέρωση μέσω 'αρχείου καταγραφής χρονολογίου'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Επιλέξτε τον πελάτη ή τον προμηθευτή.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Ο κωδικός χώρας στο αρχείο δεν ταιριάζει με τον κωδικό χώρας που έχει ρυθμιστεί στο σύστημα
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Ο λογαριασμός {0} δεν ανήκει στη εταιρεία {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Επιλέξτε μόνο μία προτεραιότητα ως προεπιλογή.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ποσό της προκαταβολής δεν μπορεί να είναι μεγαλύτερη από {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Η χρονική θυρίδα παρακάμπτεται, η υποδοχή {0} έως {1} επικαλύπτει την υπάρχουσα υποδοχή {2} έως {3}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Η άδεια εμποδίστηκε
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Το είδος {0} έχει φτάσει στο τέλος της διάρκειας ζωής του στο {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Τράπεζα Καταχωρήσεις
-DocType: Customer,Is Internal Customer,Είναι Εσωτερικός Πελάτης
+DocType: Sales Invoice,Is Internal Customer,Είναι Εσωτερικός Πελάτης
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,Αρ. Τιμολογίου πώλησης
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Αίτηση υλικού
 DocType: Bank Reconciliation,Update Clearance Date,Ενημέρωση ημερομηνίας εκκαθάρισης
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Ποσότητα δέσμης
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Δεν είναι δυνατή η δημιουργία δανείου έως ότου εγκριθεί η αίτηση
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Θέση {0} δεν βρέθηκε στο «πρώτες ύλες που προμηθεύεται« πίνακα Εντολή Αγοράς {1}
 DocType: Salary Slip,Total Principal Amount,Συνολικό αρχικό ποσό
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Σωστός
 DocType: Student Guardian,Mother,Μητέρα
 DocType: Restaurant Reservation,Reservation End Time,Ώρα λήξης κράτησης
+DocType: Salary Slip Loan,Loan Repayment Entry,Καταχώρηση αποπληρωμής δανείου
 DocType: Crop,Biennial,Διετής
 ,BOM Variance Report,Έκθεση απόκλισης BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Επιβεβαιωμένες παραγγελίες από πελάτες.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Πληρωμή κατά {0} {1} δεν μπορεί να είναι μεγαλύτερη από ό, τι οφειλόμενο ποσό {2}"
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Όλες οι Μονάδες Υπηρεσιών Υγείας
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Σχετικά με τη δυνατότητα μετατροπής
+DocType: Loan,Total Principal Paid,Συνολική πληρωμή βασικού ποσού
 DocType: Bank Account,Address HTML,Διεύθυνση ΗΤΜΛ
 DocType: Lead,Mobile No.,Αρ. Κινητού
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Τρόπος Πληρωμών
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Ισοζύγιο στο νόμισμα βάσης
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Μέγιστη βαθμολογία
 DocType: Email Digest,New Quotations,Νέες προσφορές
+DocType: Loan Interest Accrual,Loan Interest Accrual,Δαπάνη δανεισμού
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Η συμμετοχή δεν υποβλήθηκε για {0} ως {1} στην άδεια.
 DocType: Journal Entry,Payment Order,Σειρά ΠΛΗΡΩΜΗΣ
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Επαληθεύστε το Email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Έσοδα από άλλες πηγές
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Αν ληφθεί υπόψη το κενό, ο λογαριασμός της μητρικής αποθήκης ή η εταιρική προεπιλογή"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emails εκκαθαριστικό σημείωμα αποδοχών σε εργαζόμενο με βάση την προτιμώμενη email επιλέγονται Εργαζομένων
+DocType: Work Order,This is a location where operations are executed.,Αυτή είναι μια θέση όπου εκτελούνται οι λειτουργίες.
 DocType: Tax Rule,Shipping County,County ναυτιλία
 DocType: Currency Exchange,For Selling,Για την πώληση
 apps/erpnext/erpnext/config/desktop.py,Learn,Μαθαίνω
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Κωδικός εφαρμοσμένου κουπονιού
 DocType: Asset,Next Depreciation Date,Επόμενο Ημερομηνία Αποσβέσεις
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Δραστηριότητα κόστος ανά εργαζόμενο
+DocType: Loan Security,Haircut %,ΚΟΥΡΕΜΑ ΜΑΛΛΙΩΝ %
 DocType: Accounts Settings,Settings for Accounts,Ρυθμίσεις για τους λογαριασμούς
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Προμηθευτής τιμολόγιο αριθ υπάρχει στην Αγορά Τιμολόγιο {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Διαχειριστείτε το δέντρο πωλητών.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Παρακαλείστε να ορίσετε την τιμή δωματίου στην {}
 DocType: Journal Entry,Multi Currency,Πολλαπλό Νόμισμα
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Τύπος τιμολογίου
+DocType: Loan,Loan Security Details,Στοιχεία Ασφαλείας Δανείου
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Ισχύει από την ημερομηνία πρέπει να είναι μικρότερη από την ισχύουσα μέχρι σήμερα
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Έγινε εξαίρεση κατά το συνδυασμό {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Ορίστε την Αποδεκτή Αποθήκη
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Απαιτείται έγκριση δοκιμής εργαστηρίου
 DocType: Attendance,Working Hours,Ώρες εργασίας
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Σύνολο εξαιρετικών
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM Ο συντελεστής μετατροπής ({0} -&gt; {1}) δεν βρέθηκε για το στοιχείο: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Αλλάξτε τον αρχικό/τρέχων αύξοντα αριθμός μιας υπάρχουσας σειράς.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Ποσοστό σας επιτρέπεται να χρεώσετε περισσότερο έναντι του παραγγελθέντος ποσού. Για παράδειγμα: Εάν η τιμή της παραγγελίας είναι $ 100 για ένα στοιχείο και η ανοχή ορίζεται ως 10% τότε μπορείτε να χρεώσετε για $ 110.
 DocType: Dosage Strength,Strength,Δύναμη
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Όχημα Ημερομηνία
 DocType: Campaign Email Schedule,Campaign Email Schedule,Πρόγραμμα ηλεκτρονικού ταχυδρομείου καμπάνιας
 DocType: Student Log,Medical,Ιατρικός
+DocType: Work Order,This is a location where scraped materials are stored.,Αυτή είναι μια θέση όπου αποθηκεύονται τα αποξεραμένα υλικά.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Επιλέξτε φάρμακο
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Ο μόλυβδος Ιδιοκτήτης δεν μπορεί να είναι ίδιο με το μόλυβδο
 DocType: Announcement,Receiver,Δέκτης
@@ -886,7 +898,7 @@
 DocType: Driver,Applicable for external driver,Ισχύει για εξωτερικό οδηγό
 DocType: Sales Order Item,Used for Production Plan,Χρησιμοποιείται για το σχέδιο παραγωγής
 DocType: BOM,Total Cost (Company Currency),Συνολικό κόστος (νόμισμα της εταιρείας)
-DocType: Loan,Total Payment,Σύνολο πληρωμών
+DocType: Repayment Schedule,Total Payment,Σύνολο πληρωμών
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,Δημιουργήθηκε ήδη για όλα τα στοιχεία της παραγγελίας
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Προειδοποίηση παραγγελιών αγοράς
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Ενοικίαση από την ημερομηνία
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Αρκετά τμήματα για να χτίσει
+DocType: Loan Security,Loan Security Code,Κωδικός ασφαλείας δανείου
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Παρακαλώ αποθηκεύστε πρώτα
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Τα αντικείμενα απαιτούνται για να τραβήξουν τις πρώτες ύλες που σχετίζονται με αυτό.
 DocType: POS Profile User,POS Profile User,Χρήστης προφίλ POS
@@ -968,6 +981,7 @@
 DocType: Patient,Risk Factors,Παράγοντες κινδύνου
 DocType: Patient,Occupational Hazards and Environmental Factors,Επαγγελματικοί κίνδυνοι και περιβαλλοντικοί παράγοντες
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Καταχωρήσεις αποθέματος που έχουν ήδη δημιουργηθεί για παραγγελία εργασίας
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Κωδικός στοιχείου&gt; Ομάδα στοιχείων&gt; Μάρκα
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Δείτε τις προηγούμενες παραγγελίες
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} συνομιλίες
 DocType: Vital Signs,Respiratory rate,Ρυθμός αναπνοής
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Διαγραφή Συναλλαγές Εταιρείας
 DocType: Production Plan Item,Quantity and Description,Ποσότητα και περιγραφή
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Αριθμός αναφοράς και ημερομηνία αναφοράς είναι υποχρεωτική για την Τράπεζα συναλλαγών
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup&gt; Settings&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Προσθήκη / επεξεργασία φόρων και επιβαρύνσεων
 DocType: Payment Entry Reference,Supplier Invoice No,Αρ. τιμολογίου του προμηθευτή
 DocType: Territory,For reference,Για αναφορά
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Λογαριασμός παρακράτησης φόρου
 DocType: Pricing Rule,Sales Partner,Συνεργάτης πωλήσεων
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Όλες οι scorecards του προμηθευτή.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Ποσό παραγγελίας
+DocType: Loan,Disbursed Amount,Ποσό εκταμιεύσεων
 DocType: Buying Settings,Purchase Receipt Required,Απαιτείται αποδεικτικό παραλαβής αγοράς
 DocType: Sales Invoice,Rail,Ράγα
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Πραγματικό κόστος
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Συνδεδεμένο με το QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Προσδιορίστε / δημιουργήστε λογαριασμό (Ledger) για τον τύπο - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Πληρωτέος λογαριασμός
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Ο λογαριασμός είναι υποχρεωτικός για την πραγματοποίηση εγγραφών πληρωμής
 DocType: Payment Entry,Type of Payment,Τύπος Πληρωμής
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Ημ / νία Ημέρας είναι υποχρεωτική
 DocType: Sales Order,Billing and Delivery Status,Χρέωση και Παράδοσης Κατάσταση
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Χρεωμένο ποσό
 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,Principal Amount,Κύριο ποσό
+DocType: Repayment Schedule,Principal Amount,Κύριο ποσό
 DocType: Loan Application,Total Payable Interest,Σύνολο πληρωτέοι τόκοι
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Σύνολο ανεκτέλεστα: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Άνοιγμα επαφής
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Παρουσιάστηκε σφάλμα κατά τη διαδικασία ενημέρωσης
 DocType: Restaurant Reservation,Restaurant Reservation,Εστιατόριο Κράτηση
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Τα στοιχεία σας
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Προμηθευτής&gt; Τύπος προμηθευτή
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Συγγραφή πρότασης
 DocType: Payment Entry Deduction,Payment Entry Deduction,Έκπτωση Έναρξη Πληρωμής
 DocType: Service Level Priority,Service Level Priority,Προτεραιότητα επιπέδου υπηρεσιών
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Περιγραφή παρτίδας
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Δημιουργία ομάδων σπουδαστών
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Πληρωμή Gateway Ο λογαριασμός δεν δημιουργήθηκε, παρακαλούμε δημιουργήστε ένα χέρι."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Οι αποθήκες ομάδας δεν μπορούν να χρησιμοποιηθούν στις συναλλαγές. Αλλάξτε την τιμή του {0}
 DocType: Supplier Scorecard,Per Year,Ανά έτος
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Δεν είναι επιλέξιμες για εισαγωγή σε αυτό το πρόγραμμα σύμφωνα με το DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Σειρά # {0}: Δεν μπορείτε να διαγράψετε το στοιχείο {1} που έχει εκχωρηθεί στην εντολή αγοράς του πελάτη.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Κατά τη δημιουργία λογαριασμού για την εταιρεία {0} παιδιού, ο γονικός λογαριασμός {1} δεν βρέθηκε. Δημιουργήστε το γονικό λογαριασμό σε αντίστοιχο COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Διαχωρίστε το ζήτημα
 DocType: Student Attendance,Student Attendance,Η φοίτηση μαθητή
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Δεν υπάρχουν δεδομένα για εξαγωγή
 DocType: Sales Invoice Timesheet,Time Sheet,Πρόγραμμα
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush πρώτων υλών Βάσει των
 DocType: Sales Invoice,Port Code,Κωδικός λιμένα
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Πραγματική ημερομηνία παράδοσης
 DocType: Lab Test,Test Template,Πρότυπο δοκιμής
+DocType: Loan Security Pledge,Securities,Χρεόγραφα
 DocType: Restaurant Order Entry Item,Served,Σερβίρεται
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Πληροφορίες κεφαλαίου.
 DocType: Account,Accounts,Λογαριασμοί
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O Αρνητικό
 DocType: Work Order Operation,Planned End Time,Προγραμματισμένη ώρα λήξης
 DocType: POS Profile,Only show Items from these Item Groups,Εμφάνιση μόνο στοιχεία από αυτές τις ομάδες στοιχείων
+DocType: Loan,Is Secured Loan,Είναι εξασφαλισμένο δάνειο
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε καθολικό
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Λεπτομέρειες τύπου μέλους
 DocType: Delivery Note,Customer's Purchase Order No,Αρ. παραγγελίας αγοράς πελάτη
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,Επιλέξτε Εταιρεία και ημερομηνία δημοσίευσης για να λάβετε καταχωρήσεις
 DocType: Asset,Maintenance,Συντήρηση
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,Λάβετε από την συνάντηση των ασθενών
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM Ο συντελεστής μετατροπής ({0} -&gt; {1}) δεν βρέθηκε για το στοιχείο: {2}
 DocType: Subscriber,Subscriber,Συνδρομητής
 DocType: Item Attribute Value,Item Attribute Value,Τιμή χαρακτηριστικού είδους
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Η υπηρεσία συναλλάγματος πρέπει να ισχύει για την αγορά ή την πώληση.
@@ -1517,6 +1537,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Δεν έχετε άδεια
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Λίστα ελέγχου εκπλήρωσης συμβάσεων
 DocType: Vital Signs,Heart Rate / Pulse,Καρδιακός ρυθμός / παλμός
+DocType: Customer,Default Company Bank Account,Προκαθορισμένος τραπεζικός λογαριασμός εταιρείας
 DocType: Supplier,Default Bank Account,Προεπιλεγμένος τραπεζικός λογαριασμός
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Για να φιλτράρετε με βάση Κόμμα, επιλέξτε Τύπος Πάρτυ πρώτα"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},Η ενημέρωση της αποθήκης  δεν μπορεί να επιλεγεί επειδή τα στοιχεία δεν παραδίδονται μέσω {0}
@@ -1634,7 +1655,6 @@
 DocType: Sales Team,Incentives,Κίνητρα
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Τιμές εκτός συγχρονισμού
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Τιμή διαφοράς
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης&gt; Σειρά αρίθμησης
 DocType: SMS Log,Requested Numbers,Αιτήματα Αριθμοί
 DocType: Volunteer,Evening,Απόγευμα
 DocType: Quiz,Quiz Configuration,Διαμόρφωση κουίζ
@@ -1654,6 +1674,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Στο σύνολο της προηγούμενης γραμμής
 DocType: Purchase Invoice Item,Rejected Qty,απορρίφθηκε Ποσότητα
 DocType: Setup Progress Action,Action Field,Πεδίο Ενέργειας
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Τύπος δανείου για τόκους και ποινές
 DocType: Healthcare Settings,Manage Customer,Διαχείριση του πελάτη
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Συγχρονίστε πάντα τα προϊόντα σας από το Amazon MWS προτού συγχρονίσετε τα στοιχεία των παραγγελιών
 DocType: Delivery Trip,Delivery Stops,Η παράδοση σταματά
@@ -1665,6 +1686,7 @@
 ,Final Assessment Grades,Τελικοί βαθμοί αξιολόγησης
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Το όνομα της εταιρείας σας για την οποία εγκαθιστάτε αυτό το σύστημα.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Συμπεριέλαβε αργίες στον συνολικό αριθμό των εργάσιμων ημερών
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Του συνολικού συνόλου
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Ρυθμίστε το ίδρυμά σας στο ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Ανάλυση φυτών
 DocType: Task,Timeline,Χρονοδιάγραμμα
@@ -1672,9 +1694,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Εναλλακτικό στοιχείο
 DocType: Shopify Log,Request Data,Ζητήστε δεδομένα
 DocType: Employee,Date of Joining,Ημερομηνία πρόσληψης
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Ενημέρωση σειράς
 DocType: Supplier Quotation,Is Subcontracted,Έχει ανατεθεί ως υπεργολαβία
 DocType: Restaurant Table,Minimum Seating,Ελάχιστη χωρητικότητα
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Η ερώτηση δεν μπορεί να διπλασιαστεί
 DocType: Item Attribute,Item Attribute Values,Τιμές χαρακτηριστικού είδους
 DocType: Examination Result,Examination Result,Αποτέλεσμα εξέτασης
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Αποδεικτικό παραλαβής αγοράς
@@ -1776,6 +1800,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος
 DocType: Payment Request,Paid,Πληρωμένο
 DocType: Service Level,Default Priority,Προεπιλεγμένη προτεραιότητα
+DocType: Pledge,Pledge,Ενέχυρο
 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."
@@ -1789,6 +1814,7 @@
 DocType: Guardian,Guardian Name,Όνομα Guardian
 DocType: Cheque Print Template,Has Print Format,Έχει Εκτύπωση Format
 DocType: Support Settings,Get Started Sections,Ξεκινήστε τις ενότητες
+,Loan Repayment and Closure,Επιστροφή και κλείσιμο δανείου
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,Καθιερωμένος
 ,Base Amount,Βάση Βάσης
@@ -1799,10 +1825,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Από τον τόπο
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Το ποσό δανείου δεν μπορεί να είναι μεγαλύτερο από {0}
 DocType: Student Admission,Publish on website,Δημοσιεύει στην ιστοσελίδα
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Τιμολόγιο προμηθευτή ημερομηνία αυτή δεν μπορεί να είναι μεγαλύτερη από την απόσπαση Ημερομηνία
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Κωδικός στοιχείου&gt; Ομάδα στοιχείων&gt; Μάρκα
 DocType: Subscription,Cancelation Date,Ημερομηνία ακύρωσης
 DocType: Purchase Invoice Item,Purchase Order Item,Είδος παραγγελίας αγοράς
 DocType: Agriculture Task,Agriculture Task,Γεωργική εργασία
@@ -1821,7 +1847,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Πρόσθετες ποσοστό έκπτωσης
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Δείτε μια λίστα με όλα τα βίντεο βοήθειας
 DocType: Agriculture Analysis Criteria,Soil Texture,Υφή του εδάφους
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Επιλέξτε την κύρια εγγραφή λογαριασμού της τράπεζας όπου κατατέθηκε η επιταγή.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Επίτρεψε στο χρήστη να επεξεργάζεται τιμές τιμοκατάλογου στις συναλλαγές
 DocType: Pricing Rule,Max Qty,Μέγιστη ποσότητα
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Εκτύπωση καρτών αναφοράς
@@ -1953,7 +1978,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Αφού οριστεί, αυτό το τιμολόγιο θα παραμείνει αναμμένο μέχρι την καθορισμένη ημερομηνία"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Ποσό πώλησης
-DocType: Repayment Schedule,Interest Amount,Ποσό Τόκου
+DocType: Loan Interest Accrual,Interest Amount,Ποσό Τόκου
 DocType: Job Card,Time Logs,Αρχεία καταγραφής χρονολογίου
 DocType: Sales Invoice,Loyalty Amount,Ποσό πίστης
 DocType: Employee Transfer,Employee Transfer Detail,Λεπτομέρειες μεταφοράς εργαζομένων
@@ -1968,6 +1993,7 @@
 DocType: Cashier Closing,Returns,Επιστροφές
 DocType: Job Card,WIP Warehouse,Αποθήκη εργασιών σε εξέλιξη
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Ο σειριακός αριθμός {0} έχει σύμβαση συντήρησης σε ισχύ μέχρι {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Το όριο ποσού που έχει κυρωθεί για {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Στρατολόγηση
 DocType: Lead,Organization Name,Όνομα οργανισμού
 DocType: Support Settings,Show Latest Forum Posts,Εμφάνιση τελευταίων μηνυμάτων στο φόρουμ
@@ -1994,7 +2020,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Στοιχεία παραγγελίας αγορών καθυστερημένα
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Ταχυδρομικός κώδικας
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Πωλήσεις Τάξης {0} είναι {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Επιλέξτε το λογαριασμό εσόδων από τόκους στο δάνειο {0}
 DocType: Opportunity,Contact Info,Πληροφορίες επαφής
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Δημιουργία Εγγραφών Αποθεματικού
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Δεν είναι δυνατή η προώθηση του υπαλλήλου με κατάσταση αριστερά
@@ -2078,7 +2103,6 @@
 DocType: Salary Slip,Deductions,Κρατήσεις
 DocType: Setup Progress Action,Action Name,Όνομα Ενέργειας
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Έτος έναρξης
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Δημιουργία δανείου
 DocType: Purchase Invoice,Start date of current invoice's period,Ημερομηνία έναρξης της περιόδου του τρέχοντος τιμολογίου
 DocType: Shift Type,Process Attendance After,Διαδικασία παρακολούθησης μετά
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Επιλέξτε τους τομείς σας
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Εξαγορά προμηθευτή
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Στοιχεία τιμολογίου πληρωμής
+DocType: Repayment Schedule,Is Accrued,Είναι δεδουλευμένη
 DocType: Payroll Entry,Employee Details,Λεπτομέρειες των υπαλλήλων
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Επεξεργασία αρχείων XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Εισαγωγή σημείου πιστότητας
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Προεπιλεγμένη ομάδα ειδών
+DocType: Loan,Partially Disbursed,"Εν μέρει, προέβη στη χορήγηση"
 DocType: Job Card Time Log,Time In Mins,Χρόνος σε λεπτά
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Χορήγηση πληροφοριών.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Αυτή η ενέργεια αποσυνδέει αυτόν τον λογαριασμό από οποιαδήποτε εξωτερική υπηρεσία που ενσωματώνει το ERPNext με τους τραπεζικούς λογαριασμούς σας. Δεν μπορεί να ανατραπεί. Είσαι σίγουρος ?
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Ίδιο αντικείμενο δεν μπορεί να εισαχθεί πολλές φορές.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Περαιτέρω λογαριασμών μπορούν να γίνουν στις ομάδες, αλλά εγγραφές μπορούν να γίνουν με την μη Ομάδες"
+DocType: Loan Repayment,Loan Closure,Κλείσιμο δανείου
 DocType: Call Log,Lead,Σύσταση
 DocType: Email Digest,Payables,Υποχρεώσεις
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2177,6 +2204,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Το e-Way Bill JSON μπορεί να δημιουργηθεί μόνο από ένα υποβληθέν έγγραφο
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Φόρος και οφέλη εργαζομένων
 DocType: Bank Guarantee,Validity in Days,Ισχύς στις Ημέρες
+DocType: Unpledge,Haircut,ΚΟΥΡΕΜΑ ΜΑΛΛΙΩΝ
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-μορφή δεν ισχύει για Τιμολόγιο: {0}
 DocType: Certified Consultant,Name of Consultant,Όνομα Συμβούλου
 DocType: Payment Reconciliation,Unreconciled Payment Details,Μη συμφωνημένες λεπτομέρειες πληρωμής
@@ -2229,7 +2257,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Τρίτες χώρες
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Το είδος {0} δεν μπορεί να έχει παρτίδα
 DocType: Crop,Yield UOM,Απόδοση UOM
+DocType: Loan Security Pledge,Partially Pledged,Εν μέρει δέσμευση
 ,Budget Variance Report,Έκθεση διακύμανσης του προϋπολογισμού
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Ποσό δανείου που έχει κυρωθεί
 DocType: Salary Slip,Gross Pay,Ακαθάριστες αποδοχές
 DocType: Item,Is Item from Hub,Είναι στοιχείο από τον κεντρικό υπολογιστή
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Λάβετε στοιχεία από υπηρεσίες υγείας
@@ -2264,6 +2294,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Νέα διαδικασία ποιότητας
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Το υπόλοιπο λογαριασμού {0} πρέπει να είναι πάντα {1}
 DocType: Patient Appointment,More Info,Περισσότερες πληροφορίες
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Η ημερομηνία γέννησης δεν μπορεί να είναι μεγαλύτερη από την Ημερομηνία Σύνδεσης.
 DocType: Supplier Scorecard,Scorecard Actions,Ενέργειες καρτών αποτελεσμάτων
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Ο προμηθευτής {0} δεν βρέθηκε στο {1}
 DocType: Purchase Invoice,Rejected Warehouse,Αποθήκη απορριφθέντων
@@ -2360,6 +2391,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Ορίστε πρώτα τον Κωδικό στοιχείου
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Τύπος εγγράφου
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Δανεισμός ασφαλείας δανείου Δημιουργήθηκε: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Ραντεβού και συναντήσεων ασθενών
@@ -2414,6 +2446,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Αριθμός ταυτόχρονων συναντήσεων
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Ξεκινώντας
 DocType: Purchase Invoice,Taxes and Charges Calculation,Υπολογισμός φόρων και επιβαρύνσεων
+DocType: Loan Interest Accrual,Payable Principal Amount,Βασικό ποσό πληρωτέο
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Αποσβέσεις εγγύησης λογαριασμού βιβλίων αυτόματα
 DocType: BOM Operation,Workstation,Σταθμός εργασίας
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Αίτηση για Προσφορά Προμηθευτής
@@ -2450,7 +2483,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Τροφή
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Eύρος γήρανσης 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Λεπτομέρειες σχετικά με τα δελτία κλεισίματος POS
-DocType: Bank Account,Is the Default Account,Είναι ο προεπιλεγμένος λογαριασμός
 DocType: Shopify Log,Shopify Log,Κατάστημα καταγραφής
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Δεν βρέθηκε επικοινωνία.
 DocType: Inpatient Occupancy,Check In,Παραδίδω αποσκευές
@@ -2508,12 +2540,14 @@
 DocType: Sales Order Item,Planned Quantity,Προγραμματισμένη ποσότητα
 DocType: Water Analysis,Water Analysis Criteria,Κριτήρια ανάλυσης νερού
 DocType: Item,Maintain Stock,Διατηρητέο Αποθεματικό
+DocType: Loan Security Unpledge,Unpledge Time,Χρόνος αποποίησης
 DocType: Terms and Conditions,Applicable Modules,Εφαρμοστέες ενότητες
 DocType: Employee,Prefered Email,προτιμώμενη Email
 DocType: Student Admission,Eligibility and Details,Επιλεξιμότητα και Λεπτομέρειες
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Περιλαμβάνεται στο Ακαθάριστο Κέρδος
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Καθαρή Αλλαγή στο Παγίων
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Απ. Ποσ
+DocType: Work Order,This is a location where final product stored.,Αυτή είναι μια θέση όπου αποθηκεύεται το τελικό προϊόν.
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβάρυνση του τύπου 'πραγματική' στη γραμμή {0} δεν μπορεί να συμπεριληφθεί στην τιμή είδους
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Μέγιστο: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Από ημερομηνία και ώρα
@@ -2554,8 +2588,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Κατάσταση εγγύησης / Ε.Σ.Υ.
 ,Accounts Browser,Περιηγητής λογαριασμων
 DocType: Procedure Prescription,Referral,Παραπομπή
+,Territory-wise Sales,Περιφερειακές πωλήσεις
 DocType: Payment Entry Reference,Payment Entry Reference,Έναρξη Πληρωμής Αναφορά
 DocType: GL Entry,GL Entry,Καταχώρηση gl
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Σειρά # {0}: Η αποδεκτή αποθήκη και η αποθήκη προμηθευτών δεν μπορούν να είναι ίδια
 DocType: Support Search Source,Response Options,Επιλογές απόκρισης
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Εφαρμόστε τους κανόνες πολλαπλών τιμών
 DocType: HR Settings,Employee Settings,Ρυθμίσεις των υπαλλήλων
@@ -2615,6 +2651,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,Ο όρος πληρωμής στη σειρά {0} είναι πιθανώς διπλό.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Γεωργία (βήτα)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Δελτίο συσκευασίας
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Ενοίκιο γραφείου
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Ρύθμιση στοιχείων SMS gateway
 DocType: Disease,Common Name,Συνηθισμένο όνομα
@@ -2631,6 +2668,7 @@
 DocType: Item,Sales Details,Λεπτομέρειες πωλήσεων
 DocType: Coupon Code,Used,Μεταχειρισμένος
 DocType: Opportunity,With Items,Με Αντικείμενα
+DocType: Vehicle Log,last Odometer Value ,τελευταία τιμή του χιλιομέτρου
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Η καμπάνια &#39;{0}&#39; υπάρχει ήδη για το {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Ομάδα συντήρησης
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Παραγγελία στην οποία θα πρέπει να εμφανίζονται τα τμήματα. Το 0 είναι το πρώτο, το 1 είναι το δεύτερο και ούτω καθεξής."
@@ -2641,7 +2679,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Αξίωση βάρος {0} υπάρχει ήδη για το όχημα Σύνδεση
 DocType: Asset Movement Item,Source Location,Τοποθεσία πηγής
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,όνομα Ινστιτούτου
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Παρακαλούμε, εισάγετε αποπληρωμής Ποσό"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Παρακαλούμε, εισάγετε αποπληρωμής Ποσό"
 DocType: Shift Type,Working Hours Threshold for Absent,Όριο ωρών εργασίας για απουσία
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Μπορεί να υπάρχει πολλαπλός κλιμακωτός συντελεστής συλλογής με βάση το σύνολο των δαπανών. Όμως ο συντελεστής μετατροπής για εξαγορά θα είναι πάντα ο ίδιος για όλα τα επίπεδα.
 apps/erpnext/erpnext/config/help.py,Item Variants,Παραλλαγές του Είδους
@@ -2665,6 +2703,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},Αυτό {0} συγκρούσεις με {1} για {2} {3}
 DocType: Student Attendance Tool,Students HTML,φοιτητές HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} πρέπει να είναι μικρότερη από {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Επιλέξτε πρώτα τον τύπο αιτούντος
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Επιλέξτε BOM, ποσότητα και για αποθήκη"
 DocType: GST HSN Code,GST HSN Code,Κωδικός HSN του GST
 DocType: Employee External Work History,Total Experience,Συνολική εμπειρία
@@ -2755,7 +2794,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Δεν βρέθηκε ενεργό BOM για το στοιχείο {0}. Δεν είναι δυνατή η εξασφάλιση της παράδοσης με τον \ Αύξοντα Αριθμό
 DocType: Sales Partner,Sales Partner Target,Στόχος συνεργάτη πωλήσεων
-DocType: Loan Type,Maximum Loan Amount,Ανώτατο ποσό του δανείου
+DocType: Loan Application,Maximum Loan Amount,Ανώτατο ποσό του δανείου
 DocType: Coupon Code,Pricing Rule,Κανόνας τιμολόγησης
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Διπλότυπος αριθμός κυλίνδρου για φοιτητή {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Υλικό αίτηση για αγορά Παραγγελία
@@ -2778,6 +2817,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Οι άδειες κατανεμήθηκαν επιτυχώς για {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Δεν βρέθηκαν είδη για συσκευασία
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Μόνο αρχεία .csv και .xlsx υποστηρίζονται αυτήν τη στιγμή
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό&gt; Ρυθμίσεις HR
 DocType: Shipping Rule Condition,From Value,Από τιμή
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Η παραγόμενη ποσότητα είναι απαραίτητη
 DocType: Loan,Repayment Method,Τρόπος αποπληρωμής
@@ -2861,6 +2901,7 @@
 DocType: Customer,Customer POS Id,Αναγνωριστικό POS πελάτη
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Ο σπουδαστής με email {0} δεν υπάρχει
 DocType: Account,Account Name,Όνομα λογαριασμού
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Ποσό δανείου που έχει κυρωθεί υπάρχει ήδη για {0} έναντι εταιρείας {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Από την ημερομηνία αυτή δεν μπορεί να είναι μεταγενέστερη από την έως ημερομηνία
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Ο σειριακός αριθμός {0} ποσότητα {1} δεν μπορεί να είναι ένα κλάσμα
 DocType: Pricing Rule,Apply Discount on Rate,Εφαρμογή έκπτωσης στην τιμή
@@ -2932,6 +2973,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Καθαρό κέρδος
 DocType: Purchase Invoice,Eligibility For ITC,Επιλεξιμότητα για το ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Χωρίς υποσχέσεις
 DocType: Journal Entry,Entry Type,Τύπος εισόδου
 ,Customer Credit Balance,Υπόλοιπο πίστωσης πελάτη
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Καθαρή Αλλαγή πληρωτέων λογαριασμών
@@ -2943,6 +2985,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Αναγνωριστικό συσκευής παρακολούθησης (αναγνωριστικό βιομετρικής ετικέτας / RF)
 DocType: Quotation,Term Details,Λεπτομέρειες όρων
 DocType: Item,Over Delivery/Receipt Allowance (%),Επίδομα παράδοσης / παραλαβής (%)
+DocType: Appointment Letter,Appointment Letter Template,Πρότυπο επιστολής συνάντησης
 DocType: Employee Incentive,Employee Incentive,Κίνητρο για εργαζόμενους
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,Δεν μπορούν να εγγραφούν περισσότερες από {0} μαθητές για αυτή την ομάδα των σπουδαστών.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),Σύνολο (χωρίς Φόρο)
@@ -2965,6 +3008,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.","Δεν είναι δυνατή η εξασφάλιση της παράδοσης με σειριακό αριθμό, καθώς προστίθεται το στοιχείο {0} με και χωρίς την παράμετρο &quot;Εξασφαλίστε την παράδοση&quot; με \"
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Αποσύνδεση Πληρωμή κατά την ακύρωσης της Τιμολόγιο
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Διαδικασία δανεισμού διαδικασιών
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Τρέχουσα ανάγνωση οδομέτρων τέθηκε πρέπει να είναι μεγαλύτερη από την αρχική του χιλιομετρητή του οχήματος {0}
 ,Purchase Order Items To Be Received or Billed,Στοιχεία παραγγελίας αγοράς που πρέπει να ληφθούν ή να χρεωθούν
 DocType: Restaurant Reservation,No Show,Δεν δείχνουν
@@ -3050,6 +3094,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}:Το Κέντρο Κόστους απαιτείται για ""Κέρδη και Ζημιές""  στο λογαριασμό  {2}. Δημιουργήστε ένα προεπιλεγμένο Κέντρο Κόστους για την Εταιρεία."
 DocType: Payment Schedule,Payment Term,Ορος πληρωμής
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Μια ομάδα πελατών υπάρχει με το ίδιο όνομα παρακαλώ να αλλάξετε το όνομα του πελάτη ή να μετονομάσετε την ομάδα πελατών
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Η ημερομηνία λήξης εισαγωγής πρέπει να είναι μεγαλύτερη από την ημερομηνία έναρξης εισαγωγής.
 DocType: Location,Area,Περιοχή
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Νέα Επαφή
 DocType: Company,Company Description,Περιγραφή εταιρείας
@@ -3124,6 +3169,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Χαρτογραφημένα δεδομένα
 DocType: Purchase Order Item,Warehouse and Reference,Αποθήκη και αναφορά
 DocType: Payroll Period Date,Payroll Period Date,Περίοδος μισθοδοσίας Ημερομηνία
+DocType: Loan Disbursement,Against Loan,Ενάντια στο Δάνειο
 DocType: Supplier,Statutory info and other general information about your Supplier,Πληροφορίες καταστατικού και άλλες γενικές πληροφορίες σχετικά με τον προμηθευτή σας
 DocType: Item,Serial Nos and Batches,Σειριακοί αριθμοί και παρτίδες
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Δύναμη ομάδας σπουδαστών
@@ -3190,6 +3236,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Επιλέξτε μια εταιρεία
 DocType: Delivery Settings,Delivery Settings,Ρυθμίσεις παράδοσης
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Λήψη δεδομένων
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Δεν μπορεί να απαγορεύσει περισσότερες από {0} qty από {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Η μέγιστη άδεια που επιτρέπεται στον τύπο άδειας {0} είναι {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Δημοσιεύστε 1 στοιχείο
 DocType: SMS Center,Create Receiver List,Δημιουργία λίστας παραλήπτη
@@ -3337,6 +3384,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Βάση Ποσό (Εταιρεία νομίσματος)
 DocType: Purchase Invoice,Registered Regular,Καταχωρημένος τακτικός
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Πρώτες ύλες
+DocType: Plaid Settings,sandbox,sandbox
 DocType: Payment Reconciliation Payment,Reference Row,Σειρά αναφοράς
 DocType: Installation Note,Installation Time,Ώρα εγκατάστασης
 DocType: Sales Invoice,Accounting Details,Λογιστική Λεπτομέρειες
@@ -3349,12 +3397,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Τύπος συναλλαγής
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Κριτήρια αποδοχής
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Παρακαλούμε, εισάγετε αιτήσεις Υλικό στον παραπάνω πίνακα"
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Συνολικό πληρωτέο ποσό
 DocType: Task,Expected Time (in hours),Αναμενόμενη διάρκεια (σε ώρες)
 DocType: Item Reorder,Check in (group),Άφιξη (ομάδα)
 DocType: Soil Texture,Silt,Λάσπη
@@ -3385,6 +3432,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Αποκτήστε φόρο για μη αποδεδειγμένη φορολογική απαλλαγή
 DocType: Volunteer,Anytime,Οποτεδήποτε
 DocType: Bank Account,Bank Account No,Αριθμός τραπεζικού λογαριασμού
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Εκταμίευση και επιστροφή
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Υποβολή απόδειξης απαλλαγής από φόρο εργαζομένων
 DocType: Patient,Surgical History,Χειρουργική Ιστορία
 DocType: Bank Statement Settings Item,Mapped Header,Χαρτογραφημένη κεφαλίδα
@@ -3448,6 +3496,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Δημιουργία δοκιμών εργαστηρίου για την υποβολή τιμολογίου πωλήσεων
 DocType: Serial No,Invoice Details,Λεπτομέρειες τιμολογίου
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Η δομή μισθοδοσίας πρέπει να υποβληθεί πριν από την υποβολή της δήλωσης εξαγοράς
+DocType: Loan Application,Proposed Pledges,Προτεινόμενες υποσχέσεις
 DocType: Grant Application,Show on Website,Εμφάνιση στο δικτυακό τόπο
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Ξεκινήστε
 DocType: Hub Tracked Item,Hub Category,Κατηγορία Hub
@@ -3459,7 +3508,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Βαθμολογία προμηθευτή Scorecard
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Κατάλογος Υλικών δεν βρέθηκε για την Θέση {1}
 DocType: Contract Fulfilment Checklist,Requirement,Απαίτηση
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό&gt; Ρυθμίσεις HR
 DocType: Journal Entry,Accounts Receivable,Εισπρακτέοι λογαριασμοί
 DocType: Quality Goal,Objectives,Στόχοι
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Ο ρόλος που επιτρέπεται να δημιουργεί μια εφαρμογή Backdated Leave
@@ -3472,6 +3520,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Συμπεριέλαβε συμφωνημένες καταχωρήσεις
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Το συνολικό ποσό που διατίθεται ({0}) είναι μεγαλύτερο από το ποσό που καταβλήθηκε ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Επιμέρησε τα κόστη μεταφοράς σε όλα τα είδη.
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Το ποσό που καταβάλλεται δεν μπορεί να είναι μικρότερο από {0}
 DocType: Projects Settings,Timesheets,φύλλων
 DocType: HR Settings,HR Settings,Ρυθμίσεις ανθρωπίνου δυναμικού
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Λογιστές Masters
@@ -3617,6 +3666,7 @@
 DocType: Employee,Health Insurance,Ασφάλεια υγείας
 DocType: Asset Repair,Manufacturing Manager,Υπεύθυνος παραγωγής
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Ο σειριακός αριθμός {0} έχει εγγύηση μέχρι {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Το ποσό δανείου υπερβαίνει το μέγιστο ποσό δανείου {0} σύμφωνα με τις προτεινόμενες αξίες
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Ελάχιστη επιτρεπτή τιμή
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Ο χρήστης {0} υπάρχει ήδη
 apps/erpnext/erpnext/hooks.py,Shipments,Αποστολές
@@ -3660,7 +3710,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Είδος επιχείρησης
 DocType: Sales Invoice,Consumer,Καταναλωτής
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Παρακαλώ επιλέξτε χορηγούμενο ποσό, τύπο τιμολογίου και αριθμό τιμολογίου σε τουλάχιστον μία σειρά"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Το κόστος της Νέας Αγοράς
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Η παραγγελία πώλησης για το είδος {0} είναι απαραίτητη
 DocType: Grant Application,Grant Description,Περιγραφή επιχορήγησης
@@ -3669,6 +3718,7 @@
 DocType: Subscription,Discounts,Εκπτώσεις
 DocType: Bank Transaction,Unallocated Amount,μη διατεθέντων Ποσό
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Παρακαλούμε ενεργοποιήστε την Εφαρμοστέα στην Εντολή Αγοράς και την Ισχύουσα για τα Κρατικά Έξοδα Κράτησης
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} δεν είναι τραπεζικός λογαριασμός εταιρείας
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Δεν μπορείτε να βρείτε μια αντίστοιχη Θέση. Παρακαλούμε επιλέξτε κάποια άλλη τιμή για το {0}.
 DocType: POS Profile,Taxes and Charges,Φόροι και επιβαρύνσεις
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Ένα προϊόν ή μια υπηρεσία που αγοράζεται, πωλείται ή διατηρείται σε απόθεμα."
@@ -3717,6 +3767,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Η ισχύουσα από την ημερομηνία πρέπει να είναι μικρότερη από την έγκυρη μέχρι την ημερομηνία.
 DocType: Employee Skill,Evaluation Date,Ημερομηνία αξιολόγησης
 DocType: Quotation Item,Stock Balance,Ισοζύγιο αποθέματος
+DocType: Loan Security Pledge,Total Security Value,Συνολική αξία ασφαλείας
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Πωλήσεις Τάξης να Πληρωμής
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Με την πληρωμή του φόρου
@@ -3729,6 +3780,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Παρακαλώ επιλέξτε σωστό λογαριασμό
 DocType: Salary Structure Assignment,Salary Structure Assignment,Υπολογισμός δομής μισθών
 DocType: Purchase Invoice Item,Weight UOM,Μονάδα μέτρησης βάρους
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Ο λογαριασμός {0} δεν υπάρχει στο γράφημα του πίνακα ελέγχου {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Κατάλογος διαθέσιμων Μετόχων με αριθμούς φακέλων
 DocType: Salary Structure Employee,Salary Structure Employee,Δομή μισθό του υπαλλήλου
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Εμφάνιση παραμέτρων παραλλαγών
@@ -3810,6 +3862,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Τρέχουσα Αποτίμηση Τιμή
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Ο αριθμός των root λογαριασμών δεν μπορεί να είναι μικρότερος από 4
 DocType: Training Event,Advance,Προκαταβολή
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Ενάντια δανείου:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless ρυθμίσεις πύλης πληρωμής
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Ανταλλαγή Κέρδος / Ζημιά
 DocType: Opportunity,Lost Reason,Αιτιολογία απώλειας
@@ -3893,8 +3946,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Επιλέξτε Αριθμός παρτίδας
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Άκυρη {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Σειρά {0}: Η ημερομηνία γέννησης δεν μπορεί να είναι μεγαλύτερη από σήμερα.
 DocType: Fee Validity,Reference Inv,Αναφορά Inv
 DocType: Sales Invoice Advance,Advance Amount,Ποσό προκαταβολής
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Επιτόκιο ποινής (%) ανά ημέρα
 DocType: Manufacturing Settings,Capacity Planning,Σχεδιασμός Χωρητικότητα
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Προσαρμογή στρογγυλοποίησης (νόμισμα εταιρείας
 DocType: Asset,Policy number,Αριθμός πολιτικής
@@ -3910,7 +3965,9 @@
 DocType: Normal Test Items,Require Result Value,Απαιτείται τιμή αποτελέσματος
 DocType: Purchase Invoice,Pricing Rules,Κανόνες τιμολόγησης
 DocType: Item,Show a slideshow at the top of the page,Δείτε μια παρουσίαση στην κορυφή της σελίδας
+DocType: Appointment Letter,Body,Σώμα
 DocType: Tax Withholding Rate,Tax Withholding Rate,Φόρος παρακράτησης φόρου
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Η ημερομηνία έναρξης αποπληρωμής είναι υποχρεωτική για τα δάνεια με διάρκεια
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOMs
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Καταστήματα
@@ -3930,7 +3987,7 @@
 DocType: Call Log,Received By,Που λαμβάνονται από
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Διάρκεια Συνάντησης (σε λεπτά)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Στοιχεία πρότυπου χαρτογράφησης ταμειακών ροών
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Διαχείριση δανείων
+DocType: Loan,Loan Management,Διαχείριση δανείων
 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,Update Cost,Ενημέρωση κόστους
@@ -3938,6 +3995,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Μορφή
 DocType: Sales Invoice,Mode of Transport,Τρόπος μεταφοράς
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Εμφάνιση Μισθός Slip
+DocType: Loan,Is Term Loan,Είναι δάνειο διάρκειας
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Μεταφορά υλικού
 DocType: Fees,Send Payment Request,Αίτηση πληρωμής
 DocType: Travel Request,Any other details,Οποιαδήποτε άλλα στοιχεία
@@ -3955,6 +4013,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Ταμειακές ροές από χρηματοδοτικές
 DocType: Budget Account,Budget Account,Ο λογαριασμός του προϋπολογισμού
 DocType: Quality Inspection,Verified By,Πιστοποιημένο από
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Προσθέστε ασφάλεια δανείου
 DocType: Travel Request,Name of Organizer,Όνομα του διοργανωτή
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,Είναι η ευθύνη φόρου εισοδήματος
@@ -4005,6 +4064,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Απαιτείται στις
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Εάν είναι επιλεγμένο, αποκρύπτει και απενεργοποιεί το πεδίο Στρογγυλεμένο Σύνολο στις Μορφές Μισθών"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Αυτή είναι η προεπιλεγμένη αντιστάθμιση (ημέρες) για την Ημερομηνία παράδοσης στις Παραγγελίες Πωλήσεων. Η αντισταθμιστική αντιστάθμιση είναι 7 ημέρες από την ημερομηνία τοποθέτησης της παραγγελίας.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης&gt; Σειρά αρίθμησης
 DocType: Rename Tool,File to Rename,Αρχείο μετονομασίας
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Επιλέξτε BOM για τη θέση στη σειρά {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Λήψη ενημερώσεων συνδρομής
@@ -4017,6 +4077,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Δημιουργημένοι σειριακοί αριθμοί
 DocType: POS Profile,Applicable for Users,Ισχύει για χρήστες
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Από την ημερομηνία και μέχρι την ημερομηνία είναι υποχρεωτική
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Ορίστε το έργο και όλες τις εργασίες σε κατάσταση {0};
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Ορίστε τις προκαταβολές και το Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Δεν δημιουργήθηκαν εντολές εργασίας
@@ -4026,6 +4087,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Στοιχεία από
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Το κόστος των αγορασθέντων ειδών
 DocType: Employee Separation,Employee Separation Template,Πρότυπο διαχωρισμού υπαλλήλων
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Μηδενικές ποσότητες {0} ενεχυριασμένες έναντι δανείου {0}
 DocType: Selling Settings,Sales Order Required,Η παραγγελία πώλησης είναι απαραίτητη
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Γίνετε πωλητής
 ,Procurement Tracker,Παρακολούθηση προμηθειών
@@ -4123,11 +4185,12 @@
 ,Minutes to First Response for Opportunity,Λεπτά για να First Response για την ευκαιρία
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Σύνολο απόντων
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Το είδος ή η αποθήκη για την γραμμή {0} δεν ταιριάζει στην αίτηση υλικού
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Πληρωτέο ποσό
+DocType: Loan Repayment,Payable Amount,Πληρωτέο ποσό
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Ευκαιρία
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Η μέγιστη ισχύς δεν μπορεί να είναι μικρότερη από μηδέν.
 DocType: Options,Option,Επιλογή
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Δεν μπορείτε να δημιουργήσετε λογιστικές εγγραφές στην κλειστή λογιστική περίοδο {0}
 DocType: Operation,Default Workstation,Προεπιλογμένος σταθμός εργασίας
@@ -4169,6 +4232,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Το ποσό των τόκων είναι υποχρεωτικό
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Άδειας άνευ αποδοχών δεν ταιριάζει με τα εγκεκριμένα αρχεία Αφήστε Εφαρμογή
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Επόμενα βήματα
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Αποθηκευμένα στοιχεία
@@ -4239,8 +4303,6 @@
 DocType: Grant Application,Grant Application Details ,Λεπτομέρειες αίτησης επιχορήγησης
 DocType: Employee Separation,Employee Separation,Διαχωρισμός υπαλλήλων
 DocType: BOM Item,Original Item,Αρχικό στοιχείο
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Διαγράψτε τον υπάλληλο <a href=""#Form/Employee/{0}"">{0}</a> \ για να ακυρώσετε αυτό το έγγραφο"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Ημερομηνία εγγράφου
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Εγγραφές τέλους Δημιουργήθηκε - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Κατηγορία Λογαριασμού
@@ -4276,6 +4338,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Το στοιχείο δοκιμής Lab {0} υπάρχει ήδη
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} είναι εορταστική περίοδος
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Χρεωστικές ώρες
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Το επιτόκιο κυρώσεων επιβάλλεται σε ημερήσια βάση σε περίπτωση καθυστερημένης εξόφλησης
+DocType: Appointment Letter content,Appointment Letter content,Περιεχόμενο επιστολής διορισμού
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Αφήστε την ειδοποίηση κατάστασης
 DocType: Patient Appointment,Procedure Prescription,Διαδικασία συνταγής
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Έπιπλα και φωτιστικών
@@ -4295,7 +4359,7 @@
 DocType: Opportunity,Customer / Lead Name,Πελάτης / όνομα επαφής
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Δεν αναφέρεται ημερομηνία εκκαθάρισης
 DocType: Payroll Period,Taxable Salary Slabs,Φορολογικές μισθώσεις
-DocType: Job Card,Production,Παραγωγή
+DocType: Plaid Settings,Production,Παραγωγή
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Μη έγκυρο GSTIN! Η είσοδος που έχετε εισάγει δεν αντιστοιχεί στη μορφή του GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Αξία λογαριασμού
 DocType: Guardian,Occupation,Κατοχή
@@ -4439,6 +4503,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Συλλογή προγράμματος αφοσίωσης
 DocType: Stock Entry Detail,Subcontracted Item,Υπεργολαβικό στοιχείο
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Ο σπουδαστής {0} δεν ανήκει στην ομάδα {1}
+DocType: Appointment Letter,Appointment Date,Ημερομηνία ραντεβού
 DocType: Budget,Cost Center,Κέντρο κόστους
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Αποδεικτικό #
 DocType: Tax Rule,Shipping Country,Αποστολές Χώρα
@@ -4509,6 +4574,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Λογιστική διάσταση
 ,Profit and Loss Statement,Έκθεση αποτελέσματος χρήσης
 DocType: Bank Reconciliation Detail,Cheque Number,Αριθμός επιταγής
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Το ποσό που καταβλήθηκε δεν μπορεί να είναι μηδέν
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Το στοιχείο που αναφέρεται από {0} - {1} έχει ήδη τιμολογηθεί
 ,Sales Browser,Περιηγητής πωλήσεων
 DocType: Journal Entry,Total Credit,Συνολική πίστωση
@@ -4625,6 +4691,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Προσθήκη / Επεξεργασία Όρων Κουπονιού
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Η δαπάνη / διαφορά λογαριασμού ({0}) πρέπει να είναι λογαριασμός τύπου 'κέρδη ή ζημίες'
 DocType: Stock Entry Detail,Stock Entry Child,Αποθήκη παιδιού
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Η Εταιρεία Υποχρεώσεων Δανείων και η Εταιρεία δανείων πρέπει να είναι ίδια
 DocType: Project,Copied From,Αντιγραφή από
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Τιμολόγιο που έχει ήδη δημιουργηθεί για όλες τις ώρες χρέωσης
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},error Όνομα: {0}
@@ -4632,6 +4699,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Είναι το κόστος χρηματοδότησης
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Η συμμετοχή για εργαζομένο {0} έχει ήδη σημειώθει
 DocType: Packing Slip,If more than one package of the same type (for print),Εάν περισσότερες από μία συσκευασίες του ίδιου τύπου (για εκτύπωση)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση&gt; Ρυθμίσεις Εκπαίδευσης
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ορίστε τον προεπιλεγμένο πελάτη στις Ρυθμίσεις εστιατορίου
 ,Salary Register,μισθός Εγγραφή
 DocType: Company,Default warehouse for Sales Return,Προκαθορισμένη αποθήκη για επιστροφή πωλήσεων
@@ -4676,7 +4744,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Τρέχων σειριακός αριθμός
 DocType: Employee,Attendance and Leave Details,Συμμετοχή και Αφήστε τις λεπτομέρειες
 ,BOM Comparison Tool,Εργαλείο σύγκρισης μεγέθους BOM
-,Requested,Ζητήθηκαν
+DocType: Loan Security Pledge,Requested,Ζητήθηκαν
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Δεν βρέθηκαν παρατηρήσεις
 DocType: Asset,In Maintenance,Στη συντήρηση
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Κάντε κλικ σε αυτό το κουμπί για να τραβήξετε τα δεδομένα της Παραγγελίας Πωλήσεων από το Amazon MWS.
@@ -4688,7 +4756,6 @@
 DocType: Drug Prescription,Drug Prescription,Φαρμακευτική συνταγή
 DocType: Service Level,Support and Resolution,Υποστήριξη και επίλυση
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Ο ελεύθερος κωδικός είδους δεν έχει επιλεγεί
-DocType: Loan,Repaid/Closed,Αποπληρωθεί / Έκλεισε
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Συνολικές προβλεπόμενες Ποσότητα
 DocType: Monthly Distribution,Distribution Name,Όνομα διανομής
@@ -4722,6 +4789,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Λογιστική εγγραφή για απόθεμα
 DocType: Lab Test,LabTest Approver,Έλεγχος LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Έχετε ήδη αξιολογήσει τα κριτήρια αξιολόγησης {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Ποσό ελλείψεων
 DocType: Vehicle Service,Engine Oil,Λάδι μηχανής
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Δημιουργούνται εντολές εργασίας: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Ορίστε ένα όνομα ηλεκτρονικού ταχυδρομείου για το Lead {0}
@@ -4740,6 +4808,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Ο λογαριασμός δεν έχει οριστεί για το διάγραμμα του πίνακα ελέγχου {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Εφαρμόστε επιπλέον έκπτωση On
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Επιλέξτε Τύπο ...
+DocType: Loan Interest Accrual,Amounts,Ποσά
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Τα εισιτήριά σας
 DocType: Account,Root Type,Τύπος ρίζας
 DocType: Item,FIFO,FIFO
@@ -4747,6 +4816,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Σειρά # {0}: Δεν μπορεί να επιστρέψει πάνω από {1} για τη θέση {2}
 DocType: Item Group,Show this slideshow at the top of the page,Εμφάνιση αυτής της παρουσίασης στην κορυφή της σελίδας
 DocType: BOM,Item UOM,Μ.Μ. Είδους
+DocType: Loan Security Price,Loan Security Price,Τιμή Ασφαλείας Δανείου
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Ποσό Φόρου Μετά Ποσό έκπτωσης (Εταιρεία νομίσματος)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Η αποθήκη προορισμού είναι απαραίτητη για τη γραμμή {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Λιανικές Λειτουργίες
@@ -4885,6 +4955,7 @@
 DocType: Coupon Code,Coupon Description,Περιγραφή κουπονιού
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Η παρτίδα είναι υποχρεωτική στη σειρά {0}
 DocType: Company,Default Buying Terms,Προεπιλεγμένοι όροι αγοράς
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Εκταμίευση δανείου
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Το είδος στο αποδεικτικό παραλαβής αγοράς έχει προμηθευτεί
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Ενεργοποίηση προγραμματισμένου συγχρονισμού
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Έως ημερομηνία και ώρα
@@ -4913,6 +4984,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Εισαγάγετε αξία μεταξύ {0} και {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Πληκτρολογήστε το όνομα της εκστρατείας εάν η πηγή της έρευνας είναι εκστρατεία
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Εκδότες εφημερίδων
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Δεν βρέθηκε έγκυρη <b>τιμή δανείου</b> για {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Οι μελλοντικές ημερομηνίες δεν επιτρέπονται
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Η αναμενόμενη ημερομηνία παράδοσης πρέπει να είναι μετά την ημερομηνία παραγγελίας
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Αναδιάταξη επιπέδου
@@ -4979,6 +5051,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Πρόταση / Τιμολόγηση
 DocType: Antibiotic,Healthcare,Φροντίδα υγείας
 DocType: Target Detail,Target Detail,Λεπτομέρειες στόχου
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Διαδικασίες δανεισμού
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Μονή Παραλλαγή
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Όλες οι θέσεις εργασίας
 DocType: Sales Order,% of materials billed against this Sales Order,% Των υλικών που χρεώθηκαν σε αυτήν την παραγγελία πώλησης
@@ -5041,7 +5114,7 @@
 DocType: Item,Reorder level based on Warehouse,Αναδιάταξη επίπεδο με βάση Αποθήκης
 DocType: Activity Cost,Billing Rate,Χρέωση Τιμή
 ,Qty to Deliver,Ποσότητα για παράδοση
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Δημιουργία καταχώρησης εκταμίευσης
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Δημιουργία καταχώρησης εκταμίευσης
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Το Amazon θα συγχρονίσει δεδομένα που έχουν ενημερωθεί μετά από αυτήν την ημερομηνία
 ,Stock Analytics,Ανάλυση αποθέματος
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,Εργασίες δεν μπορεί να μείνει κενό
@@ -5075,6 +5148,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Αποσύνδεση εξωτερικών ενοποιήσεων
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Επιλέξτε μια αντίστοιχη πληρωμή
 DocType: Pricing Rule,Item Code,Κωδικός είδους
+DocType: Loan Disbursement,Pending Amount For Disbursal,Εν αναμονή ποσού για εκταμίευση
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Λεπτομέρειες εγγύησης / Ε.Σ.Υ.
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Επιλέξτε τους σπουδαστές με μη αυτόματο τρόπο για την ομάδα που βασίζεται στην δραστηριότητα
@@ -5098,6 +5172,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Ποσότητα Σύνολο
 DocType: Landed Cost Item,Receipt Document,έγγραφο παραλαβής
 DocType: Employee Education,School/University,Σχολείο / πανεπιστήμιο
+DocType: Loan Security Pledge,Loan  Details,Λεπτομέρειες δανείου
 DocType: Sales Invoice Item,Available Qty at Warehouse,Διαθέσιμη ποσότητα στην αποθήκη
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Χρεωμένο ποσό
 DocType: Share Transfer,(including),(συμπεριλαμβανομένου)
@@ -5121,6 +5196,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Ομάδες
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Ομαδοποίηση κατά λογαριασμό
 DocType: Purchase Invoice,Hold Invoice,Κρατήστε Τιμολόγιο
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Κατάσταση δέσμευσης
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Επιλέξτε Υπάλληλο
 DocType: Sales Order,Fully Delivered,Έχει παραδοθεί πλήρως
 DocType: Promotional Scheme Price Discount,Min Amount,Ελάχιστο ποσό
@@ -5130,7 +5206,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Εκταμιευόμενο ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Η σειρά {0} # Το κατανεμημένο ποσό {1} δεν μπορεί να είναι μεγαλύτερο από το ποσό που δεν ζητήθηκε {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Ο αριθμός παραγγελίας για το είδος {0} είναι απαραίτητος
 DocType: Leave Allocation,Carry Forwarded Leaves,Μεταφερμένες άδειες
@@ -5158,6 +5233,7 @@
 DocType: Pick List Item,Serial No and Batch,Αύξων αριθμός παρτίδας και
 DocType: Warranty Claim,From Company,Από την εταιρεία
 DocType: GSTR 3B Report,January,Ιανουάριος
+DocType: Loan Repayment,Principal Amount Paid,Βασικό ποσό που καταβλήθηκε
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Άθροισμα Δεκάδες Κριτήρια αξιολόγησης πρέπει να είναι {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Παρακαλούμε να ορίσετε Αριθμός Αποσβέσεις κράτηση
 DocType: Supplier Scorecard Period,Calculations,Υπολογισμοί
@@ -5183,6 +5259,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Σχετικά με την εταιρεία σας
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Εμφάνιση δεδομένων γήρανσης των αποθεμάτων
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Πίστωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού
+DocType: Loan Repayment,Penalty Amount,Ποσό ποινής
 DocType: Donor,Donor,Δότης
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ενημερώστε τους φόρους για τα στοιχεία
 DocType: Global Defaults,Disable In Words,Απενεργοποίηση στα λόγια
@@ -5213,6 +5290,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Κέντρου Κόστους και Προϋπολογισμού
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Άνοιγμα Υπόλοιπο Ιδίων Κεφαλαίων
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Μερική πληρωμένη είσοδος
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ρυθμίστε το χρονοδιάγραμμα πληρωμών
 DocType: Pick List,Items under this warehouse will be suggested,Τα αντικείμενα αυτής της αποθήκης θα προταθούν
 DocType: Purchase Invoice,N,Ν
@@ -5246,7 +5324,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},Δεν βρέθηκε {0} για το στοιχείο {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Η τιμή πρέπει να είναι μεταξύ {0} και {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Εμφάνιση αποκλειστικού φόρου στην εκτύπωση
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Τραπεζικός λογαριασμός, από την ημερομηνία έως την ημερομηνία είναι υποχρεωτική"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Το μήνυμα εστάλη
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Ο λογαριασμός με κόμβους παιδί δεν μπορεί να οριστεί ως καθολικό
 DocType: C-Form,II,II
@@ -5260,6 +5337,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Ενεργοποιήστε την αυτόματη αναδιάταξη
 DocType: Stock Settings,Item Naming By,Ονομασία είδους κατά
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Μια ακόμη καταχώρηση κλεισίματος περιόδου {0} έχει γίνει μετά από {1}
+DocType: Proposed Pledge,Proposed Pledge,Προτεινόμενη υπόσχεση
 DocType: Work Order,Material Transferred for Manufacturing,Υλικό το οποίο μεταφέρεται για Βιομηχανία
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Ο λογαριασμός {0} δεν υπάρχει
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Επιλέξτε πρόγραμμα αφοσίωσης
@@ -5270,7 +5348,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ρύθμιση Εκδηλώσεις σε {0}, καθόσον ο εργαζόμενος συνδέεται με την παρακάτω Πωλήσεις Άτομα που δεν έχει ένα όνομα χρήστη {1}"
 DocType: Timesheet,Billing Details,λεπτομέρειες χρέωσης
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Πηγή και αποθήκη στόχος πρέπει να είναι διαφορετική
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό&gt; Ρυθμίσεις HR
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Η πληρωμή απέτυχε. Ελέγξτε το λογαριασμό GoCardless για περισσότερες λεπτομέρειες
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Δεν επιτρέπεται να ενημερώσετε συναλλαγές αποθέματος παλαιότερες από {0}
 DocType: Stock Entry,Inspection Required,Απαιτείται έλεγχος
@@ -5283,6 +5360,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,Πρόγραμμα
+DocType: Unpledge,Against Pledge,Ενάντια στη δέσμευση
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Οι χρήστες με αυτό το ρόλο μπορούν να καθορίζουν δεσμευμένους λογαριασμούς και τη δημιουργία / τροποποίηση των λογιστικών εγγραφών δεσμευμένων λογαριασμών
 DocType: Plaid Settings,Plaid Environment,Κλίμα Περιβάλλον
 ,Project Billing Summary,Περίληψη χρεώσεων έργου
@@ -5334,6 +5412,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Παρτίδες
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Μπορείτε να κάνετε κράτηση εκ των προτέρων
 DocType: Article,LMS User,Χρήστης LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Η εγγύηση ασφάλειας δανείου είναι υποχρεωτική για εξασφαλισμένο δάνειο
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Τόπος παροχής (κράτος / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Μ.Μ. Αποθέματος
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Η παραγγελία αγοράς {0} δεν έχει υποβληθεί
@@ -5408,6 +5487,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Δημιουργία κάρτας εργασίας
 DocType: Quotation,Referral Sales Partner,Συνεργάτης πωλήσεων παραπομπής
 DocType: Quality Procedure Process,Process Description,Περιγραφή διαδικασίας
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Δεν μπορεί να Unpledge, αξία ασφάλειας δάνειο είναι μεγαλύτερο από το ποσό που έχει επιστραφεί"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Ο πελάτης {0} δημιουργείται.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Προς το παρων δεν υπάρχει διαθέσιμο απόθεμα σε καμία αποθήκη
 ,Payment Period Based On Invoice Date,Περίοδος πληρωμής με βάση την ημερομηνία τιμολογίου
@@ -5428,7 +5508,7 @@
 DocType: Asset,Insurance Details,ασφάλιση Λεπτομέρειες
 DocType: Account,Payable,Πληρωτέος
 DocType: Share Balance,Share Type,Τύπος Μετοχής
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Παρακαλούμε, εισάγετε περιόδους αποπληρωμής"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Παρακαλούμε, εισάγετε περιόδους αποπληρωμής"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Οφειλέτες ({0})
 DocType: Pricing Rule,Margin,Περιθώριο
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Νέοι Πελάτες
@@ -5437,6 +5517,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Ευκαιρίες από την πηγή μολύβδου
 DocType: Appraisal Goal,Weightage (%),Ζύγισμα (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Αλλάξτε το προφίλ POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Το Ποσό ή το Ποσό είναι απαραίτητο για την ασφάλεια του δανείου
 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,Assessment Report,Έκθεση αξιολόγησης
@@ -5472,6 +5553,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Λογαριασμός μετοχών
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Το τιμολόγιο πωλήσεων {0} δημιουργήθηκε
 DocType: Employee,Confirmation Date,Ημερομηνία επιβεβαίωσης
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Διαγράψτε τον υπάλληλο <a href=""#Form/Employee/{0}"">{0}</a> \ για να ακυρώσετε αυτό το έγγραφο"
 DocType: Inpatient Occupancy,Check Out,Ολοκλήρωση αγοράς
 DocType: C-Form,Total Invoiced Amount,Συνολικό ποσό που τιμολογήθηκε
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Η ελάχιστη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την μέγιστη ποσότητα
@@ -5485,7 +5568,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Ταυτότητα εταιρίας Quickbooks
 DocType: Travel Request,Travel Funding,Ταξιδιωτική χρηματοδότηση
 DocType: Employee Skill,Proficiency,Ικανότητα
-DocType: Loan Application,Required by Date,Απαιτείται από την Ημερομηνία
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Λεπτομέρειες παραλαβής αγοράς
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Ένας σύνδεσμος προς όλες τις τοποθεσίες στις οποίες αναπτύσσεται η καλλιέργεια
 DocType: Lead,Lead Owner,Ιδιοκτήτης επαφής
@@ -5504,7 +5586,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Η τρέχουσα Λ.Υ. και η νέα Λ.Υ. δεν μπορεί να είναι ίδιες
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Μισθός ID Slip
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Η ημερομηνία συνταξιοδότησης πρέπει να είναι μεταγενέστερη από την ημερομηνία πρόσληψης
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Προμηθευτής&gt; Τύπος προμηθευτή
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Πολλαπλές παραλλαγές
 DocType: Sales Invoice,Against Income Account,Κατά τον λογαριασμό εσόδων
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Παραδόθηκαν
@@ -5537,7 +5618,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Χρεώσεις τύπου αποτίμηση δεν μπορεί να χαρακτηρίζεται ως Inclusive
 DocType: POS Profile,Update Stock,Ενημέρωση αποθέματος
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,Οι λεπτομέρειες πληρωμής
+DocType: Loan Repayment,Payment Details,Οι λεπτομέρειες πληρωμής
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Τιμή Λ.Υ.
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Ανάγνωση αρχείου που μεταφορτώθηκε
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Δεν είναι δυνατή η ακύρωση της Παραγγελίας Παραγγελίας, Απεγκαταστήστε την πρώτα για ακύρωση"
@@ -5572,6 +5653,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Ο αριθμός παρτίδας είναι απαραίτητος για το είδος {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Μέγιστη τιμή δανείου
 ,Stock Ledger,Καθολικό αποθέματος
 DocType: Company,Exchange Gain / Loss Account,Ανταλλαγή Κέρδος / Λογαριασμός Αποτελεσμάτων
 DocType: Amazon MWS Settings,MWS Credentials,Πιστοποιητικά MWS
@@ -5579,6 +5661,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Ο σκοπός πρέπει να είναι ένα από τα {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Συμπληρώστε τη φόρμα και αποθηκεύστε
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Κοινότητα Φόρουμ
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Δεν υπάρχουν φύλλα που έχουν κατανεμηθεί σε υπάλληλο: {0} για τύπο διαμονής: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Πραγματική ποσότητα στο απόθεμα
 DocType: Homepage,"URL for ""All Products""",URL για &quot;Όλα τα προϊόντα»
 DocType: Leave Application,Leave Balance Before Application,Υπόλοιπο άδειας πριν από την εφαρμογή
@@ -5680,7 +5763,6 @@
 DocType: Fee Schedule,Fee Schedule,Πρόγραμμα Fee
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Ετικέτες στήλης:
 DocType: Bank Transaction,Settled,Τακτοποιημένο
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Η ημερομηνία εκταμίευσης δεν μπορεί να γίνει μετά την Ημερομηνία Έναρξης Επιστροφής του Δανείου
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Παράμετροι
 DocType: Company,Create Chart Of Accounts Based On,Δημιουργία Λογιστικού Σχεδίου Based On
@@ -5700,6 +5782,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Όριο πίστωσης και Όροι πληρωμής
 DocType: Loyalty Program,Collection Rules,Κανόνες συλλογής
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Στοιχείο 3
+DocType: Loan Security Shortfall,Shortfall Time,Χρόνος έλλειψης
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Εντολή παραγγελίας
 DocType: Purchase Order,Customer Contact Email,Πελατών Επικοινωνία Email
 DocType: Warranty Claim,Item and Warranty Details,Στοιχείο και εγγύηση Λεπτομέρειες
@@ -5719,12 +5802,14 @@
 DocType: Sales Person,Sales Person Name,Όνομα πωλητή
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Παρακαλώ εισάγετε τουλάχιστον 1 τιμολόγιο στον πίνακα
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Δεν δημιουργήθηκε δοκιμή Lab
+DocType: Loan Security Shortfall,Security Value ,Τιμή ασφαλείας
 DocType: POS Item Group,Item Group,Ομάδα ειδών
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Ομάδα σπουδαστών:
 DocType: Depreciation Schedule,Finance Book Id,Αναγνωριστικό βιβλίου οικονομικών
 DocType: Item,Safety Stock,Απόθεμα ασφαλείας
 DocType: Healthcare Settings,Healthcare Settings,Ρυθμίσεις περίθαλψης
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Συνολικά κατανεμημένα φύλλα
+DocType: Appointment Letter,Appointment Letter,Επιστολή διορισμού
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},Έως {0}
@@ -5779,6 +5864,7 @@
 DocType: Stock Entry,From BOM,Από BOM
 DocType: Assessment Code,Assessment Code,Κωδικός αξιολόγηση
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Βασικός
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Δάνειο Αιτήσεις από πελάτες και υπαλλήλους.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Οι μεταφορές αποθέματος πριν από τη {0} είναι παγωμένες
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Παρακαλώ κάντε κλικ στο 'δημιουργία χρονοδιαγράμματος'
 DocType: Job Card,Current Time,Τρέχουσα ώρα
@@ -5805,7 +5891,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Χορήγηση
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Δεν Ομάδες Φοιτητών δημιουργήθηκε.
 DocType: Purchase Invoice Item,Serial No,Σειριακός αριθμός
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Μηνιαία επιστροφή ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Μηνιαία επιστροφή ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Παρακαλώ εισάγετε πρώτα λεπτομέρειες συντήρησης
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Σειρά # {0}: Η αναμενόμενη ημερομηνία παράδοσης δεν μπορεί να γίνει πριν από την Ημερομηνία Παραγγελίας Αγοράς
 DocType: Purchase Invoice,Print Language,Εκτύπωση Γλώσσα
@@ -5819,6 +5905,7 @@
 DocType: Asset,Finance Books,Οικονομικά βιβλία
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Κατηγορία δήλωσης απαλλαγής ΦΠΑ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,Όλα τα εδάφη
+DocType: Plaid Settings,development,ανάπτυξη
 DocType: Lost Reason Detail,Lost Reason Detail,Χαμένος Λεπτομέρεια Λόγου
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,Ρυθμίστε την πολιτική άδειας για τον υπάλληλο {0} στην εγγραφή υπαλλήλου / βαθμού
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,Μη έγκυρη παραγγελία παραγγελίας για τον επιλεγμένο πελάτη και στοιχείο
@@ -5881,12 +5968,14 @@
 DocType: Staffing Plan Detail,Current Openings,Τρέχοντα ανοίγματα
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Ταμειακές ροές από εργασίες
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Ποσό
+DocType: Vehicle Log,Current Odometer value ,Τρέχουσα τιμή χιλιομέτρου
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Δημιουργία φοιτητή
 DocType: Asset Movement Item,Asset Movement Item,Στοιχείο κίνησης περιουσιακών στοιχείων
 DocType: Purchase Invoice,Shipping Rule,Κανόνας αποστολής
 DocType: Patient Relation,Spouse,Σύζυγος
 DocType: Lab Test Groups,Add Test,Προσθήκη δοκιμής
 DocType: Manufacturer,Limited to 12 characters,Περιορίζεται σε 12 χαρακτήρες
+DocType: Appointment Letter,Closing Notes,Σημειώσεις κλεισίματος
 DocType: Journal Entry,Print Heading,Εκτύπωση κεφαλίδας
 DocType: Quality Action Table,Quality Action Table,Πίνακας ενεργειών ποιότητας
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Το σύνολο δεν μπορεί να είναι μηδέν
@@ -5953,6 +6042,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Σύνολο (ποσό)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Προσδιορίστε / δημιουργήστε λογαριασμό (ομάδα) για τον τύπο - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Διασκέδαση & ψυχαγωγία
+DocType: Loan Security,Loan Security,Ασφάλεια δανείου
 ,Item Variant Details,Λεπτομέρειες παραλλαγής στοιχείου
 DocType: Quality Inspection,Item Serial No,Σειριακός αριθμός είδους
 DocType: Payment Request,Is a Subscription,Είναι μια συνδρομή
@@ -5965,7 +6055,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Τελικό στάδιο
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Οι προγραμματισμένες και δεκτές ημερομηνίες δεν μπορούν να είναι λιγότερες από σήμερα
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Μεταφορά Υλικού Προμηθευτή
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ΕΜΙ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Ένας νέος σειριακός αριθμός δεν μπορεί να έχει αποθήκη. Η αποθήκη πρέπει να ορίζεται από καταχωρήσεις αποθέματος ή από παραλαβές αγορών
 DocType: Lead,Lead Type,Τύπος επαφής
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Δημιουργία προσφοράς
@@ -5983,7 +6072,6 @@
 DocType: Leave Allocation,Leave Period,Αφήστε την περίοδο
 DocType: Item,Default Material Request Type,Προεπιλογή Τύπος Υλικού Αίτηση
 DocType: Supplier Scorecard,Evaluation Period,Περίοδος αξιολόγησης
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Πελάτης&gt; Ομάδα πελατών&gt; Επικράτεια
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Άγνωστος
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Η εντολή εργασίας δεν δημιουργήθηκε
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6067,7 +6155,8 @@
 ,Customer-wise Item Price,Πελατοκεντρική τιμή προϊόντος
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Κατάσταση ταμειακών ροών
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Δεν δημιουργήθηκε κανένα υλικό υλικό
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Ποσό δανείου δεν μπορεί να υπερβαίνει το μέγιστο ύψος των δανείων Ποσό {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Ποσό δανείου δεν μπορεί να υπερβαίνει το μέγιστο ύψος των δανείων Ποσό {0}
+DocType: Loan,Loan Security Pledge,Εγγύηση ασφάλειας δανείου
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Άδεια
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,Παρακαλώ επιλέξτε μεταφορά εάν θέλετε επίσης να περιλαμβάνεται το ισοζύγιο από το προηγούμενο οικονομικό έτος σε αυτό η χρήση
@@ -6085,6 +6174,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Σχέδιο έκπτωσης τιμών
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Η κατάσταση συντήρησης πρέπει να ακυρωθεί ή να ολοκληρωθεί για υποβολή
 DocType: Amazon MWS Settings,US,ΜΑΣ
+DocType: Loan Security Pledge,Pledged,Δεσμεύτηκε
 DocType: Holiday List,Add Weekly Holidays,Προσθέστε Εβδομαδιαίες Διακοπές
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Στοιχείο αναφοράς
 DocType: Staffing Plan Detail,Vacancies,Κενές θέσεις εργασίας
@@ -6103,7 +6193,6 @@
 DocType: Production Plan Item,Planned Start Date,Προγραμματισμένη ημερομηνία έναρξης
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Επιλέξτε ένα BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Επωφελήθηκε ο ενοποιημένος φόρος ITC
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Δημιουργία καταχώρησης αποπληρωμής
 DocType: Purchase Order Item,Blanket Order Rate,Τιμή παραγγελίας σε κουβέρτα
 ,Customer Ledger Summary,Περίληψη Πελατών Πελατών
 apps/erpnext/erpnext/hooks.py,Certification,Πιστοποίηση
@@ -6124,6 +6213,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Τίτλος προτύπου αξιολόγησης
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Εμπορικός
 DocType: Patient,Alcohol Current Use,Αλκοόλ τρέχουσα χρήση
+DocType: Loan,Loan Closure Requested,Απαιτείται κλείσιμο δανείου
 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,Κατηγορία φορολογικής απαλλαγής
@@ -6147,6 +6237,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Πωλήσεις
 DocType: Stock Entry Detail,Basic Amount,Βασικό Ποσό
 DocType: Training Event,Exam,Εξέταση
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Διαδικασία έλλειψης ασφάλειας δανείων διαδικασίας
 DocType: Email Campaign,Email Campaign,Ηλεκτρονική καμπάνια
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Σφάλμα αγοράς
 DocType: Complaint,Complaint,Καταγγελία
@@ -6226,6 +6317,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Υποβάλετε αυτό για να δημιουργήσετε την εγγραφή του υπαλλήλου
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Τιμή ασφάλειας δανείου που επικαλύπτεται με {0}
 DocType: Item Default,Item Default,Προεπιλογή στοιχείου
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Ενδοκράτους
 DocType: Chapter Member,Leave Reason,Αφήστε τον λόγο
@@ -6252,6 +6344,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Το κουπόνι που χρησιμοποιείται είναι {1}. Η επιτρεπόμενη ποσότητα έχει εξαντληθεί
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Θέλετε να υποβάλετε το αίτημα υλικού
 DocType: Job Offer,Awaiting Response,Αναμονή Απάντησης
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Το δάνειο είναι υποχρεωτικό
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Παραπάνω
 DocType: Support Search Source,Link Options,Επιλογές συνδέσμου
@@ -6264,6 +6357,7 @@
 DocType: Training Event Employee,Optional,Προαιρετικός
 DocType: Salary Slip,Earning & Deduction,Κέρδος και έκπτωση
 DocType: Agriculture Analysis Criteria,Water Analysis,Ανάλυση Νερού
+DocType: Pledge,Post Haircut Amount,Δημοσίευση ποσού Haircut
 DocType: Sales Order,Skip Delivery Note,Παράλειψη σημείωσης παράδοσης
 DocType: Price List,Price Not UOM Dependent,Τιμή δεν εξαρτάται από UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} δημιουργήθηκαν παραλλαγές.
@@ -6290,6 +6384,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Πάρετε τα στοιχεία από Bundle Προϊόν
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Η μέθοδος αποπληρωμής είναι υποχρεωτική για δάνεια με διάρκεια
 DocType: Asset,Straight Line,Ευθεία
 DocType: Project User,Project User,Ο χρήστης του έργου
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Σπλιτ
@@ -6334,7 +6429,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Ο ρόλος επιτρέπεται να καθορίζει παγωμένους λογαριασμούς & να επεξεργάζετε παγωμένες καταχωρήσεις
 DocType: Supplier Scorecard Scoring Variable,Path,Μονοπάτι
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Δεν είναι δυνατή η μετατροπή του κέντρου κόστους σε καθολικό, όπως έχει κόμβους-παιδιά"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM Ο συντελεστής μετατροπής ({0} -&gt; {1}) δεν βρέθηκε για το στοιχείο: {2}
 DocType: Production Plan,Total Planned Qty,Συνολική προγραμματισμένη ποσότητα
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Οι συναλλαγές έχουν ήδη ανατραπεί από τη δήλωση
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Αξία ανοίγματος
@@ -6343,11 +6437,8 @@
 DocType: Material Request Plan Item,Required Quantity,Απαιτούμενη ποσότητα
 DocType: Lab Test Template,Lab Test Template,Πρότυπο δοκιμής εργαστηρίου
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Η περίοδος λογιστικής επικαλύπτεται με {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Προμηθευτής&gt; Τύπος προμηθευτή
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Λογαριασμός πωλήσεων
 DocType: Purchase Invoice Item,Total Weight,Συνολικό βάρος
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Διαγράψτε τον υπάλληλο <a href=""#Form/Employee/{0}"">{0}</a> \ για να ακυρώσετε αυτό το έγγραφο"
 DocType: Pick List Item,Pick List Item,Επιλογή στοιχείου λίστας
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Προμήθεια επί των πωλήσεων
 DocType: Job Offer Term,Value / Description,Αξία / Περιγραφή
@@ -6394,6 +6485,7 @@
 DocType: Patient Encounter,Encounter Date,Ημερομηνία συνάντησης
 DocType: Work Order,Update Consumed Material Cost In Project,Ενημέρωση κόστους κατανάλωσης υλικού στο έργο
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Ο λογαριασμός: {0} με το νόμισμα: {1} δεν μπορεί να επιλεγεί
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Δάνεια που παρέχονται σε πελάτες και εργαζόμενους.
 DocType: Bank Statement Transaction Settings Item,Bank Data,Στοιχεία τράπεζας
 DocType: Purchase Receipt Item,Sample Quantity,Ποσότητα δείγματος
 DocType: Bank Guarantee,Name of Beneficiary,Όνομα δικαιούχου
@@ -6462,7 +6554,6 @@
 DocType: Contract,Signed On,Έχει ενεργοποιηθεί
 DocType: Bank Account,Party Type,Τύπος συμβαλλόμενου
 DocType: Discounted Invoice,Discounted Invoice,Εκπτωτικό Τιμολόγιο
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Σημειώστε τη συμμετοχή ως <b></b>
 DocType: Payment Schedule,Payment Schedule,ΠΡΟΓΡΑΜΜΑ ΠΛΗΡΩΜΩΝ
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Κανένας υπάλληλος δεν βρέθηκε για την δεδομένη αξία τομέα των εργαζομένων. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Συντομογραφία
@@ -6534,6 +6625,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Πιστωτές
 DocType: Assessment Plan,Assessment Name,Όνομα αξιολόγηση
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Σειρά # {0}: Αύξων αριθμός είναι υποχρεωτική
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Ποσό {0} απαιτείται για το κλείσιμο του δανείου
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Φορολογικές λεπτομέρειες για είδη
 DocType: Employee Onboarding,Job Offer,Προσφορά εργασίας
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Ινστιτούτο Σύντμηση
@@ -6557,7 +6649,6 @@
 DocType: Purchase Order,To Receive,Να Λάβω
 DocType: Leave Period,Holiday List for Optional Leave,Λίστα διακοπών για προαιρετική άδεια
 DocType: Item Tax Template,Tax Rates,Φορολογικοί δείκτες
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Κωδικός στοιχείου&gt; Ομάδα στοιχείων&gt; Μάρκα
 DocType: Asset,Asset Owner,Ιδιοκτήτης περιουσιακών στοιχείων
 DocType: Item,Website Content,Περιεχόμενο ιστότοπου
 DocType: Bank Account,Integration ID,Αναγνωριστικό ενοποίησης
@@ -6574,6 +6665,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Παραγγελίες συγχρονισμού
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Παραγγελίες ανοιχτές για παραγωγή.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Επιλέξτε οικονομικό έτος...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Επιλέξτε τύπο δανείου για εταιρεία {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Προφίλ απαιτούνται για να κάνουν POS Έναρξη
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Οι Πόντοι Πίστης θα υπολογίζονται από το ποσό που πραγματοποιήθηκε (μέσω του Τιμολογίου Πωλήσεων), με βάση τον συντελεστή συλλογής που αναφέρεται."
 DocType: Program Enrollment Tool,Enroll Students,εγγραφούν μαθητές
@@ -6602,6 +6694,7 @@
 DocType: Customer,Mention if non-standard receivable account,Αναφέρετε αν μη τυποποιημένα εισπρακτέα λογαριασμού
 DocType: Bank,Plaid Access Token,Plain Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Προσθέστε τα υπόλοιπα οφέλη {0} σε οποιοδήποτε από τα υπάρχοντα στοιχεία
+DocType: Bank Account,Is Default Account,Ο προεπιλεγμένος λογαριασμός
 DocType: Journal Entry Account,If Income or Expense,Εάν είναι έσοδα ή δαπάνη
 DocType: Course Topic,Course Topic,Θέμα μαθήματος
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Το κουπόνι έκλειψης POS alreday υπάρχει για {0} μεταξύ ημερομηνίας {1} και {2}
@@ -6614,7 +6707,7 @@
 DocType: Disease,Treatment Task,Εργασία θεραπείας
 DocType: Payment Order Reference,Bank Account Details,Λεπτομέρειες τραπεζικού λογαριασμού
 DocType: Purchase Order Item,Blanket Order,Παραγγελία κουβέρτας
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Το ποσό αποπληρωμής πρέπει να είναι μεγαλύτερο από
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Το ποσό αποπληρωμής πρέπει να είναι μεγαλύτερο από
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Φορολογικές απαιτήσεις
 DocType: BOM Item,BOM No,Αρ. Λ.Υ.
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Λεπτομέρειες ενημέρωσης
@@ -6670,6 +6763,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Προϊόντα WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},συντακτικό λάθος στον τύπο ή την κατάσταση: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Το είδος {0} αγνοήθηκε, δεδομένου ότι δεν είναι ένα αποθηκεύσιμο είδος"
+,Loan Security Status,Κατάσταση ασφάλειας δανείου
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Για να μην εφαρμοστεί ο κανόνας τιμολόγησης σε μια συγκεκριμένη συναλλαγή, θα πρέπει να απενεργοποιηθούν όλοι οι εφαρμόσιμοι κανόνες τιμολόγησης."
 DocType: Payment Term,Day(s) after the end of the invoice month,Ημέρα (ες) μετά το τέλος του μήνα του τιμολογίου
 DocType: Assessment Group,Parent Assessment Group,Ομάδα Αξιολόγησης γονέα
@@ -6684,7 +6778,6 @@
 DocType: Stock Entry Detail,Additional Cost,Πρόσθετο κόστος
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Δεν μπορείτε να φιλτράρετε με βάση αρ. αποδεικτικού, αν είναι ομαδοποιημένες ανά αποδεικτικό"
 DocType: Quality Inspection,Incoming,Εισερχόμενος
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης&gt; Σειρά αρίθμησης
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Προεπιλεγμένα πρότυπα φόρου για τις πωλήσεις και την αγορά δημιουργούνται.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Η καταγραφή Αποτέλεσμα Αξιολόγησης {0} υπάρχει ήδη.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Παράδειγμα: ABCD. #####. Εάν έχει οριστεί σειρά και η Παρτίδα αριθ. Δεν αναφέρεται στις συναλλαγές, τότε θα δημιουργηθεί αυτόματος αριθμός παρτίδας βάσει αυτής της σειράς. Εάν θέλετε πάντα να αναφέρετε ρητώς τον αριθμό παρτίδας για αυτό το στοιχείο, αφήστε το κενό. Σημείωση: αυτή η ρύθμιση θα έχει προτεραιότητα σε σχέση με το πρόθεμα σειράς ονομάτων στις ρυθμίσεις αποθεμάτων."
@@ -6695,8 +6788,10 @@
 DocType: Contract,Party User,Χρήστης κόμματος
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Τα στοιχεία που δεν δημιουργήθηκαν για <b>{0}</b> . Θα πρέπει να δημιουργήσετε το στοιχείο μη αυτόματα.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Ρυθμίστε το φίλτρο Εταιρεία κενό, εάν η ομάδα είναι &quot;Εταιρεία&quot;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Πελάτης&gt; Ομάδα πελατών&gt; Επικράτεια
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Απόσπαση ημερομηνία αυτή δεν μπορεί να είναι μελλοντική ημερομηνία
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Σειρά # {0}: Αύξων αριθμός {1} δεν ταιριάζει με το {2} {3}
+DocType: Loan Repayment,Interest Payable,Πληρωτέος τόκος
 DocType: Stock Entry,Target Warehouse Address,Διεύθυνση στόχου αποθήκης
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Περιστασιακή άδεια
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Ο χρόνος πριν από την ώρα έναρξης της αλλαγής ταχυτήτων κατά τη διάρκεια της οποίας εξετάζεται η συμμετοχή του υπαλλήλου για συμμετοχή.
@@ -6825,6 +6920,7 @@
 DocType: Issue,Reset Service Level Agreement,Επαναφορά συμφωνίας παροχής υπηρεσιών
 ,Sales Person-wise Transaction Summary,Περίληψη συναλλαγών ανά πωλητή
 DocType: Training Event,Contact Number,Αριθμός επαφής
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Το ποσό δανείου είναι υποχρεωτικό
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Η αποθήκη {0} δεν υπάρχει
 DocType: Cashier Closing,Custody,Επιμέλεια
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Απαλλαγή Φορολογικής Απαλλαγής από τους Φορείς Υλοποίησης
@@ -6873,6 +6969,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Ισολογισμός ποσότητας
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Οι συνθήκες θα εφαρμοστούν σε όλα τα επιλεγμένα στοιχεία μαζί.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Στόχοι δεν μπορεί να είναι κενό
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Εσφαλμένη αποθήκη
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Εγγραφή σπουδαστών
 DocType: Item Group,Parent Item Group,Ομάδα γονικού είδους
 DocType: Appointment Type,Appointment Type,Τύπος συνάντησης
@@ -6926,10 +7023,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Μέσος όρος
 DocType: Appointment,Appointment With,Ραντεβού με
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Το συνολικό ποσό πληρωμής στο Πρόγραμμα Πληρωμών πρέπει να είναι ίσο με το Μεγάλο / Στρογγυλεμένο Σύνολο
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Σημειώστε τη συμμετοχή ως <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Το ""Στοιχείο που παρέχεται από πελάτη"" δεν μπορεί να έχει Τιμή εκτίμησης"
 DocType: Subscription Plan Detail,Plan,Σχέδιο
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Δήλωση ισορροπία τραπεζών σύμφωνα με τη Γενική Λογιστική
-DocType: Job Applicant,Applicant Name,Όνομα αιτούντος
+DocType: Appointment Letter,Applicant Name,Όνομα αιτούντος
 DocType: Authorization Rule,Customer / Item Name,Πελάτης / όνομα είδους
 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**. 
 
@@ -6973,11 +7071,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Η αποθήκη δεν μπορεί να διαγραφεί, γιατί υφίσταται καταχώρηση στα καθολικά αποθέματα για την αποθήκη αυτή."
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Διανομή
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Η κατάσταση του υπαλλήλου δεν μπορεί να οριστεί σε &quot;Αριστερά&quot;, καθώς οι παρακάτω υπάλληλοι αναφέρουν αυτήν την περίοδο σε αυτόν τον υπάλληλο:"
-DocType: Journal Entry Account,Loan,Δάνειο
+DocType: Loan Repayment,Amount Paid,Πληρωμένο Ποσό
+DocType: Loan Security Shortfall,Loan,Δάνειο
 DocType: Expense Claim Advance,Expense Claim Advance,Εκκαθάριση Αξίας εξόδων
 DocType: Lab Test,Report Preference,Προτίμηση αναφοράς
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Πληροφορίες εθελοντών.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Υπεύθυνος έργου
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Ομάδα ανά πελάτη
 ,Quoted Item Comparison,Εισηγμένες Στοιχείο Σύγκριση
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Επικάλυψη της βαθμολόγησης μεταξύ {0} και {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Αποστολή
@@ -6997,6 +7097,7 @@
 DocType: Material Request Plan Item,Material Issue,Υλικά Θέματος
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Το ελεύθερο στοιχείο δεν έχει οριστεί στον κανόνα τιμολόγησης {0}
 DocType: Employee Education,Qualification,Προσόν
+DocType: Loan Security Shortfall,Loan Security Shortfall,Σφάλμα ασφάλειας δανείων
 DocType: Item Price,Item Price,Τιμή είδους
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Σαπούνι & απορρυπαντικά
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Ο υπάλληλος {0} δεν ανήκει στην εταιρεία {1}
@@ -7019,6 +7120,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Λεπτομέρειες συναντήσεων
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Ολοκληρωμένο προϊόν
 DocType: Warehouse,Warehouse Name,Όνομα αποθήκης
+DocType: Loan Security Pledge,Pledge Time,Χρόνος δέσμευσης
 DocType: Naming Series,Select Transaction,Επιλέξτε συναλλαγή
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Παρακαλώ εισάγετε ρόλο έγκρισης ή χρήστη έγκρισης
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Συμφωνία επιπέδου υπηρεσίας με τον τύπο οντότητας {0} και την οντότητα {1} υπάρχει ήδη.
@@ -7026,7 +7128,6 @@
 DocType: BOM,Rate Of Materials Based On,Τιμή υλικών με βάση
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Αν είναι ενεργοποιημένη, ο τομέας Ακαδημαϊκός όρος θα είναι υποχρεωτικός στο εργαλείο εγγραφής προγραμμάτων."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Τιμές εξαιρούμενων, μηδενικού και μη πραγματικών εισαγωγικών προμηθειών"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Πελάτης&gt; Ομάδα πελατών&gt; Επικράτεια
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Η εταιρεία</b> είναι υποχρεωτικό φίλτρο.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Καταργήστε την επιλογή όλων
 DocType: Purchase Taxes and Charges,On Item Quantity,Σχετικά με την ποσότητα του στοιχείου
@@ -7071,7 +7172,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Έλλειψη ποσότητας
 DocType: Purchase Invoice,Input Service Distributor,Διανομέας υπηρεσιών εισόδου
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Παραλλαγή Θέση {0} υπάρχει με ίδια χαρακτηριστικά
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση&gt; Ρυθμίσεις Εκπαίδευσης
 DocType: Loan,Repay from Salary,Επιστρέψει από το μισθό
 DocType: Exotel Settings,API Token,API Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Ζητώντας την καταβολή εναντίον {0} {1} για ποσό {2}
@@ -7091,6 +7191,7 @@
 DocType: Salary Slip,Total Interest Amount,Συνολικό Ποσό Τόκου
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,Αποθήκες με κόμβους παιδί δεν μπορεί να μετατραπεί σε γενικό καθολικό
 DocType: BOM,Manage cost of operations,Διαχειριστείτε το κόστος των εργασιών
+DocType: Unpledge,Unpledge,Αποποίηση
 DocType: Accounts Settings,Stale Days,Στατικές μέρες
 DocType: Travel Itinerary,Arrival Datetime,Ημερομηνία άφιξης
 DocType: Tax Rule,Billing Zipcode,Τιμοκατάλογος
@@ -7277,6 +7378,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ώρες
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Έχει δημιουργηθεί μια νέα συνάντηση για εσάς με {0}
 DocType: Project,Expected Start Date,Αναμενόμενη ημερομηνία έναρξης
+DocType: Work Order,This is a location where raw materials are available.,Αυτή είναι μια θέση όπου υπάρχουν πρώτες ύλες.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Διόρθωση τιμολογίου
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Παραγγελία εργασίας που έχει ήδη δημιουργηθεί για όλα τα στοιχεία με BOM
 DocType: Bank Account,Party Details,Λεπτομέρειες συμβαλλόμενου
@@ -7295,6 +7397,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Παραθέσεις:
 DocType: Contract,Partially Fulfilled,Εν μέρει εκπληρωμένο
 DocType: Maintenance Visit,Fully Completed,Πλήρως ολοκληρωμένο
+DocType: Loan Security,Loan Security Name,Όνομα ασφάλειας δανείου
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Ειδικοί χαρακτήρες εκτός από &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;&quot; Και &quot;}&quot; δεν επιτρέπονται στη σειρά ονομασίας"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Δεν έχει βαθμολογηθεί ή εξαιρείται
 DocType: Employee,Educational Qualification,Εκπαιδευτικά προσόντα
@@ -7351,6 +7454,7 @@
 DocType: Program,Is Featured,Είναι Προτεινόμενο
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Γοητευτικός...
 DocType: Agriculture Analysis Criteria,Agriculture User,Χρήστης γεωργίας
+DocType: Loan Security Shortfall,America/New_York,Αμερική / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Ισχύει μέχρι την ημερομηνία δεν μπορεί να είναι πριν από την ημερομηνία συναλλαγής
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,φοιτητής Κατηγορία
@@ -7428,8 +7532,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,Δεν επιτρέπεται να ορίσετε παγωμένη αξία
 DocType: Payment Reconciliation,Get Unreconciled Entries,Βρες καταχωρήσεις χωρίς συμφωνία
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Ο υπάλληλος {0} είναι ανοικτός στις {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Δεν έχουν επιλεγεί αποπληρωμές για καταχώριση ημερολογίου
 DocType: Purchase Invoice,GST Category,Κατηγορία GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Οι Προτεινόμενες Υποχρεώσεις είναι υποχρεωτικές για τα εξασφαλισμένα Δάνεια
 DocType: Payment Reconciliation,From Invoice Date,Από Ημερομηνία Τιμολογίου
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Κατασκευή έκθεσης
 DocType: Invoice Discounting,Disbursed,Εκταμιεύτηκε
@@ -7487,14 +7591,13 @@
 DocType: Restaurant,Active Menu,Ενεργό μενού
 DocType: Accounting Dimension Detail,Default Dimension,Προεπιλεγμένη διάσταση
 DocType: Target Detail,Target Qty,Ποσ.-στόχος
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Ενάντια στο δάνειο: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Ταμείο Ρυθμίσεις
 DocType: Student Attendance,Present,Παρόν
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Το δελτίο αποστολής {0} δεν πρέπει να υποβάλλεται
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Το τιμολόγιο μισθοδοσίας που αποστέλλεται ηλεκτρονικά στον υπάλληλο θα είναι προστατευμένο με κωδικό πρόσβασης, ο κωδικός πρόσβασης θα δημιουργηθεί με βάση την πολιτική κωδικού πρόσβασης."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,Κλείσιμο του λογαριασμού {0} πρέπει να είναι τύπου Ευθύνης / Ίδια Κεφάλαια
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},Μισθός Slip των εργαζομένων {0} ήδη δημιουργήσει για φύλλο χρόνο {1}
-DocType: Vehicle Log,Odometer,Οδόμετρο
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Οδόμετρο
 DocType: Production Plan Item,Ordered Qty,Παραγγελθείσα ποσότητα
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Θέση {0} είναι απενεργοποιημένη
 DocType: Stock Settings,Stock Frozen Upto,Παγωμένο απόθεμα μέχρι
@@ -7551,7 +7654,6 @@
 DocType: Serial No,Delivery Document Type,Τύπος εγγράφου παράδοσης
 DocType: Sales Order,Partly Delivered,Έχει παραδοθεί μερικώς
 DocType: Item Variant Settings,Do not update variants on save,Μην ενημερώσετε παραλλαγές για την αποθήκευση
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Ομάδα πελατών
 DocType: Email Digest,Receivables,Απαιτήσεις
 DocType: Lead Source,Lead Source,Πηγή Σύστασης
 DocType: Customer,Additional information regarding the customer.,Πρόσθετες πληροφορίες σχετικά με τον πελάτη.
@@ -7647,6 +7749,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Πραγματικός
 DocType: Appointment,Skype ID,ταυτότητα σκάιπ
 DocType: Restaurant Menu,Restaurant Manager,Διαχειριστής Εστιατορίου
+DocType: Loan,Penalty Income Account,Λογαριασμός εισοδήματος
 DocType: Call Log,Call Log,Μητρώο κλήσεων
 DocType: Authorization Rule,Customerwise Discount,Έκπτωση με βάση πελάτη
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Φύλλο κατανομής χρόνου για εργασίες.
@@ -7734,6 +7837,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Σχέδιο έκπτωσης προϊόντων
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Δεν έχει προκύψει κανένα θέμα από τον καλούντα.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Ομάδα ανά προμηθευτή
 DocType: Restaurant Reservation,Waitlisted,Περίεργο
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Κατηγορία απαλλαγής
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Νόμισμα δεν μπορεί να αλλάξει μετά την πραγματοποίηση εγγραφών χρησιμοποιώντας κάποιο άλλο νόμισμα
@@ -7744,7 +7848,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Συμβουλή
 DocType: Subscription Plan,Based on price list,Με βάση τον τιμοκατάλογο
 DocType: Customer Group,Parent Customer Group,Γονική ομάδα πελατών
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Το e-Way Bill JSON μπορεί να δημιουργηθεί μόνο από το Τιμολόγιο Πωλήσεων
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Οι μέγιστες προσπάθειες για αυτό το κουίζ έφτασαν!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Συνδρομή
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Δημιουργία τελών σε εκκρεμότητα
@@ -7762,6 +7865,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Προληπτική συντήρηση
 DocType: Delivery Note Item,Against Sales Invoice,Κατά το τιμολόγιο πώλησης
 DocType: Purchase Invoice,07-Others,07-Υπολοιπα
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Ποσό προσφοράς
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Καταχωρίστε σειριακούς αριθμούς για το σειριακό στοιχείο
 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. ,Αφήστε ανεξέλεγκτη αν δεν θέλετε να εξετάσετε παρτίδα ενώ κάνετε ομάδες μαθημάτων.
@@ -7869,6 +7973,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Απόδειξη πληρωμής Σημείωση
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Αυτό βασίζεται σε συναλλαγές κατά αυτόν τον πελάτη. Δείτε χρονοδιάγραμμα παρακάτω για λεπτομέρειες
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Δημιουργία αιτήματος υλικού
+DocType: Loan Interest Accrual,Pending Principal Amount,Εκκρεμεί το κύριο ποσό
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Οι ημερομηνίες έναρξης και λήξης δεν ισχύουν σε μια έγκυρη περίοδο μισθοδοσίας, δεν μπορούν να υπολογίσουν {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,Νέα Ακαδημαϊκή Περίοδος
@@ -7912,6 +8017,7 @@
 											to fullfill Sales Order {2}",Δεν είναι δυνατή η παράδοση του σειριακού αριθμού {0} του στοιχείου {1} όπως είναι δεσμευμένο \ για την πλήρωση της εντολής πωλήσεων {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Προσφορά Προμηθευτής {0} δημιουργήθηκε
+DocType: Loan Security Unpledge,Unpledge Type,Τύπος απελάσεων
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Στο τέλος του έτους δεν μπορεί να είναι πριν από την έναρξη Έτος
 DocType: Employee Benefit Application,Employee Benefits,Παροχές σε εργαζομένους
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Ταυτότητα Υπαλλήλου
@@ -7994,6 +8100,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Κωδικός Μαθήματος:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Παρακαλώ εισάγετε λογαριασμό δαπανών
 DocType: Quality Action Resolution,Problem,Πρόβλημα
+DocType: Loan Security Type,Loan To Value Ratio,Αναλογία δανείου προς αξία
 DocType: Account,Stock,Απόθεμα
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα παραγγελίας, τιμολογίου αγοράς ή Εφημερίδα Έναρξη"
 DocType: Employee,Current Address,Τρέχουσα διεύθυνση
@@ -8011,6 +8118,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Εισαγωγή συναλλαγής τραπεζικής δήλωσης
 DocType: Sales Invoice Item,Discount and Margin,Έκπτωση και Περιθωρίου
 DocType: Lab Test,Prescription,Ιατρική συνταγή
+DocType: Process Loan Security Shortfall,Update Time,Ώρα ενημέρωσης
 DocType: Import Supplier Invoice,Upload XML Invoices,Μεταφόρτωση τιμολογίων XML
 DocType: Company,Default Deferred Revenue Account,Προκαθορισμένος λογαριασμός αναβαλλόμενων εσόδων
 DocType: Project,Second Email,Δεύτερο μήνυμα ηλεκτρονικού ταχυδρομείου
@@ -8024,7 +8132,7 @@
 DocType: Quality Action,Preventive,Προληπτικός
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Προμήθειες που καταβάλλονται σε μη εγγεγραμμένα άτομα
 DocType: Company,Date of Incorporation,Ημερομηνία ενσωματώσεως
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Σύνολο φόρου
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Σύνολο φόρου
 DocType: Manufacturing Settings,Default Scrap Warehouse,Προεπιλεγμένη αποθήκη αποκομμάτων
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Τελευταία τιμή αγοράς
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Για Ποσότητα (Τεμ Κατασκευάζεται) είναι υποχρεωτικά
@@ -8043,6 +8151,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Ορίστε την προεπιλεγμένη μέθοδο πληρωμής
 DocType: Stock Entry Detail,Against Stock Entry,Ενάντια στην είσοδο στο χρηματιστήριο
 DocType: Grant Application,Withdrawn,Αποτραβηγμένος
+DocType: Loan Repayment,Regular Payment,Τακτική Πληρωμή
 DocType: Support Search Source,Support Search Source,Υποστήριξη πηγής αναζήτησης
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Χρεώσιμο
 DocType: Project,Gross Margin %,Μικτό κέρδος (περιθώριο) %
@@ -8055,8 +8164,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Χωρίς καταβολή φόρου
 DocType: BOM Operation,BOM Operation,Λειτουργία Λ.Υ.
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Στο ποσό της προηγούμενης γραμμής
+DocType: Student,Home Address,Διεύθυνση σπιτιού
 DocType: Options,Is Correct,Είναι σωστό
 DocType: Item,Has Expiry Date,Έχει ημερομηνία λήξης
+DocType: Loan Repayment,Paid Accrual Entries,Καταχωρημένες καταβολές δεδουλευμένων εσόδων
+DocType: Loan Security,Loan Security Type,Τύπος ασφαλείας δανείου
 apps/erpnext/erpnext/config/support.py,Issue Type.,Τύπος έκδοσης.
 DocType: POS Profile,POS Profile,POS Προφίλ
 DocType: Training Event,Event Name,Όνομα συμβάντος
@@ -8068,6 +8180,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Εποχικότητα για τον καθορισμό των προϋπολογισμών, στόχων κλπ"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Δεν υπάρχουν τιμές
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Όνομα μεταβλητής
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Επιλέξτε τον τραπεζικό λογαριασμό για συμβιβασμό.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Θέση {0} είναι ένα πρότυπο, επιλέξτε μία από τις παραλλαγές του"
 DocType: Purchase Invoice Item,Deferred Expense,Αναβαλλόμενη δαπάνη
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Επιστροφή στα μηνύματα
@@ -8119,7 +8232,6 @@
 DocType: GL Entry,To Rename,Για να μετονομάσετε
 DocType: Stock Entry,Repack,Επανασυσκευασία
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Επιλέξτε για να προσθέσετε σειριακό αριθμό.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση&gt; Ρυθμίσεις Εκπαίδευσης
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ορίστε τον φορολογικό κώδικα για τον πελάτη &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Επιλέξτε πρώτα την εταιρεία
 DocType: Item Attribute,Numeric Values,Αριθμητικές τιμές
@@ -8143,6 +8255,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Λήψη βάσει FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Δεν μπορεί να γίνει επεξεργασία στη ρίζα.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Τιμή Ασφαλείας Δανείου
 DocType: Item,Units of Measure,Μονάδες μέτρησης
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Νοικιάστηκε στο Metro City
 DocType: Supplier,Default Tax Withholding Config,Προεπιλεγμένο παράθυρο παρακράτησης φόρου
@@ -8189,6 +8302,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Παρακαλώ επιλέξτε πρώτα την κατηγορία
 apps/erpnext/erpnext/config/projects.py,Project master.,Κύρια εγγραφή έργου.
 DocType: Contract,Contract Terms,Όροι Συμβολαίου
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Καθορισμένο όριο ποσού
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Συνεχίστε τη διαμόρφωση
 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,Maximum benefit amount of component {0} exceeds {1},Το μέγιστο ποσό παροχών του στοιχείου {0} υπερβαίνει το {1}
@@ -8221,6 +8335,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Προβολή αρχείου κλήσεων
 DocType: BOM Operation,Operating Cost(Company Currency),Λειτουργικό κόστος (Εταιρεία νομίσματος)
 DocType: Loan Application,Rate of Interest,Βαθμός ενδιαφέροντος
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Δανεισμός ασφαλείας δανείου που έχει ήδη δεσμευτεί έναντι δανείου {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Ποσό κύρωσης
 DocType: Item,Shelf Life In Days,Διάρκεια Ζωής στις Ημέρες
 DocType: GL Entry,Is Opening,Είναι άνοιγμα
@@ -8234,3 +8349,4 @@
 DocType: Account,Cash,Μετρητά
 DocType: Sales Invoice,Unpaid and Discounted,Μη πληρωθείσες και εκπτωτικές
 DocType: Employee,Short biography for website and other publications.,Σύντομη βιογραφία για την ιστοσελίδα και άλλες δημοσιεύσεις.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Σειρά # {0}: Δεν είναι δυνατή η επιλογή της Αποθήκης προμηθευτή ενώ παρέχονται πρώτες ύλες σε υπεργολάβους
diff --git a/erpnext/translations/en_us.csv b/erpnext/translations/en_us.csv
index c3b514a..21175bb 100644
--- a/erpnext/translations/en_us.csv
+++ b/erpnext/translations/en_us.csv
@@ -27,7 +27,6 @@
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,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,"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/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} is canceled or closed
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Quotation {0} is canceled
diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv
index 5e4f0ed..d86a3ba 100644
--- a/erpnext/translations/es.csv
+++ b/erpnext/translations/es.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Oportunidad Razón perdida
 DocType: Patient Appointment,Check availability,Consultar disponibilidad
 DocType: Retention Bonus,Bonus Payment Date,Fecha de Pago de Bonificación
-DocType: Employee,Job Applicant,Solicitante de empleo
+DocType: Appointment Letter,Job Applicant,Solicitante de empleo
 DocType: Job Card,Total Time in Mins,Tiempo total en minutos
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Información del contacto
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Busca cualquier cosa ...
 ,Stock and Account Value Comparison,Comparación de acciones y valor de cuenta
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,El monto desembolsado no puede ser mayor que el monto del préstamo
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Interesado
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Apertura
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programa:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Válido desde el tiempo debe ser menor que Válido hasta el tiempo.
 DocType: Item,Copy From Item Group,Copiar desde grupo
 DocType: Journal Entry,Opening Entry,Asiento de apertura
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Sólo cuenta de pago
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Grado
 DocType: Restaurant Table,No of Seats,Nro de Asientos
+DocType: Loan Type,Grace Period in Days,Período de gracia en días
 DocType: Sales Invoice,Overdue and Discounted,Atrasado y con descuento
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},El activo {0} no pertenece al custodio {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Llamada desconectada
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedimientos Prescritos
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostrar solo POS
 DocType: Supplier Group,Supplier Group Name,Nombre del Grupo de Proveedores
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar asistencia como <b></b>
 DocType: Driver,Driving License Categories,Categorías de Licencia de Conducir
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Por favor, introduzca la Fecha de Entrega"
 DocType: Depreciation Schedule,Make Depreciation Entry,Hacer la Entrada de Depreciación
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detalles de las operaciones realizadas.
 DocType: Asset Maintenance Log,Maintenance Status,Estado del Mantenimiento
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artículo Cantidad de impuestos incluida en el valor
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Préstamo Seguridad Desplegar
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalles de Membresía
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: se requiere un proveedor para la cuenta por pagar {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Productos y Precios
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Horas totales: {0}
+DocType: Loan,Loan Manager,Gerente de préstamos
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},La fecha 'Desde' tiene que pertenecer al rango del año fiscal = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervalo
@@ -468,6 +472,7 @@
 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,Select the customer or supplier.,Seleccione el Cliente o Proveedor.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,El código de país en el archivo no coincide con el código de país configurado en el sistema
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Cuenta {0} no pertenece a la Compañía {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Seleccione solo una prioridad como predeterminada.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Vacaciones Bloqueadas
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Asientos Bancarios
-DocType: Customer,Is Internal Customer,Es Cliente Interno
+DocType: Sales Invoice,Is Internal Customer,Es Cliente Interno
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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.
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Solicitud de Materiales
 DocType: Bank Reconciliation,Update Clearance Date,Actualizar fecha de liquidación
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Cantidad del paquete
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,No se puede crear un préstamo hasta que se apruebe la solicitud.
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Correcto
 DocType: Student Guardian,Mother,Madre
 DocType: Restaurant Reservation,Reservation End Time,Hora de finalización de la Reserva
+DocType: Salary Slip Loan,Loan Repayment Entry,Entrada de reembolso de préstamo
 DocType: Crop,Biennial,Bienal
 ,BOM Variance Report,Informe de varianza BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Ordenes de clientes confirmadas.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},El pago para {0} {1} no puede ser mayor que el pago pendiente {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Todas las Unidades de Servicios de Salud
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Sobre la oportunidad de conversión
+DocType: Loan,Total Principal Paid,Total principal pagado
 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,Mode of Payments,Modo de Pago
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Saldo en Moneda Base
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Grado máximo
 DocType: Email Digest,New Quotations,Nuevas Cotizaciones
+DocType: Loan Interest Accrual,Loan Interest Accrual,Devengo de intereses de préstamos
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,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
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verificar correo electrónico
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Ingresos de otras fuentes
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Si está en blanco, se considerará la cuenta de almacén principal o el incumplimiento de la compañía"
 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: Work Order,This is a location where operations are executed.,Esta es una ubicación donde se ejecutan las operaciones.
 DocType: Tax Rule,Shipping County,País de envío
 DocType: Currency Exchange,For Selling,Para la Venta
 apps/erpnext/erpnext/config/desktop.py,Learn,Aprender
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Código de cupón aplicado
 DocType: Asset,Next Depreciation Date,Siguiente Fecha de Depreciación
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Coste de actividad por empleado
+DocType: Loan Security,Haircut %,Corte de pelo %
 DocType: Accounts Settings,Settings for Accounts,Ajustes de contabilidad
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Factura de Proveedor no existe en la Factura de Compra {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Administrar las categoría de los socios de ventas
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,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: Loan,Loan Security Details,Detalles de seguridad del préstamo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,La fecha de validez debe ser inferior a la válida
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Se produjo una excepción al conciliar {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Asignar Almacén Aceptado
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Requerir la aprobación de la Prueba de Laboratorio
 DocType: Attendance,Working Hours,Horas de Trabajo
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Excepcional
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Factor de conversión de UOM ({0} -&gt; {1}) no encontrado para el elemento: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Defina el nuevo número de secuencia para esta transacción.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Porcentaje que tiene permitido facturar más contra la cantidad solicitada. Por ejemplo: si el valor del pedido es de $ 100 para un artículo y la tolerancia se establece en 10%, se le permite facturar $ 110."
 DocType: Dosage Strength,Strength,Fuerza
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Fecha de Vehículos
 DocType: Campaign Email Schedule,Campaign Email Schedule,Programa de correo electrónico de campaña
 DocType: Student Log,Medical,Médico
+DocType: Work Order,This is a location where scraped materials are stored.,Esta es una ubicación donde se almacenan los materiales raspados.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Seleccione Droga
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Propietario de Iniciativa no puede ser igual que el de la Iniciativa
 DocType: Announcement,Receiver,Receptor
@@ -886,7 +898,7 @@
 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: BOM,Total Cost (Company Currency),Costo total (moneda de la compañía)
-DocType: Loan,Total Payment,Pago total
+DocType: Repayment Schedule,Total Payment,Pago total
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO ya creado para todos los artículos de pedido de venta
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avisar en Órdenes de Compra
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Alquilado Desde la Fecha
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Piezas suficiente para construir
+DocType: Loan Security,Loan Security Code,Código de seguridad del préstamo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Por favor guarde primero
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Se requieren elementos para extraer las materias primas que están asociadas con él.
 DocType: POS Profile User,POS Profile User,Usuario de Perfil POS
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Entradas de Stock ya creadas para Órden de Trabajo
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Código de artículo&gt; Grupo de artículos&gt; Marca
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Ver pedidos anteriores
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversaciones
 DocType: Vital Signs,Respiratory rate,Frecuencia Respiratoria
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Eliminar las transacciones de la compañía
 DocType: Production Plan Item,Quantity and Description,Cantidad y descripción
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Nro de referencia y fecha de referencia es obligatoria para las transacciones bancarias
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Configure Naming Series para {0} a través de Configuración&gt; Configuración&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Añadir / Editar Impuestos y Cargos
 DocType: Payment Entry Reference,Supplier Invoice No,Factura de proveedor No.
 DocType: Territory,For reference,Para referencia
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Cuenta de Retención de Impuestos
 DocType: Pricing Rule,Sales Partner,Socio de ventas
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Todas las Evaluaciones del Proveedor
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Total de la orden
+DocType: Loan,Disbursed Amount,Monto desembolsado
 DocType: Buying Settings,Purchase Receipt Required,Recibo de compra requerido
 DocType: Sales Invoice,Rail,Carril
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Costo real
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Conectado a QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifique / cree una cuenta (Libro mayor) para el tipo - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Cuenta por pagar
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,La cuenta es obligatoria para obtener entradas de pago
 DocType: Payment Entry,Type of Payment,Tipo de Pago
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,La fecha de medio día es obligatoria
 DocType: Sales Order,Billing and Delivery Status,Estado de facturación y entrega
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Monto facturado
 DocType: Training Result Employee,Training Result Employee,Resultado del Entrenamiento del Empleado
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un Almacén lógico contra el que se crean las entradas de inventario
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Cantidad Principal
+DocType: Repayment Schedule,Principal Amount,Cantidad Principal
 DocType: Loan Application,Total Payable Interest,Interés Total a Pagar
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total Pendiente: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Contacto abierto
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Tus cosas
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Proveedor&gt; Tipo de proveedor
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Redacción de propuestas
 DocType: Payment Entry Deduction,Payment Entry Deduction,Deducción de Entrada de Pago
 DocType: Service Level Priority,Service Level Priority,Prioridad de nivel de servicio
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Descripción de Lotes
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Crear grupos de estudiantes
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Cuenta de Pasarela de Pago no creada, por favor crear una manualmente."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Los Almacenes de grupo no se pueden usar en transacciones. Cambie el valor de {0}
 DocType: Supplier Scorecard,Per Year,Por Año
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,No es elegible para la admisión en este programa según la fecha de nacimiento
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Fila # {0}: No se puede eliminar el artículo {1} que se asigna a la orden de compra del cliente.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Al crear una cuenta para la empresa secundaria {0}, no se encontró la cuenta principal {1}. Cree la cuenta principal en el COA correspondiente"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Problema de División
 DocType: Student Attendance,Student Attendance,Asistencia del estudiante
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,No hay datos para exportar
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Proveedor
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Fecha de entrega real
 DocType: Lab Test,Test Template,Plantilla de Prueba
+DocType: Loan Security Pledge,Securities,Valores
 DocType: Restaurant Order Entry Item,Served,Servido
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Información del Capítulo.
 DocType: Account,Accounts,Cuentas
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O Negativo
 DocType: Work Order Operation,Planned End Time,Tiempo de finalización planeado
 DocType: POS Profile,Only show Items from these Item Groups,Sólo mostrar productos del siguiente grupo de artículos
+DocType: Loan,Is Secured Loan,Es un préstamo garantizado
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Detalle del Tipo de Membresía
 DocType: Delivery Note,Customer's Purchase Order No,Pedido de compra No.
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Obtenga del Encuentro de Pacientes
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Factor de conversión de UOM ({0} -&gt; {1}) no encontrado para el elemento: {2}
 DocType: Subscriber,Subscriber,Abonado
 DocType: Item Attribute Value,Item Attribute Value,Atributos del Producto
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,El Cambio de Moneda debe ser aplicable para comprar o vender.
@@ -1498,6 +1518,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Sin permiso
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lista de Verificación de Cumplimiento del Contrato
 DocType: Vital Signs,Heart Rate / Pulse,Frecuencia Cardíaca / Pulso
+DocType: Customer,Default Company Bank Account,Cuenta bancaria predeterminada de la empresa
 DocType: Supplier,Default Bank Account,Cuenta bancaria por defecto
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Para filtrar en base a terceros, seleccione el tipo de entidad"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'Actualizar existencias' no puede marcarse porque los artículos no se han entregado mediante {0}
@@ -1615,7 +1636,6 @@
 DocType: Sales Team,Incentives,Incentivos
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valores fuera de sincronización
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valor de diferencia
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configure la serie de numeración para la Asistencia a través de Configuración&gt; Serie de numeración
 DocType: SMS Log,Requested Numbers,Números solicitados
 DocType: Volunteer,Evening,Noche
 DocType: Quiz,Quiz Configuration,Configuración de cuestionario
@@ -1635,6 +1655,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Sobre la línea anterior al total
 DocType: Purchase Invoice Item,Rejected Qty,Cant. Rechazada
 DocType: Setup Progress Action,Action Field,Campo de Acción
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Tipo de préstamo para tasas de interés y multas
 DocType: Healthcare Settings,Manage Customer,Administrar Cliente
 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
@@ -1646,6 +1667,7 @@
 ,Final Assessment Grades,Grados de Evaluación Final
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Ingrese el nombre de la compañía para configurar el sistema.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Incluir vacaciones con el numero total de días laborables
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Del total general
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Configura tu Instituto en ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Análisis de Planta
 DocType: Task,Timeline,Cronograma
@@ -1653,9 +1675,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Artículo Alternativo
 DocType: Shopify Log,Request Data,Datos de Solicitud
 DocType: Employee,Date of Joining,Fecha de Ingreso
+DocType: Delivery Note,Inter Company Reference,Referencia de empresa interna
 DocType: Naming Series,Update Series,Definir Secuencia
 DocType: Supplier Quotation,Is Subcontracted,Es sub-contratado
 DocType: Restaurant Table,Minimum Seating,Asientos Mínimos
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,La pregunta no puede ser duplicada.
 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,Purchase Receipt,Recibo de compra
@@ -1757,6 +1781,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sincronizar Facturas
 DocType: Payment Request,Paid,Pagado
 DocType: Service Level,Default Priority,Prioridad predeterminada
+DocType: Pledge,Pledge,Promesa
 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."
@@ -1770,6 +1795,7 @@
 DocType: Guardian,Guardian Name,Nombre del Tutor
 DocType: Cheque Print Template,Has Print Format,Tiene Formato de Impresión
 DocType: Support Settings,Get Started Sections,Obtener Secciones Comenzadas
+,Loan Repayment and Closure,Reembolso y cierre de préstamos
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,Sancionada
 ,Base Amount,Cantidad base
@@ -1780,10 +1806,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Desde el lugar
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},El monto del préstamo no puede ser mayor que {0}
 DocType: Student Admission,Publish on website,Publicar en el sitio web
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Fecha de Factura de Proveedor no puede ser mayor que la fecha de publicación
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Código de artículo&gt; Grupo de artículos&gt; Marca
 DocType: Subscription,Cancelation Date,Fecha de Cancelación
 DocType: Purchase Invoice Item,Purchase Order Item,Producto de la orden de compra
 DocType: Agriculture Task,Agriculture Task,Tarea de Agricultura
@@ -1802,7 +1828,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Porcentaje de descuento adicional
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Ver una lista de todos los vídeos de ayuda
 DocType: Agriculture Analysis Criteria,Soil Texture,Textura de la Tierra
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Seleccione la cuenta principal de banco donde los cheques fueron depositados.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Permitir al usuario editar la lista de precios en las transacciones
 DocType: Pricing Rule,Max Qty,Cantidad Máxima
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimir Boleta de Calificaciones
@@ -1934,7 +1959,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Una vez configurado, esta factura estará en espera hasta la fecha establecida"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Cantidad de venta
-DocType: Repayment Schedule,Interest Amount,Cantidad de Interés
+DocType: Loan Interest Accrual,Interest Amount,Cantidad de Interés
 DocType: Job Card,Time Logs,Gestión de tiempos
 DocType: Sales Invoice,Loyalty Amount,Cantidad de lealtad
 DocType: Employee Transfer,Employee Transfer Detail,Detalle de Transferencia del Empleado
@@ -1949,6 +1974,7 @@
 DocType: Cashier Closing,Returns,Devoluciones
 DocType: Job Card,WIP Warehouse,Almacén de trabajos en proceso
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Número de serie {0} tiene un contrato de mantenimiento hasta {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Límite de cantidad sancionado cruzado por {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Reclutamiento
 DocType: Lead,Organization Name,Nombre de la organización
 DocType: Support Settings,Show Latest Forum Posts,Mostrar las últimas publicaciones del Foro
@@ -1975,7 +2001,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Órdenes de compra Artículos vencidos
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Código Postal
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Orden de Venta {0} es {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Crear Asientos de Stock
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,No se puede promocionar Empleado con estado dejado
@@ -2059,7 +2084,6 @@
 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,Start Year,Año de inicio
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Crear préstamo
 DocType: Purchase Invoice,Start date of current invoice's period,Fecha inicial del período de facturación
 DocType: Shift Type,Process Attendance After,Asistencia al proceso después
 ,IRS 1099,IRS 1099
@@ -2080,6 +2104,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Seleccione sus Dominios
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Proveedor de Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Elementos de la Factura de Pago
+DocType: Repayment Schedule,Is Accrued,Está acumulado
 DocType: Payroll Entry,Employee Details,Detalles del Empleado
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Procesando archivos XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2111,6 +2136,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Punto de fidelidad
 DocType: Employee Checkin,Shift End,Fin de turno
 DocType: Stock Settings,Default Item Group,Grupo de artículos predeterminado
+DocType: Loan,Partially Disbursed,Parcialmente Desembolsado
 DocType: Job Card Time Log,Time In Mins,Tiempo en Minutos
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Información de la Concesión.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Esta acción desvinculará esta cuenta de cualquier servicio externo que integre ERPNext con sus cuentas bancarias. No se puede deshacer. Estas seguro ?
@@ -2126,6 +2152,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Cierre de préstamo
 DocType: Call Log,Lead,Iniciativa
 DocType: Email Digest,Payables,Cuentas por pagar
 DocType: Amazon MWS Settings,MWS Auth Token,Token de Autenticación MWS
@@ -2158,6 +2185,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON solo se puede generar a partir de un documento enviado
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Impuestos y beneficios a empleados
 DocType: Bank Guarantee,Validity in Days,Validez en Días
+DocType: Unpledge,Haircut,Corte de pelo
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Formulario-C no es aplicable para la factura: {0}
 DocType: Certified Consultant,Name of Consultant,Nombre de la Consultora
 DocType: Payment Reconciliation,Unreconciled Payment Details,Detalles de pagos no conciliados
@@ -2210,7 +2238,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Resto del mundo
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,El producto {0} no puede contener lotes
 DocType: Crop,Yield UOM,Rendimiento UOM
+DocType: Loan Security Pledge,Partially Pledged,Parcialmente comprometido
 ,Budget Variance Report,Variación de Presupuesto
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Monto de préstamo sancionado
 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,Get Items from Healthcare Services,Obtenga artículos de los servicios de salud
@@ -2245,6 +2275,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nuevo procedimiento de calidad
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},El balance para la cuenta {0} siempre debe ser {1}
 DocType: Patient Appointment,More Info,Más información
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,La fecha de nacimiento no puede ser mayor que la fecha de ingreso.
 DocType: Supplier Scorecard,Scorecard Actions,Acciones de Calificación de Proveedores
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Proveedor {0} no encontrado en {1}
 DocType: Purchase Invoice,Rejected Warehouse,Almacén rechazado
@@ -2341,6 +2372,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Configure primero el Código del Artículo
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,DocType
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Compromiso de seguridad del préstamo creado: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Citas y Encuentros de Pacientes
@@ -2396,6 +2428,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Número de citas concurrentes
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Empezando
 DocType: Purchase Invoice,Taxes and Charges Calculation,Cálculo de impuestos y cargos
+DocType: Loan Interest Accrual,Payable Principal Amount,Monto del principal a pagar
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Entrada de depreciación de activos de libro de forma automática
 DocType: BOM Operation,Workstation,Puesto de Trabajo
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Proveedor de Solicitud de Presupuesto
@@ -2432,7 +2465,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Comida
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,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: Bank Account,Is the Default Account,Es la cuenta predeterminada
 DocType: Shopify Log,Shopify Log,Log de Shopify
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,No se encontró comunicación.
 DocType: Inpatient Occupancy,Check In,Registrarse
@@ -2490,12 +2522,14 @@
 DocType: Sales Order Item,Planned Quantity,Cantidad planificada
 DocType: Water Analysis,Water Analysis Criteria,Criterios de Análisis de Agua
 DocType: Item,Maintain Stock,Mantener Stock
+DocType: Loan Security Unpledge,Unpledge Time,Desplegar tiempo
 DocType: Terms and Conditions,Applicable Modules,Módulos Aplicables
 DocType: Employee,Prefered Email,Correo electrónico  preferido
 DocType: Student Admission,Eligibility and Details,Elegibilidad y Detalles
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Incluido en el beneficio bruto
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Cambio neto en activos fijos
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Cant. Requerida
+DocType: Work Order,This is a location where final product stored.,Esta es una ubicación donde se almacena el producto final.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Máximo: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Desde Fecha y Hora
@@ -2536,8 +2570,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garantía / Estado de CMA
 ,Accounts Browser,Navegador de Cuentas
 DocType: Procedure Prescription,Referral,Remisión
+,Territory-wise Sales,Ventas por territorio
 DocType: Payment Entry Reference,Payment Entry Reference,Referencia de Entrada de Pago
 DocType: GL Entry,GL Entry,Entrada GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Fila n.º {0}: el almacén aceptado y el almacén del proveedor no pueden ser iguales
 DocType: Support Search Source,Response Options,Opciones de Respuesta
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Aplicar múltiples reglas de precios
 DocType: HR Settings,Employee Settings,Configuración de Empleado
@@ -2597,6 +2633,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Agricultura (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Lista de embalaje
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Configure Naming Series para {0} a través de Configuración&gt; Configuración&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Alquiler de Oficina
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Configuración de pasarela SMS
 DocType: Disease,Common Name,Nombre Común
@@ -2613,6 +2650,7 @@
 DocType: Item,Sales Details,Detalles de ventas
 DocType: Coupon Code,Used,Usado
 DocType: Opportunity,With Items,Con Productos
+DocType: Vehicle Log,last Odometer Value ,último valor del cuentakilómetros
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',La campaña &#39;{0}&#39; ya existe para {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Equipo de Mantenimiento
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Orden en el que deben aparecer las secciones. 0 es primero, 1 es segundo y así sucesivamente."
@@ -2623,7 +2661,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Relación de Gastos {0} ya existe para el registro de vehículos
 DocType: Asset Movement Item,Source Location,Ubicación de Origen
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,nombre del Instituto
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Por favor, ingrese el monto de amortización"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Por favor, ingrese el monto de amortización"
 DocType: Shift Type,Working Hours Threshold for Absent,Umbral de horas de trabajo para ausentes
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Puede haber un factor de recopilación de niveles múltiples basado en el total gastado. Pero el factor de conversión para el canje siempre será el mismo para todos los niveles.
 apps/erpnext/erpnext/config/help.py,Item Variants,Variantes del Producto
@@ -2647,6 +2685,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} debe ser menor que {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Seleccione primero el tipo de solicitante
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Seleccionar BOM, Cant. and Almacén destino"
 DocType: GST HSN Code,GST HSN Code,Código GST HSN
 DocType: Employee External Work History,Total Experience,Experiencia total
@@ -2737,7 +2776,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",No se encontró una lista de materiales activa para el artículo {0}. La entrega por \ Serial No no puede garantizarse
 DocType: Sales Partner,Sales Partner Target,Metas de socio de ventas
-DocType: Loan Type,Maximum Loan Amount,Cantidad máxima del préstamo
+DocType: Loan Application,Maximum Loan Amount,Cantidad máxima del préstamo
 DocType: Coupon Code,Pricing Rule,Regla de precios
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Número de rol duplicado para el estudiante {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Requisición de materiales hacia órden de compra
@@ -2760,6 +2799,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Vacaciones Distribuidas Satisfactoriamente para {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,No hay productos para empacar
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Actualmente solo se admiten archivos .csv y .xlsx
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,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: Shipping Rule Condition,From Value,Desde Valor
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,La cantidad a producir es obligatoria
 DocType: Loan,Repayment Method,Método de Reembolso
@@ -2843,6 +2883,7 @@
 DocType: Customer,Customer POS Id,id de POS del Cliente
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,El alumno con correo electrónico {0} no existe
 DocType: Account,Account Name,Nombre de la Cuenta
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},El monto del préstamo sancionado ya existe para {0} contra la compañía {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,La fecha 'Desde' no puede ser mayor que la fecha 'Hasta'
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,"Número de serie {0}, la cantidad {1} no puede ser una fracción"
 DocType: Pricing Rule,Apply Discount on Rate,Aplicar descuento en tarifa
@@ -2914,6 +2955,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Beneficio neto
 DocType: Purchase Invoice,Eligibility For ITC,Elegibilidad para ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Sin plegar
 DocType: Journal Entry,Entry Type,Tipo de entrada
 ,Customer Credit Balance,Saldo de Clientes
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Cambio neto en Cuentas por Pagar
@@ -2925,6 +2967,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID de dispositivo de asistencia (ID de etiqueta biométrica / RF)
 DocType: Quotation,Term Details,Detalles de términos y condiciones
 DocType: Item,Over Delivery/Receipt Allowance (%),Sobre entrega / recibo de recibo (%)
+DocType: Appointment Letter,Appointment Letter Template,Plantilla de carta de cita
 DocType: Employee Incentive,Employee Incentive,Incentivo para Empleados
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Total (Sin Impuestos)
@@ -2947,6 +2990,7 @@
 					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."
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Desvinculación de Pago en la cancelación de la factura
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Proceso de acumulación de intereses de préstamos
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Lectura actual del odómetro ingresada debe ser mayor que el cuentakilómetros inicial {0}
 ,Purchase Order Items To Be Received or Billed,Artículos de orden de compra que se recibirán o facturarán
 DocType: Restaurant Reservation,No Show,No Mostrar
@@ -3032,6 +3076,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: El centros de costos es requerido para la cuenta de 'pérdidas y ganancias' {2}. Por favor, configure un centro de costos por defecto para la compañía."
 DocType: Payment Schedule,Payment Term,Plazo de Pago
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Existe una categoría de cliente con el mismo nombre. Por favor cambie el nombre de cliente o renombre la categoría de cliente
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,La fecha de finalización de la admisión debe ser mayor que la fecha de inicio de la admisión.
 DocType: Location,Area,Zona
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nuevo contacto
 DocType: Company,Company Description,Descripción de la Compañía
@@ -3106,6 +3151,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Datos Mapeados
 DocType: Purchase Order Item,Warehouse and Reference,Almacén y Referencia
 DocType: Payroll Period Date,Payroll Period Date,Fecha del Período de la Nómina
+DocType: Loan Disbursement,Against Loan,Contra préstamo
 DocType: Supplier,Statutory info and other general information about your Supplier,Información legal u otra información general acerca de su proveedor
 DocType: Item,Serial Nos and Batches,Números de serie y lotes
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Fortaleza del grupo de estudiantes
@@ -3172,6 +3218,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Selecciona una empresa
 DocType: Delivery Settings,Delivery Settings,Ajustes de Entrega
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Obtener Datos
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},No se puede desbloquear más de {0} cantidad de {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},La licencia máxima permitida en el tipo de permiso {0} es {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicar 1 artículo
 DocType: SMS Center,Create Receiver List,Crear Lista de Receptores
@@ -3319,6 +3366,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Importe Base (Divisa de la Empresa)
 DocType: Purchase Invoice,Registered Regular,Regular registrado
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Materias Primas
+DocType: Plaid Settings,sandbox,salvadera
 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
@@ -3331,12 +3379,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Tipo de Transacción
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criterios de Aceptación
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,No repayments available for Journal Entry,No hay Reembolsos disponibles para Asiento Contable
 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: Loan,Total Payable Amount,Monto Total a Pagar
 DocType: Task,Expected Time (in hours),Tiempo previsto (en horas)
 DocType: Item Reorder,Check in (group),Registro (grupo)
 DocType: Soil Texture,Silt,Limo
@@ -3367,6 +3414,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Deducir impuestos por prueba de exención de impuestos sin enviar
 DocType: Volunteer,Anytime,En cualquier momento
 DocType: Bank Account,Bank Account No,Número de Cuenta Bancaria
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Desembolso y reembolso
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Presentación de Prueba de Exención Fiscal del Empleado
 DocType: Patient,Surgical History,Historia Quirúrgica
 DocType: Bank Statement Settings Item,Mapped Header,Encabezado Mapeado
@@ -3430,6 +3478,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Crear prueba (s) de laboratorio en el envío de factura de venta
 DocType: Serial No,Invoice Details,Detalles de la factura
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,La estructura salarial debe presentarse antes de la presentación de la Declaración de exención fiscal
+DocType: Loan Application,Proposed Pledges,Promesas Propuestas
 DocType: Grant Application,Show on Website,Mostrar en el Sitio Web
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Comienza en
 DocType: Hub Tracked Item,Hub Category,Categoría de Hub
@@ -3441,7 +3490,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tarjeta de puntuación de proveedores
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Lista de materiales no se encuentra para el elemento {1}
 DocType: Contract Fulfilment Checklist,Requirement,Requisito
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos&gt; Configuración de recursos humanos
 DocType: Journal Entry,Accounts Receivable,Cuentas por cobrar
 DocType: Quality Goal,Objectives,Objetivos
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rol permitido para crear una solicitud de licencia con fecha anterior
@@ -3454,6 +3502,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Incluir las entradas conciliadas
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,El monto total asignado ({0}) es mayor que el monto pagado ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir los cargos basados en
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},El monto pagado no puede ser inferior a {0}
 DocType: Projects Settings,Timesheets,Tabla de Tiempos
 DocType: HR Settings,HR Settings,Configuración de recursos humanos (RRHH)
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Maestros Contables
@@ -3599,6 +3648,7 @@
 DocType: Employee,Health Insurance,Seguro de Salud
 DocType: Asset Repair,Manufacturing Manager,Gerente de Producción
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Número de serie {0} está en garantía hasta {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,El monto del préstamo excede el monto máximo del préstamo de {0} según los valores propuestos
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valor Mínimo Permitido
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,El Usuario {0} ya existe
 apps/erpnext/erpnext/hooks.py,Shipments,Envíos
@@ -3642,7 +3692,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipo de Negocio
 DocType: Sales Invoice,Consumer,Consumidor
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor seleccione el monto asignado, tipo de factura y número en una fila"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Configure Naming Series para {0} a través de Configuración&gt; Configuración&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Costo de Compra de Nueva
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Orden de venta requerida para el producto {0}
 DocType: Grant Application,Grant Description,Descripción de la Concesión
@@ -3651,6 +3700,7 @@
 DocType: Subscription,Discounts,Descuentos
 DocType: Bank Transaction,Unallocated Amount,Monto sin asignar
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Habilite la opción Aplicable en el pedido y aplicable a los gastos reales de reserva
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} no es una cuenta bancaria de la empresa
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,No se peude encontrar un artículo que concuerde.  Por favor seleccione otro valor para {0}.
 DocType: POS Profile,Taxes and Charges,Impuestos y cargos
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un producto o un servicio que se compra, se vende o se mantiene en stock."
@@ -3699,6 +3749,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Fecha desde Válida ser menor que Válido hasta la Fecha
 DocType: Employee Skill,Evaluation Date,Fecha de evaluación
 DocType: Quotation Item,Stock Balance,Balance de Inventarios.
+DocType: Loan Security Pledge,Total Security Value,Valor total de seguridad
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Órdenes de venta a pagar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Con el Pago de Impuesto
@@ -3711,6 +3762,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},La cuenta {0} no existe en el cuadro de mandos {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Mostrar Atributos de Variantes
@@ -3792,6 +3844,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Tasa de valoración actual
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,El número de cuentas raíz no puede ser inferior a 4
 DocType: Training Event,Advance,Avanzar
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Contra préstamo:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Configuración de pasarela de pago GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Ganancia/Pérdida en Cambio
 DocType: Opportunity,Lost Reason,Razón de la pérdida
@@ -3875,8 +3928,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Seleccione Lote No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},No válido {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Fila {0}: la fecha de nacimiento del hermano no puede ser mayor que hoy.
 DocType: Fee Validity,Reference Inv,Factura de Referencia
 DocType: Sales Invoice Advance,Advance Amount,Importe Anticipado
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Tasa de interés de penalización (%) por día
 DocType: Manufacturing Settings,Capacity Planning,Planificación de capacidad
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Ajuste de Redondeo (Moneda de la Empresa
 DocType: Asset,Policy number,Número de Póliza
@@ -3892,7 +3947,9 @@
 DocType: Normal Test Items,Require Result Value,Requerir Valor de Resultado
 DocType: Purchase Invoice,Pricing Rules,Reglas de precios
 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: Appointment Letter,Body,Cuerpo
 DocType: Tax Withholding Rate,Tax Withholding Rate,Tasa de Retención de Impuestos
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,La fecha de inicio de reembolso es obligatoria para préstamos a plazo
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Sucursales
@@ -3912,7 +3969,7 @@
 DocType: Call Log,Received By,Recibido por
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Duración de la cita (en minutos)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalles de la plantilla de asignación de Flujo de Caja
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestión de Préstamos
+DocType: Loan,Loan Management,Gestión de Préstamos
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Seguimiento de Ingresos y Gastos por separado para las verticales de productos o divisiones.
 DocType: Rename Tool,Rename Tool,Herramienta para renombrar
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Actualizar costos
@@ -3920,6 +3977,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,Forma GSTR3B
 DocType: Sales Invoice,Mode of Transport,Modo de Transporte
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Mostrar Nomina Salarial
+DocType: Loan,Is Term Loan,¿Es el préstamo a plazo
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transferencia de Material
 DocType: Fees,Send Payment Request,Enviar Ssolicitud de Pago
 DocType: Travel Request,Any other details,Cualquier otro detalle
@@ -3937,6 +3995,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Flujo de caja de financiación
 DocType: Budget Account,Budget Account,Cuenta de Presupuesto
 DocType: Quality Inspection,Verified By,Verificado por
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Agregar seguridad de préstamo
 DocType: Travel Request,Name of Organizer,Nombre del Organizador
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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 divisa/moneda por defecto de la compañía, porque existen transacciones, estas deben ser canceladas antes de cambiarla"
 DocType: Cash Flow Mapping,Is Income Tax Liability,Es la Responsabilidad del Impuesto sobre la Renta
@@ -3987,6 +4046,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Solicitado el
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Si está marcado, oculta y deshabilita el campo Total redondeado en los recibos de salario"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Este es el desplazamiento predeterminado (días) para la Fecha de entrega en Pedidos de ventas. La compensación alternativa es de 7 días a partir de la fecha de colocación del pedido.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configure la serie de numeración para la Asistencia a través de Configuración&gt; Serie de numeración
 DocType: Rename Tool,File to Rename,Archivo a renombrar
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Obtener Actualizaciones de Suscripción
@@ -3999,6 +4059,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Números de serie creados
 DocType: POS Profile,Applicable for Users,Aplicable para Usuarios
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Desde la fecha y hasta la fecha son obligatorios
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,¿Establecer el proyecto y todas las tareas en el estado {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Establecer avances y asignar (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,No se crearon Órdenes de Trabajo
@@ -4008,6 +4069,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artículos por
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Costo de productos comprados
 DocType: Employee Separation,Employee Separation Template,Plantilla de Separación de Empleados
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Cantidad cero de {0} comprometido contra el préstamo {0}
 DocType: Selling Settings,Sales Order Required,Orden de venta requerida
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Ser un Vendedor
 ,Procurement Tracker,Rastreador de compras
@@ -4105,11 +4167,12 @@
 ,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,Total Absent,Total Ausente
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Cantidad a pagar
+DocType: Loan Repayment,Payable Amount,Cantidad a pagar
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Oportunidad
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,La fuerza máxima no puede ser inferior a cero.
 DocType: Options,Option,Opción
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},No puede crear entradas contables en el período contable cerrado {0}
 DocType: Operation,Default Workstation,Estación de Trabajo por defecto
@@ -4151,6 +4214,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,El monto de interés es obligatorio
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Próximos pasos
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Artículos guardados
@@ -4201,8 +4265,6 @@
 DocType: Grant Application,Grant Application Details ,Detalles de Solicitud de Subvención
 DocType: Employee Separation,Employee Separation,Separación de Empleados
 DocType: BOM Item,Original Item,Artículo Original
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Elimine el empleado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Fecha del Doc
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Registros de cuotas creados - {0}
 DocType: Asset Category Account,Asset Category Account,Cuenta de categoría de activos
@@ -4238,6 +4300,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,El elemento de prueba de laboratorio {0} ya existe
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} es un feriado de la compañía
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Horas facturables
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,La tasa de interés de penalización se aplica diariamente sobre el monto de interés pendiente en caso de reembolso retrasado
+DocType: Appointment Letter content,Appointment Letter content,Contenido de la carta de nombramiento
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Estado de Notificación de Vacaciones
 DocType: Patient Appointment,Procedure Prescription,Prescripción del Procedimiento
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Muebles y Accesorios
@@ -4257,7 +4321,7 @@
 DocType: Opportunity,Customer / Lead Name,Cliente / Oportunidad
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Fecha de liquidación no definida
 DocType: Payroll Period,Taxable Salary Slabs,Salarios Gravables
-DocType: Job Card,Production,Producción
+DocType: Plaid Settings,Production,Producción
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN inválido! La entrada que ha ingresado no coincide con el formato de GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valor de la cuenta
 DocType: Guardian,Occupation,Ocupación
@@ -4401,6 +4465,7 @@
 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,Student {0} does not belong to group {1},El estudiante {0} no pertenece al grupo {1}
+DocType: Appointment Letter,Appointment Date,Día de la cita
 DocType: Budget,Cost Center,Centro de costos
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Comprobante #
 DocType: Tax Rule,Shipping Country,País de envío
@@ -4471,6 +4536,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dimensión contable
 ,Profit and Loss Statement,Cuenta de pérdidas y ganancias
 DocType: Bank Reconciliation Detail,Cheque Number,Número de cheque
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,El monto pagado no puede ser cero
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,El elemento al que hace referencia {0} - {1} ya está facturado
 ,Sales Browser,Explorar ventas
 DocType: Journal Entry,Total Credit,Crédito Total
@@ -4587,6 +4653,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Agregar / editar condiciones de cupón
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"La cuenta de Gastos/Diferencia ({0}) debe ser una cuenta de 'utilidad o pérdida """
 DocType: Stock Entry Detail,Stock Entry Child,Niño de entrada de stock
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Loan Security Pledge Company y Loan Company deben ser las mismas
 DocType: Project,Copied From,Copiado de
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Factura ya creada para todas las horas de facturación
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nombre de error: {0}
@@ -4594,6 +4661,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Es el Costo de las Finanzas
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Asistencia para el empleado {0} ya está marcado
 DocType: Packing Slip,If more than one package of the same type (for print),Si es más de un paquete del mismo tipo (para impresión)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,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
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,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: Company,Default warehouse for Sales Return,Almacén predeterminado para devolución de ventas
@@ -4638,7 +4706,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Número de serie actual
 DocType: Employee,Attendance and Leave Details,Asistencia y detalles de licencia
 ,BOM Comparison Tool,Herramienta de comparación de lista de materiales
-,Requested,Solicitado
+DocType: Loan Security Pledge,Requested,Solicitado
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4650,7 +4718,6 @@
 DocType: Drug Prescription,Drug Prescription,Prescripción de Medicamentos
 DocType: Service Level,Support and Resolution,Soporte y resolución
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,El código de artículo gratuito no está seleccionado
-DocType: Loan,Repaid/Closed,Reembolsado / Cerrado
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Cantidad Total Proyectada
 DocType: Monthly Distribution,Distribution Name,Nombre de la distribución
@@ -4684,6 +4751,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Ya ha evaluado los criterios de evaluación {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Cantidad de déficit
 DocType: Vehicle Service,Engine Oil,Aceite de Motor
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Órdenes de Trabajo creadas: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Configure una identificación de correo electrónico para el Cliente potencial {0}
@@ -4702,6 +4770,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},La cuenta no está configurada para el cuadro de mandos {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Aplicar descuento adicional en
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Seleccione Tipo...
+DocType: Loan Interest Accrual,Amounts,Cantidades
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Tus boletos
 DocType: Account,Root Type,Tipo de root
 DocType: Item,FIFO,FIFO
@@ -4709,6 +4778,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Fila #{0}: No se puede devolver más de {1} para el producto {2}
 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: Loan Security Price,Loan Security Price,Precio de seguridad del préstamo
 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,Target warehouse is mandatory for row {0},El almacén de destino es obligatorio para la línea {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Operaciones Retail
@@ -4847,6 +4917,7 @@
 DocType: Coupon Code,Coupon Description,Descripción del cupón
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},El lote es obligatorio en la fila {0}
 DocType: Company,Default Buying Terms,Términos de compra predeterminados
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Desembolso del préstamo
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Recibo de compra del producto suministrado
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Habilitar la sincronización programada
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Para fecha y hora
@@ -4875,6 +4946,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ingrese el valor entre {0} y {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Introduzca el nombre de la campaña, si la solicitud viene desde esta."
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Editores de periódicos
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},No se encontró un <b>precio de seguridad de préstamo</b> válido para {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,No se permiten fechas futuras
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,La fecha de entrega esperada debe ser posterior a la fecha del pedido de cliente
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Nivel de reabastecimiento
@@ -4941,6 +5013,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Propuesta / Presupuesto
 DocType: Antibiotic,Healthcare,Atención Médica
 DocType: Target Detail,Target Detail,Detalle de objetivo
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Procesos de préstamo
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Variante Individual
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Todos los trabajos
 DocType: Sales Order,% of materials billed against this Sales Order,% de materiales facturados contra esta orden de venta
@@ -5003,7 +5076,7 @@
 DocType: Item,Reorder level based on Warehouse,Nivel de reabastecimiento basado en almacén
 DocType: Activity Cost,Billing Rate,Monto de facturación
 ,Qty to Deliver,Cantidad a entregar
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Crear entrada de desembolso
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Crear entrada de desembolso
 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,Operations cannot be left blank,Las operaciones no pueden dejarse en blanco
@@ -5037,6 +5110,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Desvincular integraciones externas
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Elige un pago correspondiente
 DocType: Pricing Rule,Item Code,Código del Producto
+DocType: Loan Disbursement,Pending Amount For Disbursal,Monto pendiente de desembolso
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garantía / Detalles de CMA
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Seleccionar a los estudiantes manualmente para el grupo basado en actividad
@@ -5060,6 +5134,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Cantidad Total
 DocType: Landed Cost Item,Receipt Document,Recepción de Documento
 DocType: Employee Education,School/University,Escuela / Universidad.
+DocType: Loan Security Pledge,Loan  Details,Detalles del préstamo
 DocType: Sales Invoice Item,Available Qty at Warehouse,Cantidad Disponible en Almacén
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Importe facturado
 DocType: Share Transfer,(including),(incluso)
@@ -5083,6 +5158,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupos
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Agrupar por cuenta
 DocType: Purchase Invoice,Hold Invoice,Retener la Factura
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Estado de compromiso
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Por favor selecciona Empleado
 DocType: Sales Order,Fully Delivered,Entregado completamente
 DocType: Promotional Scheme Price Discount,Min Amount,Cantidad mínima
@@ -5092,7 +5168,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Monto desembolsado no puede ser mayor que Monto del préstamo {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Fila {0} # Cantidad Asignada {1} no puede ser mayor que la Cantidad no Reclamada {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Se requiere el numero de orden de compra para el producto {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Trasladar ausencias
@@ -5120,6 +5195,7 @@
 DocType: Pick List Item,Serial No and Batch,Número de serie y de lote
 DocType: Warranty Claim,From Company,Desde Compañía
 DocType: GSTR 3B Report,January,enero
+DocType: Loan Repayment,Principal Amount Paid,Importe principal pagado
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de las puntuaciones de criterios de evaluación tiene que ser {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Por favor, ajuste el número de amortizaciones Reservados"
 DocType: Supplier Scorecard Period,Calculations,Cálculos
@@ -5145,6 +5221,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Sobre su Compañía
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Mostrar datos de envejecimiento de stock
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,La cuenta de crédito debe pertenecer a las cuentas de balance
+DocType: Loan Repayment,Penalty Amount,Importe de la pena
 DocType: Donor,Donor,Donante
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Actualizar impuestos para artículos
 DocType: Global Defaults,Disable In Words,Desactivar en palabras
@@ -5175,6 +5252,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centro de costos y presupuesto
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Apertura de Capital
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Entrada pagada parcial
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Por favor establezca el calendario de pagos
 DocType: Pick List,Items under this warehouse will be suggested,Se sugerirán artículos debajo de este almacén
 DocType: Purchase Invoice,N,N
@@ -5208,7 +5286,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} no encontrado para el Artículo {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},El valor debe estar entre {0} y {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Mostrar impuesto inclusivo en impresión
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Mensaje Enviado
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5222,6 +5299,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Habilitar reordenamiento automático
 DocType: Stock Settings,Item Naming By,Ordenar productos por
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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: Proposed Pledge,Proposed Pledge,Compromiso propuesto
 DocType: Work Order,Material Transferred for Manufacturing,Material Transferido para la Producción
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,La cuenta {0} no existe
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Seleccionar un Programa de Lealtad
@@ -5232,7 +5310,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ajustar Eventos a {0}, ya que el Empleado adjunto a las Personas de Venta siguientes no tiene un ID de Usuario{1}."
 DocType: Timesheet,Billing Details,Detalles de facturación
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Almacén de Origen y Destino deben ser diferentes
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos&gt; Configuración de recursos humanos
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pago Fallido. Verifique su Cuenta GoCardless para más detalles
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},No tiene permisos para actualizar las transacciones de stock mayores al  {0}
 DocType: Stock Entry,Inspection Required,Inspección Requerida
@@ -5245,6 +5322,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Almacén de entrega requerido para el inventrio del producto {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),El peso bruto del paquete. Peso + embalaje Normalmente material neto . (para impresión)
 DocType: Assessment Plan,Program,Programa
+DocType: Unpledge,Against Pledge,Contra la promesa
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Los usuarios con este rol pueden establecer cuentas congeladas y crear / modificar los asientos contables para las mismas
 DocType: Plaid Settings,Plaid Environment,Ambiente a cuadros
 ,Project Billing Summary,Resumen de facturación del proyecto
@@ -5296,6 +5374,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lotes
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Número de días que las citas se pueden reservar por adelantado
 DocType: Article,LMS User,Usuario LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,El compromiso de seguridad del préstamo es obligatorio para el préstamo garantizado
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Lugar de suministro (Estado / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Unidad de media utilizada en el almacen
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,La orden de compra {0} no se encuentra validada
@@ -5370,6 +5449,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Crear tarjeta de trabajo
 DocType: Quotation,Referral Sales Partner,Socio de ventas de referencia
 DocType: Quality Procedure Process,Process Description,Descripción del proceso
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","No se puede cancelar, el valor del préstamo es mayor que el monto pagado"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Se crea el Cliente {0}.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5390,7 +5470,7 @@
 DocType: Asset,Insurance Details,Detalles de Seguros
 DocType: Account,Payable,Pagadero
 DocType: Share Balance,Share Type,Tipo de Acción
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Por favor, introduzca plazos de amortización"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Por favor, introduzca plazos de amortización"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Deudores ({0})
 DocType: Pricing Rule,Margin,Margen
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nuevos clientes
@@ -5399,6 +5479,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Oportunidades por fuente de iniciativa
 DocType: Appraisal Goal,Weightage (%),Porcentaje (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Cambiar el Perfil de POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Cantidad o monto es obligatorio para la seguridad del préstamo
 DocType: Bank Reconciliation Detail,Clearance Date,Fecha de liquidación
 DocType: Delivery Settings,Dispatch Notification Template,Plantilla de notificación de despacho
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Informe de evaluación
@@ -5434,6 +5515,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Factura de Venta {0} creada
 DocType: Employee,Confirmation Date,Fecha de confirmación
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Elimine el empleado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 DocType: Inpatient Occupancy,Check Out,Check Out
 DocType: C-Form,Total Invoiced Amount,Total Facturado
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,La cantidad mínima no puede ser mayor que la cantidad maxima
@@ -5447,7 +5530,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID de la Empresa en Quickbooks
 DocType: Travel Request,Travel Funding,Financiación de Viajes
 DocType: Employee Skill,Proficiency,Competencia
-DocType: Loan Application,Required by Date,Requerido por Fecha
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detalle del recibo de compra
 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
 DocType: Lead,Lead Owner,Propietario de la iniciativa
@@ -5466,7 +5548,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,La lista de materiales (LdM) actual y la nueva no pueden ser las mismas
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID de Nómina
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,La fecha de jubilación debe ser mayor que la fecha de ingreso
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Proveedor&gt; Tipo de proveedor
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Multiples Variantes
 DocType: Sales Invoice,Against Income Account,Contra cuenta de ingresos
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Entregado
@@ -5499,7 +5580,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Cargos de tipo de valoración no pueden marcado como Incluido
 DocType: POS Profile,Update Stock,Actualizar el Inventario
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Detalles del Pago
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Coeficiente de la lista de materiales (LdM)
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Leer el archivo cargado
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5534,6 +5615,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Valor máximo del préstamo
 ,Stock Ledger,Mayor de Inventarios
 DocType: Company,Exchange Gain / Loss Account,Cuenta de Ganancias / Pérdidas en Cambio
 DocType: Amazon MWS Settings,MWS Credentials,Credenciales de MWS
@@ -5541,6 +5623,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Propósito debe ser uno de {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Llene el formulario y guárdelo
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Foro de la comunidad
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},No hay hojas asignadas al empleado: {0} para el tipo de licencia: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Cantidad real en stock
 DocType: Homepage,"URL for ""All Products""",URL de &quot;Todos los productos&quot;
 DocType: Leave Application,Leave Balance Before Application,Ausencias disponibles antes de la solicitud
@@ -5642,7 +5725,6 @@
 DocType: Fee Schedule,Fee Schedule,Programa de Cuotas
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Etiquetas de columna:
 DocType: Bank Transaction,Settled,Colocado
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,La fecha de desembolso no puede ser posterior a la fecha de inicio del reembolso del préstamo
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Impuesto
 DocType: Quality Feedback,Parameters,Parámetros
 DocType: Company,Create Chart Of Accounts Based On,Crear plan de cuentas basado en
@@ -5662,6 +5744,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Límite de Crédito y Condiciones de Pago
 DocType: Loyalty Program,Collection Rules,Reglas de Recolección
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Elemento 3
+DocType: Loan Security Shortfall,Shortfall Time,Tiempo de déficit
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Orden de Entrada
 DocType: Purchase Order,Customer Contact Email,Correo electrónico de contacto de cliente
 DocType: Warranty Claim,Item and Warranty Details,Producto y detalles de garantía
@@ -5681,12 +5764,14 @@
 DocType: Sales Person,Sales Person Name,Nombre de vendedor
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Por favor, introduzca al menos 1 factura en la tabla"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,No se ha creado ninguna Prueba de Laboratorio
+DocType: Loan Security Shortfall,Security Value ,Valor de seguridad
 DocType: POS Item Group,Item Group,Grupo de Productos
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupo de Estudiantes:
 DocType: Depreciation Schedule,Finance Book Id,ID de Libro de Finanzas
 DocType: Item,Safety Stock,Stock de Seguridad
 DocType: Healthcare Settings,Healthcare Settings,Configuración de Atención Médica
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Total de Licencias Asignadas
+DocType: Appointment Letter,Appointment Letter,Carta de cita
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,El % de avance para una tarea no puede ser más de 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Antes de Reconciliación
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Para {0}
@@ -5741,6 +5826,7 @@
 DocType: Stock Entry,From BOM,Desde lista de materiales (LdM)
 DocType: Assessment Code,Assessment Code,Código Evaluación
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Base
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Solicitudes de préstamos de clientes y empleados.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Las operaciones de inventario antes de {0} se encuentran congeladas
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Por favor, haga clic en 'Generar planificación'"
 DocType: Job Card,Current Time,Tiempo actual
@@ -5767,7 +5853,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Conceder
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,No se crearon grupos de estudiantes.
 DocType: Purchase Invoice Item,Serial No,Número de serie
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Cantidad mensual La devolución no puede ser mayor que monto del préstamo
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Cantidad mensual La devolución no puede ser mayor que monto del préstamo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Por favor ingrese primero los detalles del mantenimiento
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Fila #{0}: La fecha de entrega esperada no puede ser anterior a la fecha de la orden de compra
 DocType: Purchase Invoice,Print Language,Lenguaje de impresión
@@ -5781,6 +5867,7 @@
 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,All Territories,Todos los Territorios
+DocType: Plaid Settings,development,desarrollo
 DocType: Lost Reason Detail,Lost Reason Detail,Detalle de razón perdida
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Pedido de manta inválido para el cliente y el artículo seleccionado
@@ -5843,12 +5930,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aperturas Actuales
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flujo de caja operativo
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Cantidad de CGST
+DocType: Vehicle Log,Current Odometer value ,Valor actual del cuentakilómetros
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Crear estudiante
 DocType: Asset Movement Item,Asset Movement Item,Elemento de movimiento de activos
 DocType: Purchase Invoice,Shipping Rule,Regla de envío
 DocType: Patient Relation,Spouse,Esposa
 DocType: Lab Test Groups,Add Test,Añadir Prueba
 DocType: Manufacturer,Limited to 12 characters,Limitado a 12 caracteres
+DocType: Appointment Letter,Closing Notes,Notas de cierre
 DocType: Journal Entry,Print Heading,Imprimir Encabezado
 DocType: Quality Action Table,Quality Action Table,Mesa de acción de calidad
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Total no puede ser cero
@@ -5915,6 +6004,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Monto total
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Identifique / cree una cuenta (grupo) para el tipo - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entretenimiento y ocio
+DocType: Loan Security,Loan Security,Préstamo de seguridad
 ,Item Variant Details,Detalles de la Variante del Artículo
 DocType: Quality Inspection,Item Serial No,Nº de Serie del producto
 DocType: Payment Request,Is a Subscription,Es una Suscripción
@@ -5927,7 +6017,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Última edad
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Las fechas programadas y admitidas no pueden ser menores que hoy
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transferir material a proveedor
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,El número de serie no tiene almacén asignado. El almacén debe establecerse por entradas de inventario o recibos de compra
 DocType: Lead,Lead Type,Tipo de iniciativa
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Crear cotización
@@ -5945,7 +6034,6 @@
 DocType: Leave Allocation,Leave Period,Período de Licencia
 DocType: Item,Default Material Request Type,El material predeterminado Tipo de solicitud
 DocType: Supplier Scorecard,Evaluation Period,Periodo de Evaluación
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de clientes&gt; Territorio
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Desconocido
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Órden de Trabajo no creada
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6029,7 +6117,8 @@
 ,Customer-wise Item Price,Precio del artículo sabio para el cliente
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Estado de Flujos de Efectivo
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,No se ha creado ninguna solicitud material
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Monto del préstamo no puede exceder cantidad máxima del préstamo de {0}
+DocType: Loan,Loan Security Pledge,Compromiso de seguridad del préstamo
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licencia
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6047,6 +6136,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Esquema de descuento de precio
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,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,Estados Unidos
+DocType: Loan Security Pledge,Pledged,Comprometido
 DocType: Holiday List,Add Weekly Holidays,Añadir Vacaciones Semanales
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Reportar articulo
 DocType: Staffing Plan Detail,Vacancies,Vacantes
@@ -6065,7 +6155,6 @@
 DocType: Production Plan Item,Planned Start Date,Fecha prevista de inicio
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Seleccione una Lista de Materiales
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Impuesto Integrado ITC disponible
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Crear entrada de reembolso
 DocType: Purchase Order Item,Blanket Order Rate,Tasa de orden general
 ,Customer Ledger Summary,Resumen del Libro mayor de clientes
 apps/erpnext/erpnext/hooks.py,Certification,Proceso de dar un título
@@ -6086,6 +6175,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Titulo de la plantilla de evaluación
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Comercial
 DocType: Patient,Alcohol Current Use,Uso Corriente de Alcohol
+DocType: Loan,Loan Closure Requested,Cierre de préstamo solicitado
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Importe del pago de la renta de la casa
 DocType: Student Admission Program,Student Admission Program,Programa de Admisión de Estudiantes
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Categoría de Exención Fiscal
@@ -6109,6 +6199,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Ventas
 DocType: Stock Entry Detail,Basic Amount,Importe Base
 DocType: Training Event,Exam,Examen
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Déficit de seguridad del préstamo de proceso
 DocType: Email Campaign,Email Campaign,Campaña de correo electrónico
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Error de Marketplace
 DocType: Complaint,Complaint,Queja
@@ -6188,6 +6279,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Envíe esto para crear el registro del empleado
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Precio de seguridad del préstamo superpuesto con {0}
 DocType: Item Default,Item Default,Artículo Predeterminado
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Suministros intraestatales
 DocType: Chapter Member,Leave Reason,Deja la Razón
@@ -6214,6 +6306,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,Los cupones {0} utilizados son {1}. La cantidad permitida se agota
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,¿Quieres enviar la solicitud de material?
 DocType: Job Offer,Awaiting Response,Esperando Respuesta
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,El préstamo es obligatorio.
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Arriba
 DocType: Support Search Source,Link Options,Opciones de Enlace
@@ -6226,6 +6319,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
+DocType: Pledge,Post Haircut Amount,Cantidad de post corte de pelo
 DocType: Sales Order,Skip Delivery Note,Saltar nota de entrega
 DocType: Price List,Price Not UOM Dependent,Precio no dependiente de UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} variantes creadas
@@ -6252,6 +6346,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Obtener Productos del Paquete de Productos
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,El método de reembolso es obligatorio para préstamos a plazo
 DocType: Asset,Straight Line,Línea Recta
 DocType: Project User,Project User,usuario proyecto
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,División
@@ -6296,7 +6391,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol que permite definir cuentas congeladas y editar asientos congelados
 DocType: Supplier Scorecard Scoring Variable,Path,Camino
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"No se puede convertir de 'Centros de Costos' a una cuenta del libro mayor, ya que tiene sub-grupos"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Factor de conversión de UOM ({0} -&gt; {1}) no encontrado para el elemento: {2}
 DocType: Production Plan,Total Planned Qty,Cantidad Total Planificada
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transacciones ya retiradas del extracto
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor de Apertura
@@ -6305,11 +6399,8 @@
 DocType: Material Request Plan Item,Required Quantity,Cantidad requerida
 DocType: Lab Test Template,Lab Test Template,Plantilla de Prueba de Laboratorio
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},El período contable se superpone con {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Proveedor&gt; Tipo de proveedor
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Cuenta de Ventas
 DocType: Purchase Invoice Item,Total Weight,Peso Total
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Elimine el empleado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 DocType: Pick List Item,Pick List Item,Seleccionar elemento de lista
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comisiones sobre ventas
 DocType: Job Offer Term,Value / Description,Valor / Descripción
@@ -6356,6 +6447,7 @@
 DocType: Patient Encounter,Encounter Date,Fecha de Encuentro
 DocType: Work Order,Update Consumed Material Cost In Project,Actualizar el costo del material consumido en el proyecto
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con divisa: {1} no puede ser seleccionada
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Préstamos otorgados a clientes y empleados.
 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
@@ -6424,7 +6516,6 @@
 DocType: Contract,Signed On,Firmado el
 DocType: Bank Account,Party Type,Tipo de entidad
 DocType: Discounted Invoice,Discounted Invoice,Factura con descuento
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar asistencia como <b></b>
 DocType: Payment Schedule,Payment Schedule,Calendario de Pago
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},No se encontró ningún empleado para el valor de campo de empleado dado. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Abreviación
@@ -6496,6 +6587,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Acreedores
 DocType: Assessment Plan,Assessment Name,Nombre de la Evaluación
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Fila #{0}: El número de serie es obligatorio
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Se requiere una cantidad de {0} para el cierre del préstamo
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detalle de Impuestos
 DocType: Employee Onboarding,Job Offer,Oferta de Trabajo
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abreviatura del Instituto
@@ -6519,7 +6611,6 @@
 DocType: Purchase Order,To Receive,Recibir
 DocType: Leave Period,Holiday List for Optional Leave,Lista de vacaciones para la licencia opcional
 DocType: Item Tax Template,Tax Rates,Las tasas de impuestos
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Código de artículo&gt; Grupo de artículos&gt; Marca
 DocType: Asset,Asset Owner,Propietario del activo
 DocType: Item,Website Content,Contenido del sitio web
 DocType: Bank Account,Integration ID,ID de integración
@@ -6535,6 +6626,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Sincronizar Órdenes
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Las órdenes publicadas para la producción.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Seleccione el año fiscal...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Seleccione Tipo de préstamo para la empresa {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6563,6 +6655,7 @@
 DocType: Customer,Mention if non-standard receivable account,Indique si utiliza una cuenta por cobrar distinta a la predeterminada
 DocType: Bank,Plaid Access Token,Token de acceso a cuadros
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Agregue los beneficios restantes {0} a cualquiera de los componentes existentes
+DocType: Bank Account,Is Default Account,Es cuenta predeterminada
 DocType: Journal Entry Account,If Income or Expense,Indique si es un ingreso o egreso
 DocType: Course Topic,Course Topic,Tema del curso
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},El vale de cierre de POS ya existe para {0} entre la fecha {1} y {2}
@@ -6575,7 +6668,7 @@
 DocType: Disease,Treatment Task,Tarea de Tratamiento
 DocType: Payment Order Reference,Bank Account Details,Detalles de cuenta bancaria
 DocType: Purchase Order Item,Blanket Order,Orden de la Manta
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,El monto de reembolso debe ser mayor que
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,El monto de reembolso debe ser mayor que
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Impuestos pagados
 DocType: BOM Item,BOM No,Lista de materiales (LdM) No.
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detalles de actualización
@@ -6631,6 +6724,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Productos WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Error de sintaxis en la fórmula o condición: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,El producto {0} ha sido ignorado ya que no es un elemento de stock
+,Loan Security Status,Estado de seguridad del préstamo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Para no utilizar la regla de precios en una única transacción, todas las reglas de precios aplicables deben ser desactivadas."
 DocType: Payment Term,Day(s) after the end of the invoice month,Día(s) después del final del mes de la factura
 DocType: Assessment Group,Parent Assessment Group,Grupo de Evaluación de Padres
@@ -6645,7 +6739,6 @@
 DocType: Stock Entry Detail,Additional Cost,Costo adicional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","No se puede filtrar en función al 'No. de comprobante', si esta agrupado por el nombre"
 DocType: Quality Inspection,Incoming,Entrante
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configure la serie de numeración para la Asistencia a través de Configuración&gt; Serie de numeración
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Se crean plantillas de impuestos predeterminadas para ventas y compras.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,El registro de Resultados de la Evaluación {0} ya existe.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Ejemplo: ABCD. #####. Si se establece una serie y no se menciona el No de lote en las transacciones, se creará un número de lote automático basado en esta serie. Si siempre quiere mencionar explícitamente el No de lote para este artículo, déjelo en blanco. Nota: esta configuración tendrá prioridad sobre el Prefijo de denominación de serie en Configuración de stock."
@@ -6656,8 +6749,10 @@
 DocType: Contract,Party User,Usuario Tercero
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Activos no creados para <b>{0}</b> . Deberá crear un activo manualmente.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Por favor, ponga el filtro de la Compañía en blanco si el Grupo Por es ' Empresa'."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de clientes&gt; Territorio
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Fecha de entrada no puede ser fecha futura
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Fila #{0}: Número de serie {1} no coincide con {2} {3}
+DocType: Loan Repayment,Interest Payable,Los intereses a pagar
 DocType: Stock Entry,Target Warehouse Address,Dirección del Almacén de Destino
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Permiso ocacional
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,El tiempo antes de la hora de inicio del turno durante el cual se considera la asistencia del Empleado Check-in.
@@ -6786,6 +6881,7 @@
 DocType: Issue,Reset Service Level Agreement,Restablecer acuerdo de nivel de servicio
 ,Sales Person-wise Transaction Summary,Resumen de transacciones por vendedor
 DocType: Training Event,Contact Number,Número de contacto
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,El monto del préstamo es obligatorio
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6834,6 +6930,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Las condiciones se aplicarán a todos los elementos seleccionados combinados.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Los objetivos no pueden estar vacíos
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Almacén incorrecto
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Inscripción de Estudiantes
 DocType: Item Group,Parent Item Group,Grupo principal de productos
 DocType: Appointment Type,Appointment Type,Tipo de Cita
@@ -6887,10 +6984,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tasa Promedio
 DocType: Appointment,Appointment With,Cita con
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,El monto total del pago en el cronograma de pago debe ser igual al total / Total Redondeado
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar asistencia como <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","El ""artículo proporcionado por el cliente"" no puede tener una tasa de valoración"
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Saldo de Extracto Bancario según Balance General
-DocType: Job Applicant,Applicant Name,Nombre del Solicitante
+DocType: Appointment Letter,Applicant Name,Nombre del Solicitante
 DocType: Authorization Rule,Customer / Item Name,Cliente / Nombre de Artículo
 DocType: Product Bundle,"Aggregate group of **Items** into another **Item**. This is useful if you are bundling a certain **Items** into a package and you maintain stock of the packed **Items** and not the aggregate **Item**. 
 
@@ -6934,11 +7032,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribución
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,El estado del empleado no se puede establecer en &#39;Izquierda&#39; ya que los siguientes empleados están informando actualmente a este empleado:
-DocType: Journal Entry Account,Loan,Préstamo
+DocType: Loan Repayment,Amount Paid,Total Pagado
+DocType: Loan Security Shortfall,Loan,Préstamo
 DocType: Expense Claim Advance,Expense Claim Advance,Anticipo de Adelanto de Gastos
 DocType: Lab Test,Report Preference,Preferencia de Informe
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Información del Voluntario.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Gerente de proyectos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Agrupar por cliente
 ,Quoted Item Comparison,Comparación de artículos de Cotización
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Despacho
@@ -6958,6 +7058,7 @@
 DocType: Material Request Plan Item,Material Issue,Expedición de Material
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Artículo gratuito no establecido en la regla de precios {0}
 DocType: Employee Education,Qualification,Calificación
+DocType: Loan Security Shortfall,Loan Security Shortfall,Déficit de seguridad del préstamo
 DocType: Item Price,Item Price,Precio de Productos
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Jabón y detergente
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},El empleado {0} no pertenece a la empresa {1}
@@ -6980,6 +7081,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Detalles de la cita
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Producto terminado
 DocType: Warehouse,Warehouse Name,Nombre del Almacén
+DocType: Loan Security Pledge,Pledge Time,Tiempo de compromiso
 DocType: Naming Series,Select Transaction,Seleccione el tipo de transacción
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Por favor, introduzca 'Función para aprobar' o 'Usuario de aprobación'---"
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,El acuerdo de nivel de servicio con el tipo de entidad {0} y la entidad {1} ya existe.
@@ -6987,7 +7089,6 @@
 DocType: BOM,Rate Of Materials Based On,Valor de materiales basado en
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si está habilitado, el término académico del campo será obligatorio en la herramienta de inscripción al programa."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valores de suministros internos exentos, nulos y no GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de clientes&gt; Territorio
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>La empresa</b> es un filtro obligatorio.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Desmarcar todos
 DocType: Purchase Taxes and Charges,On Item Quantity,En Cantidad de Item
@@ -7032,7 +7133,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Cantidad faltante
 DocType: Purchase Invoice,Input Service Distributor,Distribuidor de servicio de entrada
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Existe la variante de artículo {0} con mismos atributos
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configure el Sistema de nombres de instructores en Educación&gt; Configuración de educación
 DocType: Loan,Repay from Salary,Reembolso del Salario
 DocType: Exotel Settings,API Token,Token API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Solicitando el pago contra {0} {1} para la cantidad {2}
@@ -7052,6 +7152,7 @@
 DocType: Salary Slip,Total Interest Amount,Monto Total de Interés
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Desatar
 DocType: Accounts Settings,Stale Days,Días Pasados
 DocType: Travel Itinerary,Arrival Datetime,Fecha y hora de llegada
 DocType: Tax Rule,Billing Zipcode,Código Postal de Facturación
@@ -7238,6 +7339,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Horas
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Se ha creado una nueva cita para usted con {0}
 DocType: Project,Expected Start Date,Fecha prevista de inicio
+DocType: Work Order,This is a location where raw materials are available.,Esta es una ubicación donde hay materias primas disponibles.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Corrección en la Factura
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Órden de Trabajo ya creada para todos los artículos con lista de materiales
 DocType: Bank Account,Party Details,Party Details
@@ -7256,6 +7358,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Presupuestos:
 DocType: Contract,Partially Fulfilled,Parcialmente Cumplido
 DocType: Maintenance Visit,Fully Completed,Terminado completamente
+DocType: Loan Security,Loan Security Name,Nombre de seguridad del préstamo
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caracteres especiales excepto &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Y &quot;}&quot; no están permitidos en las series de nombres"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Está nulo o exento
 DocType: Employee,Educational Qualification,Formación académica
@@ -7312,6 +7415,7 @@
 DocType: Program,Is Featured,Es destacado
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Atractivo...
 DocType: Agriculture Analysis Criteria,Agriculture User,Usuario de Agricultura
+DocType: Loan Security Shortfall,America/New_York,América / Nueva_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,La fecha de vencimiento no puede ser anterior a la fecha de la transacción
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7389,8 +7493,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},El Empleado {0} está en de Licencia el {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,No se seleccionaron Reembolsos para Asiento Contable
 DocType: Purchase Invoice,GST Category,Categoría GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Las promesas propuestas son obligatorias para los préstamos garantizados
 DocType: Payment Reconciliation,From Invoice Date,Desde Fecha de la Factura
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Presupuestos
 DocType: Invoice Discounting,Disbursed,Desembolsado
@@ -7448,14 +7552,13 @@
 DocType: Restaurant,Active Menu,Menú Activo
 DocType: Accounting Dimension Detail,Default Dimension,Dimensión predeterminada
 DocType: Target Detail,Target Qty,Cantidad estimada
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Contra el Préstamo: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Ajustes del Pedido
 DocType: Student Attendance,Present,Presente
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,La nota de entrega {0} no debe estar validada
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","El recibo de salario enviado por correo electrónico al empleado estará protegido por contraseña, la contraseña se generará en función de la política de contraseña."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Cuentakilómetros
 DocType: Production Plan Item,Ordered Qty,Cantidad ordenada
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Artículo {0} está deshabilitado
 DocType: Stock Settings,Stock Frozen Upto,Inventario congelado hasta
@@ -7512,7 +7615,6 @@
 DocType: Serial No,Delivery Document Type,Tipo de documento de entrega
 DocType: Sales Order,Partly Delivered,Parcialmente entregado
 DocType: Item Variant Settings,Do not update variants on save,No actualice las variantes al guardar
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupo Custmer
 DocType: Email Digest,Receivables,Cuentas por cobrar
 DocType: Lead Source,Lead Source,Fuente de de la Iniciativa
 DocType: Customer,Additional information regarding the customer.,Información adicional referente al cliente.
@@ -7609,6 +7711,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Actual
 DocType: Appointment,Skype ID,Identificación del skype
 DocType: Restaurant Menu,Restaurant Manager,Gerente del Restaurante
+DocType: Loan,Penalty Income Account,Cuenta de ingresos por penalizaciones
 DocType: Call Log,Call Log,Registro de llamadas
 DocType: Authorization Rule,Customerwise Discount,Descuento de Cliente
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Tabla de Tiempo para las tareas.
@@ -7696,6 +7799,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Esquema de descuento de producto
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,La persona que llama no ha planteado ningún problema.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Agrupar por proveedor
 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,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
@@ -7706,7 +7810,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consuloría
 DocType: Subscription Plan,Based on price list,Basado en la lista de precios
 DocType: Customer Group,Parent Customer Group,Categoría principal de cliente
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON solo se puede generar a partir de la factura de ventas
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,¡Intentos máximos para este cuestionario alcanzado!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Suscripción
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Creación de Cuotas Pendientes
@@ -7724,6 +7827,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Mantenimiento Preventivo
 DocType: Delivery Note Item,Against Sales Invoice,Contra la factura de venta
 DocType: Purchase Invoice,07-Others,07-Otros
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Cantidad de cotización
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Introduzca los números de serie para el artículo serializado
 DocType: Bin,Reserved Qty for Production,Cantidad reservada para la Producción
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deje sin marcar si no desea considerar el lote mientras hace grupos basados en curso.
@@ -7831,6 +7935,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Nota de Recibo de Pago
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Crear solicitud de material
+DocType: Loan Interest Accrual,Pending Principal Amount,Monto principal pendiente
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Las fechas de inicio y finalización no están en un período de nómina válido, no se puede calcular {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7874,6 +7979,7 @@
 											to 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: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Presupuesto de Proveedor {0} creado
+DocType: Loan Security Unpledge,Unpledge Type,Tipo de desacoplamiento
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Año de finalización no puede ser anterior al ano de inicio
 DocType: Employee Benefit Application,Employee Benefits,Beneficios de empleados
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID de empleado
@@ -7956,6 +8062,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Código del curso:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Por favor, ingrese la Cuenta de Gastos"
 DocType: Quality Action Resolution,Problem,Problema
+DocType: Loan Security Type,Loan To Value Ratio,Préstamo a valor
 DocType: Account,Stock,Almacén
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7973,6 +8080,7 @@
 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
 DocType: Lab Test,Prescription,Prescripción
+DocType: Process Loan Security Shortfall,Update Time,Tiempo de actualizacion
 DocType: Import Supplier Invoice,Upload XML Invoices,Subir facturas XML
 DocType: Company,Default Deferred Revenue Account,Cuenta de Ingresos Diferidos Predeterminada
 DocType: Project,Second Email,Segundo Correo Electrónico
@@ -7986,7 +8094,7 @@
 DocType: Quality Action,Preventive,Preventivo
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Suministros hechos a personas no registradas
 DocType: Company,Date of Incorporation,Fecha de Incorporación
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Impuesto Total
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Impuesto Total
 DocType: Manufacturing Settings,Default Scrap Warehouse,Almacén de chatarra predeterminado
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Último Precio de Compra
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Por cantidad (cantidad fabricada) es obligatoria
@@ -8005,6 +8113,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Establecer el modo de pago predeterminado
 DocType: Stock Entry Detail,Against Stock Entry,Contra entrada de stock
 DocType: Grant Application,Withdrawn,Retirado
+DocType: Loan Repayment,Regular Payment,Pago regular
 DocType: Support Search Source,Support Search Source,Soporte Search Source
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Cobrable
 DocType: Project,Gross Margin %,Margen bruto %
@@ -8017,8 +8126,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Sin Pago de Impuestos
 DocType: BOM Operation,BOM Operation,Operación de la lista de materiales (LdM)
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Sobre la línea anterior
+DocType: Student,Home Address,Direccion de casa
 DocType: Options,Is Correct,Es correcto
 DocType: Item,Has Expiry Date,Tiene Fecha de Caducidad
+DocType: Loan Repayment,Paid Accrual Entries,Entradas devengadas pagadas
+DocType: Loan Security,Loan Security Type,Tipo de seguridad de préstamo
 apps/erpnext/erpnext/config/support.py,Issue Type.,Tipo de problema.
 DocType: POS Profile,POS Profile,Perfil de POS
 DocType: Training Event,Event Name,Nombre del Evento
@@ -8030,6 +8142,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Configuración general para establecer presupuestos, objetivos, etc."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Sin valores
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nombre de la Variable
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Seleccione la cuenta bancaria para conciliar.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","El producto {0} es una plantilla, por favor seleccione una de sus variantes"
 DocType: Purchase Invoice Item,Deferred Expense,Gasto Diferido
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Regresar a Mensajes
@@ -8081,7 +8194,6 @@
 DocType: GL Entry,To Rename,Renombrar
 DocType: Stock Entry,Repack,Re-empacar
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seleccione para agregar número de serie.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configure el Sistema de nombres de instructores en Educación&gt; Configuración de educación
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Configure el Código fiscal para el cliente &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Seleccione primero la Empresa
 DocType: Item Attribute,Numeric Values,Valores Numéricos
@@ -8105,6 +8217,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Fetch basado en FIFO
 DocType: Soil Texture,Clay Loam,Arcilla Magra
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Usuario root no se puede editar.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Valor de seguridad del préstamo
 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
@@ -8151,6 +8264,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Por favor, seleccione primero la categoría"
 apps/erpnext/erpnext/config/projects.py,Project master.,Listado de todos los proyectos.
 DocType: Contract,Contract Terms,Terminos y Condiciones
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Límite de cantidad sancionada
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Continuar configuración
 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,Maximum benefit amount of component {0} exceeds {1},La cantidad máxima de beneficios del componente {0} excede de {1}
@@ -8183,6 +8297,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Ver registro de llamadas
 DocType: BOM Operation,Operating Cost(Company Currency),Costo de funcionamiento (Divisa de la Compañia)
 DocType: Loan Application,Rate of Interest,Tasa de interés
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Compromiso de seguridad del préstamo ya comprometido contra el préstamo {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Monto sancionado
 DocType: Item,Shelf Life In Days,Vida útil en Días
 DocType: GL Entry,Is Opening,De apertura
@@ -8196,3 +8311,4 @@
 DocType: Account,Cash,Efectivo
 DocType: Sales Invoice,Unpaid and Discounted,Sin pagar y con descuento
 DocType: Employee,Short biography for website and other publications.,Breve biografía para la página web y otras publicaciones.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Fila # {0}: No se puede seleccionar el Almacén del proveedor mientras se suministran materias primas al subcontratista
diff --git a/erpnext/translations/es_pe.csv b/erpnext/translations/es_pe.csv
index c4e52fa..f93026b 100644
--- a/erpnext/translations/es_pe.csv
+++ b/erpnext/translations/es_pe.csv
@@ -544,7 +544,7 @@
 DocType: Attendance,Leave Type,Tipo de Vacaciones
 DocType: Account,Round Off,Redondear
 DocType: BOM Item,Scrap %,Chatarra %
-,Requested,Requerido
+DocType: Loan Security Pledge,Requested,Requerido
 DocType: Account,Stock Received But Not Billed,Inventario Recibido pero no facturados
 DocType: Monthly Distribution,Distribution Name,Nombre del Distribución
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,Nº de Solicitud de Material
diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv
index 16c6127..f303ca4 100644
--- a/erpnext/translations/et.csv
+++ b/erpnext/translations/et.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Võimaluse kaotamise põhjus
 DocType: Patient Appointment,Check availability,Kontrollige saadavust
 DocType: Retention Bonus,Bonus Payment Date,Boonustasu maksmise kuupäev
-DocType: Employee,Job Applicant,Tööotsija
+DocType: Appointment Letter,Job Applicant,Tööotsija
 DocType: Job Card,Total Time in Mins,Koguaeg minides
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -183,6 +183,7 @@
 DocType: Delivery Stop,Contact Information,Kontaktinfo
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Otsige midagi ...
 ,Stock and Account Value Comparison,Varude ja kontode väärtuste võrdlus
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Väljamakstud summa ei saa olla suurem kui laenusumma
 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
@@ -288,6 +289,7 @@
 DocType: Lead,Interested,Huvitatud
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Avaus
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programm:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Kehtiv alates ajast peab olema väiksem kui kehtiv kellaaeg.
 DocType: Item,Copy From Item Group,Kopeeri Punkt Group
 DocType: Journal Entry,Opening Entry,Avamine Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Konto maksta ainult
@@ -335,6 +337,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,hinne
 DocType: Restaurant Table,No of Seats,Istekohtade arv
+DocType: Loan Type,Grace Period in Days,Armuperiood päevades
 DocType: Sales Invoice,Overdue and Discounted,Tähtaja ületanud ja soodushinnaga
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Vara {0} ei kuulu haldajale {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Kõne katkestati
@@ -386,7 +389,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Ettenähtud protseduurid
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Kuva ainult POS
 DocType: Supplier Group,Supplier Group Name,Tarnija grupi nimi
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Märgi kohalolijaks kui <b></b>
 DocType: Driver,Driving License Categories,Juhtimiskategooriad
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Palun sisesta saatekuupäev
 DocType: Depreciation Schedule,Make Depreciation Entry,Tee kulum Entry
@@ -403,10 +405,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Andmed teostatud.
 DocType: Asset Maintenance Log,Maintenance Status,Hooldus staatus
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Väärtuses sisalduv maksusumma
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Laenu tagatise tagamata jätmine
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Liikmelisuse andmed
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Tarnija on kohustatud vastu tasulised konto {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Artiklid ja hinnad
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Kursuse maht: {0}
+DocType: Loan,Loan Manager,Laenuhaldur
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Siit kuupäev peaks jääma eelarveaastal. Eeldades From Date = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervall
@@ -465,6 +469,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Uuendatud kaudu &quot;Aeg Logi &#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Valige klient või tarnija.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Faili riigikood ei ühti süsteemis seadistatud riigikoodiga
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Konto {0} ei kuulu Company {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Valige vaikimisi ainult üks prioriteet.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -542,7 +547,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Jäta blokeeritud
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank Sissekanded
-DocType: Customer,Is Internal Customer,Kas siseklient
+DocType: Sales Invoice,Is Internal Customer,Kas siseklient
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -566,6 +571,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materjal taotlus
 DocType: Bank Reconciliation,Update Clearance Date,Värskenda Kliirens kuupäev
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Laenu ei saa luua enne, kui taotlus on heaks kiidetud"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -573,6 +579,7 @@
 DocType: Quiz Result,Correct,Õige
 DocType: Student Guardian,Mother,ema
 DocType: Restaurant Reservation,Reservation End Time,Reserveerimise lõpuaeg
+DocType: Salary Slip Loan,Loan Repayment Entry,Laenu tagasimakse kanne
 DocType: Crop,Biennial,Biennaal
 ,BOM Variance Report,BOM Variance Report
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Kinnitatud klientidelt tellimusi.
@@ -594,6 +601,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Makse vastu {0} {1} ei saa olla suurem kui tasumata summa {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Kõik tervishoiuteenuse osakonnad
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Võimaluse teisendamise kohta
+DocType: Loan,Total Principal Paid,Tasutud põhisumma kokku
 DocType: Bank Account,Address HTML,Aadress HTML
 DocType: Lead,Mobile No.,Mobiili number.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Makseviis
@@ -612,12 +620,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Saldo baasvaluutas
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Hinne
 DocType: Email Digest,New Quotations,uus tsitaadid
+DocType: Loan Interest Accrual,Loan Interest Accrual,Laenuintresside tekkepõhine
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Külalisi ei esitata {0} kui {1} puhkusel.
 DocType: Journal Entry,Payment Order,Maksekorraldus
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Kinnitage e-post
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Tulud muudest allikatest
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Kui see on tühi, võetakse arvesse vanema laokontot või ettevõtte vaikeväärtust"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Kirjad palgatõend, et töötaja põhineb eelistatud e valitud Employee"
+DocType: Work Order,This is a location where operations are executed.,"See on koht, kus toiminguid teostatakse."
 DocType: Tax Rule,Shipping County,kohaletoimetamine County
 DocType: Currency Exchange,For Selling,Müügi jaoks
 apps/erpnext/erpnext/config/desktop.py,Learn,Õpi
@@ -626,6 +636,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Rakendatud kupongi kood
 DocType: Asset,Next Depreciation Date,Järgmine kulum kuupäev
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktiivsus töötaja kohta
+DocType: Loan Security,Haircut %,Juukselõikus%
 DocType: Accounts Settings,Settings for Accounts,Seaded konto
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Tarnija Arve nr olemas ostuarve {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Manage Sales Person Tree.
@@ -664,6 +675,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Palun määrake hotelli hinnatase ()
 DocType: Journal Entry,Multi Currency,Multi Valuuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Arve Type
+DocType: Loan,Loan Security Details,Laenu tagatise üksikasjad
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Kehtiv alates kuupäevast peab olema väiksem kehtivast kuupäevast
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Erand tehti {0} sobitamisel
 DocType: Purchase Invoice,Set Accepted Warehouse,Määrake aktsepteeritud ladu
@@ -769,7 +781,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Nõuda laborikatse heakskiitmist
 DocType: Attendance,Working Hours,Töötunnid
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Kokku tasumata
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM teisendustegurit ({0} -&gt; {1}) üksusele {2} ei leitud
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Muuda algus / praegune järjenumber olemasoleva seeria.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Protsent, millal teil on lubatud tellitud summa eest rohkem arveid arvestada. Näiteks: kui toote tellimuse väärtus on 100 dollarit ja lubatud hälbeks on seatud 10%, siis on teil lubatud arveldada 110 dollarit."
 DocType: Dosage Strength,Strength,Tugevus
@@ -787,6 +798,7 @@
 DocType: Purchase Receipt,Vehicle Date,Sõidukite kuupäev
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampaania e-posti ajakava
 DocType: Student Log,Medical,Medical
+DocType: Work Order,This is a location where scraped materials are stored.,"See on koht, kus ladustatakse kraapitud materjale."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Palun valige ravim
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Kaabli omanik ei saa olla sama Lead
 DocType: Announcement,Receiver,vastuvõtja
@@ -881,7 +893,7 @@
 DocType: Driver,Applicable for external driver,Kohaldatakse väline draiver
 DocType: Sales Order Item,Used for Production Plan,Kasutatakse tootmise kava
 DocType: BOM,Total Cost (Company Currency),Kogumaksumus (ettevõtte valuuta)
-DocType: Loan,Total Payment,Kokku tasumine
+DocType: Repayment Schedule,Total Payment,Kokku tasumine
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO on juba loodud kõikidele müügikorralduse elementidele
@@ -907,6 +919,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Hoiata ostutellimusi
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Üüritud alates kuupäevast
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Aitab Parts ehitada
+DocType: Loan Security,Loan Security Code,Laenu turvakood
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Salvestage esmalt
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Sellega seotud tooraine vedamiseks on vaja esemeid.
 DocType: POS Profile User,POS Profile User,POS profiili kasutaja
@@ -963,6 +976,7 @@
 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,Stock Entries already created for Work Order ,Tööpakkumiste jaoks juba loodud laoseisud
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kauba kood&gt; esemerühm&gt; kaubamärk
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Varasemate tellimuste vaatamine
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} vestlust
 DocType: Vital Signs,Respiratory rate,Hingamissagedus
@@ -995,7 +1009,6 @@
 DocType: Company,Delete Company Transactions,Kustuta tehingutes
 DocType: Production Plan Item,Quantity and Description,Kogus ja kirjeldus
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Viitenumber ja viited kuupäev on kohustuslik Bank tehingu
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Valige Seadistamise seeria väärtuseks {0}, mis asub seadistuse&gt; Seadistused&gt; Seeriate nimetamine"
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Klienditeenindus Lisa / uuenda maksud ja tasud
 DocType: Payment Entry Reference,Supplier Invoice No,Tarnija Arve nr
 DocType: Territory,For reference,Sest viide
@@ -1026,6 +1039,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Maksu kinnipidamise konto
 DocType: Pricing Rule,Sales Partner,Müük Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Kõik tarnija skoorikaardid.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Tellimuse summa
+DocType: Loan,Disbursed Amount,Väljamakstud summa
 DocType: Buying Settings,Purchase Receipt Required,Ostutšekk Vajalikud
 DocType: Sales Invoice,Rail,Raudtee
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tegelik maksumus
@@ -1065,6 +1080,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Ühendatud QuickBooksiga
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Tüübi {0} jaoks tuvastage / looge konto (pearaamat)
 DocType: Bank Statement Transaction Entry,Payable Account,Võlgnevus konto
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Konto on maksekirjete saamiseks kohustuslik
 DocType: Payment Entry,Type of Payment,Tüüp tasumine
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Pool päevapäev on kohustuslik
 DocType: Sales Order,Billing and Delivery Status,Arved ja Delivery Status
@@ -1103,7 +1119,7 @@
 DocType: Purchase Order Item,Billed Amt,Arve Amt
 DocType: Training Result Employee,Training Result Employee,Koolitus Tulemus Employee
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Loogiline Warehouse mille vastu laos tehakse kandeid.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,põhisumma
+DocType: Repayment Schedule,Principal Amount,põhisumma
 DocType: Loan Application,Total Payable Interest,Kokku intressikulusid
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Kokku tasumata: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Avage kontakt
@@ -1117,6 +1133,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Värskendamise käigus tekkis viga
 DocType: Restaurant Reservation,Restaurant Reservation,Restorani broneering
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Teie esemed
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Tarnija&gt; Tarnija tüüp
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Ettepanek kirjutamine
 DocType: Payment Entry Deduction,Payment Entry Deduction,Makse Entry mahaarvamine
 DocType: Service Level Priority,Service Level Priority,Teenuse taseme prioriteet
@@ -1149,6 +1166,7 @@
 DocType: Batch,Batch Description,Partii kirjeldus
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Loomine õpperühm
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway konto ei ole loodud, siis looge see käsitsi."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Grupiladusid ei saa tehingutes kasutada. Muutke väärtust {0}
 DocType: Supplier Scorecard,Per Year,Aastas
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Selles programmis osalemise lubamine vastavalt DOB-ile puudub
 DocType: Sales Invoice,Sales Taxes and Charges,Müük maksud ja tasud
@@ -1270,7 +1288,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",Lapseettevõtte {0} konto loomisel emakontot {1} ei leitud. Looge vanemkonto vastavas autentsussertis
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Jagatud probleem
 DocType: Student Attendance,Student Attendance,Student osavõtt
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Pole andmeid eksportimiseks
 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
@@ -1283,6 +1300,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tegelik tarnekuupäev
 DocType: Lab Test,Test Template,Testi mall
+DocType: Loan Security Pledge,Securities,Väärtpaberid
 DocType: Restaurant Order Entry Item,Served,Serveeritud
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Peatükk teave.
 DocType: Account,Accounts,Kontod
@@ -1376,6 +1394,7 @@
 DocType: Inpatient Record,O Negative,O Negatiivne
 DocType: Work Order Operation,Planned End Time,Planeeritud End Time
 DocType: POS Profile,Only show Items from these Item Groups,Kuva ainult nende üksuserühmade üksused
+DocType: Loan,Is Secured Loan,On tagatud laen
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,Konto olemasolevate tehing ei ole ümber arvestusraamatust
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Membrersi tüübi üksikasjad
 DocType: Delivery Note,Customer's Purchase Order No,Kliendi ostutellimuse pole
@@ -1412,6 +1431,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Hankige patsiendikogusest
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM teisendustegurit ({0} -&gt; {1}) üksusele {2} ei leitud
 DocType: Subscriber,Subscriber,Abonent
 DocType: Item Attribute Value,Item Attribute Value,Punkt omadus Value
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valuutavahetus tuleb kohaldada ostmise või müügi suhtes.
@@ -1491,6 +1511,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Ei Luba
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lepingu täitmise kontrollnimekiri
 DocType: Vital Signs,Heart Rate / Pulse,Südame löögisageduse / impulsi
+DocType: Customer,Default Company Bank Account,Ettevõtte vaikekonto
 DocType: Supplier,Default Bank Account,Vaikimisi Bank Account
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Filtreerida põhineb Party, Party Tüüp esimene"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"Värskenda Stock &quot;ei saa kontrollida, sest punkte ei andnud kaudu {0}"
@@ -1608,7 +1629,6 @@
 DocType: Sales Team,Incentives,Soodustused
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Väärtused pole sünkroonis
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Erinevuse väärtus
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Palun seadistage kohaloleku jaoks numeratsiooniseeria seadistamise&gt; Numeratsiooniseeria kaudu
 DocType: SMS Log,Requested Numbers,Taotletud numbrid
 DocType: Volunteer,Evening,Õhtul
 DocType: Quiz,Quiz Configuration,Viktoriini seadistamine
@@ -1628,6 +1648,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,On eelmise rea kokku
 DocType: Purchase Invoice Item,Rejected Qty,Tõrjutud Kogus
 DocType: Setup Progress Action,Action Field,Tegevusväli
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Laenu tüüp intresside ja viivise määrade jaoks
 DocType: Healthcare Settings,Manage Customer,Kliendi haldamine
 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
@@ -1639,6 +1660,7 @@
 ,Final Assessment Grades,Lõplik hindamisastmed
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Nimi oma firma jaoks, millele te Selle süsteemi rajamisel."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Kaasa pühad Kokku ole. tööpäevade
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Kogu summast
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Seadista oma instituut ERPNextis
 DocType: Agriculture Analysis Criteria,Plant Analysis,Taimeanalüüs
 DocType: Task,Timeline,Ajaskaala
@@ -1646,9 +1668,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatiivne üksus
 DocType: Shopify Log,Request Data,Taotlege andmeid
 DocType: Employee,Date of Joining,Liitumis
+DocType: Delivery Note,Inter Company Reference,Ettevõttevaheline viide
 DocType: Naming Series,Update Series,Värskenda Series
 DocType: Supplier Quotation,Is Subcontracted,Alltöödena
 DocType: Restaurant Table,Minimum Seating,Minimaalne istekoht
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Küsimus ei tohi olla dubleeritud
 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,Purchase Receipt,Ostutšekk
@@ -1750,6 +1774,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline arved
 DocType: Payment Request,Paid,Makstud
 DocType: Service Level,Default Priority,Vaikimisi prioriteet
+DocType: Pledge,Pledge,Pant
 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."
@@ -1763,6 +1788,7 @@
 DocType: Guardian,Guardian Name,Guardian Nimi
 DocType: Cheque Print Template,Has Print Format,Kas Print Format
 DocType: Support Settings,Get Started Sections,Alusta sektsioonidega
+,Loan Repayment and Closure,Laenu tagasimaksmine ja sulgemine
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sanktsioneeritud
 ,Base Amount,Põhisumma
@@ -1773,10 +1799,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Kohalt
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Laenusumma ei tohi olla suurem kui {0}
 DocType: Student Admission,Publish on website,Avaldab kodulehel
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Tarnija Arve kuupäev ei saa olla suurem kui Postitamise kuupäev
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-. YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kauba kood&gt; esemerühm&gt; kaubamärk
 DocType: Subscription,Cancelation Date,Tühistamise kuupäev
 DocType: Purchase Invoice Item,Purchase Order Item,Ostu Telli toode
 DocType: Agriculture Task,Agriculture Task,Põllumajandusülesanne
@@ -1795,7 +1821,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Täiendav allahindlusprotsendi
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Vaata nimekirja kõigi abiga videod
 DocType: Agriculture Analysis Criteria,Soil Texture,Mulla tekstuur
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Select konto juht pank, kus check anti hoiule."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Luba kasutajal muuta hinnakirja hind tehingutes
 DocType: Pricing Rule,Max Qty,Max Kogus
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Prindi aruande kaart
@@ -1927,7 +1952,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Pärast seadistamist jääb see arve ootele kuni määratud kuupäevani
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Müügi summa
-DocType: Repayment Schedule,Interest Amount,Intressisummat
+DocType: Loan Interest Accrual,Interest Amount,Intressisummat
 DocType: Job Card,Time Logs,Aeg kajakad
 DocType: Sales Invoice,Loyalty Amount,Lojaalsuse summa
 DocType: Employee Transfer,Employee Transfer Detail,Töötaja ülekande detail
@@ -1942,6 +1967,7 @@
 DocType: Cashier Closing,Returns,tulu
 DocType: Job Card,WIP Warehouse,WIP Warehouse
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serial No {0} on alla hooldusleping upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},{0} {1} ületatud karistuslimiit
 apps/erpnext/erpnext/config/hr.py,Recruitment,värbamine
 DocType: Lead,Organization Name,Organisatsiooni nimi
 DocType: Support Settings,Show Latest Forum Posts,Näita viimaseid foorumi postitusi
@@ -1968,7 +1994,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Ostutellimused on tähtaja ületanud
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Postiindeks
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Sales Order {0} on {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Vali laenude intressitulu konto {0}
 DocType: Opportunity,Contact Info,Kontaktinfo
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Making Stock kanded
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Ei saa edendada Töötajat staatusega Vasak
@@ -2052,7 +2077,6 @@
 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,Start Year,Start Aasta
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Loo laen
 DocType: Purchase Invoice,Start date of current invoice's period,Arve makseperioodi alguskuupäev
 DocType: Shift Type,Process Attendance After,Protsesside osalemine pärast
 ,IRS 1099,IRS 1099
@@ -2073,6 +2097,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Valige oma domeenid
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Tarnija
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Maksearve kirjed
+DocType: Repayment Schedule,Is Accrued,On kogunenud
 DocType: Payroll Entry,Employee Details,Töötaja üksikasjad
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML-failide töötlemine
 DocType: Amazon MWS Settings,CN,CN
@@ -2104,6 +2129,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Lojaalsuspunkti sissekanne
 DocType: Employee Checkin,Shift End,Vahetuse lõpp
 DocType: Stock Settings,Default Item Group,Vaikimisi Punkt Group
+DocType: Loan,Partially Disbursed,osaliselt Väljastatud
 DocType: Job Card Time Log,Time In Mins,Aeg Minsis
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Toetusteave
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"See toiming ühendab selle konto lahti mis tahes välisteenusest, mis integreerib ERPNext teie pangakontodega. Seda ei saa tagasi võtta. Kas olete kindel?"
@@ -2119,6 +2145,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Sama objekt ei saa sisestada mitu korda.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Laenu sulgemine
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,Võlad
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2151,6 +2178,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSONi saab genereerida ainult esitatud dokumendist
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Töötaja maks ja hüvitised
 DocType: Bank Guarantee,Validity in Days,Kehtivus Days
+DocType: Unpledge,Haircut,Juukselõikus
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-vormi ei kehti Arve: {0}
 DocType: Certified Consultant,Name of Consultant,Konsultandi nimi
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled Makse andmed
@@ -2203,7 +2231,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Ülejäänud maailm
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Artiklite {0} ei ole partii
 DocType: Crop,Yield UOM,Saagikus UOM
+DocType: Loan Security Pledge,Partially Pledged,Osaliselt panditud
 ,Budget Variance Report,Eelarve Dispersioon aruanne
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Sankteeritud laenusumma
 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,Get Items from Healthcare Services,Hankige tooteid tervishoiuteenustest
@@ -2238,6 +2268,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Uus kvaliteediprotseduur
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balance Konto {0} peab alati olema {1}
 DocType: Patient Appointment,More Info,Rohkem infot
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Sünnikuupäev ei saa olla suurem kui liitumiskuupäev.
 DocType: Supplier Scorecard,Scorecard Actions,Tulemuskaardi toimingud
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Tarnija {0} ei leitud {1}
 DocType: Purchase Invoice,Rejected Warehouse,Tagasilükatud Warehouse
@@ -2334,6 +2365,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Palun määra kõigepealt tootekood
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Loodud laenutagatise pant: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Kohtumised ja patsiendikontaktid
@@ -2389,6 +2421,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Samaaegsete kohtumiste arv
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Alustamine
 DocType: Purchase Invoice,Taxes and Charges Calculation,Maksude ja tasude arvutamine
+DocType: Loan Interest Accrual,Payable Principal Amount,Makstav põhisumma
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Broneeri Asset amortisatsioon Entry automaatselt
 DocType: BOM Operation,Workstation,Workstation
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Hinnapäring Tarnija
@@ -2425,7 +2458,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Toit
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Vananemine Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-i sulgemise kupongi üksikasjad
-DocType: Bank Account,Is the Default Account,On vaikekonto
 DocType: Shopify Log,Shopify Log,Shopify Logi
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Suhtlust ei leitud.
 DocType: Inpatient Occupancy,Check In,Sisselogimine
@@ -2483,12 +2515,14 @@
 DocType: Sales Order Item,Planned Quantity,Planeeritud Kogus
 DocType: Water Analysis,Water Analysis Criteria,Vee analüüsi kriteeriumid
 DocType: Item,Maintain Stock,Säilitada Stock
+DocType: Loan Security Unpledge,Unpledge Time,Pühitsemise aeg
 DocType: Terms and Conditions,Applicable Modules,Kohaldatavad moodulid
 DocType: Employee,Prefered Email,eelistatud Post
 DocType: Student Admission,Eligibility and Details,Abikõlblikkus ja üksikasjad
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Kuulub brutokasumisse
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Net Change põhivarade
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,"See on koht, kus lõpptooteid hoitakse."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Siit Date
@@ -2529,6 +2563,7 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garantii / AMC staatus
 ,Accounts Browser,Kontod Browser
 DocType: Procedure Prescription,Referral,Viide
+,Territory-wise Sales,Territooriumitarkne müük
 DocType: Payment Entry Reference,Payment Entry Reference,Makse Entry Reference
 DocType: GL Entry,GL Entry,GL Entry
 DocType: Support Search Source,Response Options,Vastamisvalikud
@@ -2590,6 +2625,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Põllumajandus (beetaversioon)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Pakkesedel
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Valige Seadistamise seeria väärtuseks {0}, mis asub seadistuse&gt; Seadistused&gt; Seeria nimetamine"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Office rent
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Setup SMS gateway seaded
 DocType: Disease,Common Name,Üldnimetus
@@ -2606,6 +2642,7 @@
 DocType: Item,Sales Details,Müük Üksikasjad
 DocType: Coupon Code,Used,Kasutatud
 DocType: Opportunity,With Items,Objekte
+DocType: Vehicle Log,last Odometer Value ,viimase odomeetri väärtus
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampaania &#39;{0}&#39; on juba {1} &#39;{2}&#39; jaoks olemas
 DocType: Asset Maintenance,Maintenance Team,Hooldus meeskond
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Järjekord, milles jaotised peaksid ilmuma. 0 on esimene, 1 on teine ja nii edasi."
@@ -2616,7 +2653,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Kuluhüvitussüsteeme {0} on juba olemas Sõiduki Logi
 DocType: Asset Movement Item,Source Location,Allika asukoht
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Instituudi Nimi
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Palun sisesta tagasimaksmise summa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Palun sisesta tagasimaksmise summa
 DocType: Shift Type,Working Hours Threshold for Absent,Tööaja lävi puudumisel
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Tervete kulutuste põhjal võib olla mitu astmelist kogumistegurit. Kuid tagasivõtmise ümberarvestustegur on alati kõigil tasanditel sama.
 apps/erpnext/erpnext/config/help.py,Item Variants,Punkt variandid
@@ -2640,6 +2677,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} peab olema väiksem kui {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Valige esmalt taotleja tüüp
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Valige BOM, Qty ja For Warehouse"
 DocType: GST HSN Code,GST HSN Code,GST HSN kood
 DocType: Employee External Work History,Total Experience,Kokku Experience
@@ -2730,7 +2768,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Elemendile {0} ei leitud aktiivset BOM-i. Toimetaja \ Serial No ei saa tagada
 DocType: Sales Partner,Sales Partner Target,Müük Partner Target
-DocType: Loan Type,Maximum Loan Amount,Maksimaalne laenusumma
+DocType: Loan Application,Maximum Loan Amount,Maksimaalne laenusumma
 DocType: Coupon Code,Pricing Rule,Hinnakujundus reegel
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplicate valtsi arvu üliõpilaste {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Materjal Ostusoov Telli
@@ -2753,6 +2791,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Lehed Eraldatud edukalt {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,"Ole tooteid, mida pakkida"
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Praegu toetatakse ainult .csv- ja .xlsx-faile
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Palun seadistage töötajate nimetamise süsteem personaliressursist&gt; HR-sätted
 DocType: Shipping Rule Condition,From Value,Väärtuse
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Tootmine Kogus on kohustuslikuks
 DocType: Loan,Repayment Method,tagasimaksmine meetod
@@ -2836,6 +2875,7 @@
 DocType: Customer,Customer POS Id,Kliendi POS Id
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,"Õpilast, kelle e-post on {0}, pole olemas"
 DocType: Account,Account Name,Kasutaja nimi
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Ettevõtte {1} jaoks on {0} sanktsioneeritud laenusumma juba olemas
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Siit kuupäev ei saa olla suurem kui kuupäev
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial nr {0} kogust {1} ei saa olla vaid murdosa
 DocType: Pricing Rule,Apply Discount on Rate,Rakenda hinnasoodustust
@@ -2907,6 +2947,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Netokasum
 DocType: Purchase Invoice,Eligibility For ITC,ITC-le sobivus
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-YYYYY.-
+DocType: Loan Security Pledge,Unpledged,Tagatiseta
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Kliendi kreeditjääk
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Net Change kreditoorse võlgnevuse
@@ -2918,6 +2959,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Osavõtuseadme ID (biomeetrilise / RF-sildi ID)
 DocType: Quotation,Term Details,Term Details
 DocType: Item,Over Delivery/Receipt Allowance (%),Üleandmise / vastuvõtmise toetus (%)
+DocType: Appointment Letter,Appointment Letter Template,Ametisse nimetamise mall
 DocType: Employee Incentive,Employee Incentive,Employee Incentive
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Kokku (maksudeta)
@@ -2940,6 +2982,7 @@
 					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"
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Lingi eemaldada Makse tühistamine Arve
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Protsesslaenu intressi tekkepõhine
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Praegune Läbisõit sisestatud peaks olema suurem kui algne Sõiduki odomeetri {0}
 ,Purchase Order Items To Be Received or Billed,"Ostutellimuse üksused, mis tuleb vastu võtta või mille eest arveid esitatakse"
 DocType: Restaurant Reservation,No Show,Ei näita
@@ -3025,6 +3068,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Cost Center on vajalik kasumi ja kahjumi &quot;kontole {2}. Palun luua vaikimisi Cost Center for Company.
 DocType: Payment Schedule,Payment Term,Maksetähtaeg
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kliendi Group olemas sama nimega siis muuta kliendi nimi või ümber Kliendi Group
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Sissepääsu lõppkuupäev peaks olema suurem kui vastuvõtu alguskuupäev.
 DocType: Location,Area,Ala
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,New Contact
 DocType: Company,Company Description,Ettevõtte kirjeldus
@@ -3098,6 +3142,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Märgitud andmed
 DocType: Purchase Order Item,Warehouse and Reference,Lao- ja seletused
 DocType: Payroll Period Date,Payroll Period Date,Palgaarvestuse perioodi kuupäev
+DocType: Loan Disbursement,Against Loan,Laenu vastu
 DocType: Supplier,Statutory info and other general information about your Supplier,Kohustuslik info ja muud üldist infot oma Tarnija
 DocType: Item,Serial Nos and Batches,Serial Nos ning partiid
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Student Group Tugevus
@@ -3163,6 +3208,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Valige ettevõte
 DocType: Delivery Settings,Delivery Settings,Tarne seaded
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Andmete hankimine
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Ei saa tagasi võtta rohkem kui {0} kogus {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Puhkerežiimis lubatud maksimaalne puhkus {0} on {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Avaldage 1 üksus
 DocType: SMS Center,Create Receiver List,Loo vastuvõtja loetelu
@@ -3310,6 +3356,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Baasosa (firma Valuuta)
 DocType: Purchase Invoice,Registered Regular,Registreeritud regulaarne
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Toored materjalid
+DocType: Plaid Settings,sandbox,liivakast
 DocType: Payment Reconciliation Payment,Reference Row,viide Row
 DocType: Installation Note,Installation Time,Paigaldamine aeg
 DocType: Sales Invoice,Accounting Details,Raamatupidamine Üksikasjad
@@ -3322,12 +3369,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Tehingu tüüp
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Vastuvõetavuse kriteeriumid
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Palun sisesta Materjal taotlused ülaltoodud tabelis
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Kokku tasumisele
 DocType: Task,Expected Time (in hours),Oodatud aeg (tundides)
 DocType: Item Reorder,Check in (group),Check in (rühm)
 DocType: Soil Texture,Silt,Silt
@@ -3358,6 +3404,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Maksuvabastuse tõestatud maksu mahaarvamine
 DocType: Volunteer,Anytime,Anytime
 DocType: Bank Account,Bank Account No,Pangakonto nr
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Väljamaksed ja tagasimaksed
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Töötaja maksuvabastuse tõendamine
 DocType: Patient,Surgical History,Kirurgiajalugu
 DocType: Bank Statement Settings Item,Mapped Header,Maksepeaga
@@ -3421,6 +3468,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Loo Lab-testi (te) Müügiarve esitamine
 DocType: Serial No,Invoice Details,arve andmed
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Palgastruktuur tuleb esitada enne maksude maksustamise deklaratsiooni esitamist
+DocType: Loan Application,Proposed Pledges,Kavandatud lubadused
 DocType: Grant Application,Show on Website,Näita veebisaidil
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Alusta uuesti
 DocType: Hub Tracked Item,Hub Category,Rummu kategooria
@@ -3432,7 +3480,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tarnija tulemuskaardi alaline
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Materjaliandmik ei leitud Eseme {1}
 DocType: Contract Fulfilment Checklist,Requirement,Nõue
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Palun seadistage töötajate nimetamise süsteem personaliressursist&gt; HR-sätted
 DocType: Journal Entry,Accounts Receivable,Arved
 DocType: Quality Goal,Objectives,Eesmärgid
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Roll, millel on lubatud luua ajakohastatud puhkuserakendus"
@@ -3445,6 +3492,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Kaasa Lepitatud kanded
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Kogu eraldatud summa ({0}) on suurem kui makstud summa ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Jaota põhinevatest tasudest
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Makstud summa ei tohi olla väiksem kui {0}
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR Seaded
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Raamatupidamismeistrid
@@ -3590,6 +3638,7 @@
 DocType: Employee,Health Insurance,Tervisekindlustus
 DocType: Asset Repair,Manufacturing Manager,Tootmine Manager
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serial No {0} on garantii upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Laenusumma ületab maksimaalset laenusummat {0} pakutavate väärtpaberite kohta
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Lubatud miinimumväärtus
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Kasutaja {0} on juba olemas
 apps/erpnext/erpnext/hooks.py,Shipments,Saadetised
@@ -3633,7 +3682,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Äri tüüp
 DocType: Sales Invoice,Consumer,Tarbija
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Palun valige eraldatud summa, arve liik ja arve number atleast üks rida"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Valige Seadistamise seeria väärtuseks {0}, mis asub seadistuse&gt; Seadistused&gt; Seeriate nimetamine"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kulud New Ost
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order vaja Punkt {0}
 DocType: Grant Application,Grant Description,Toetuse kirjeldus
@@ -3642,6 +3690,7 @@
 DocType: Subscription,Discounts,Allahindlused
 DocType: Bank Transaction,Unallocated Amount,Jaotamata summa
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Palun lubage tellimusel rakendatavat ja tegelikke kulutusi puudutavatelt tellimustest kinni pidada
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} ei ole ettevõtte pangakonto
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Kas te ei leia sobivat Punkt. Palun valige mõni muu väärtus {0}.
 DocType: POS Profile,Taxes and Charges,Maksud ja tasud
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Toode või teenus, mida osta, müüa või hoida laos."
@@ -3690,6 +3739,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Kehtiv alates kuupäevast peab olema väiksem kui kehtiva kuni kuupäevani.
 DocType: Employee Skill,Evaluation Date,Hindamise kuupäev
 DocType: Quotation Item,Stock Balance,Stock Balance
+DocType: Loan Security Pledge,Total Security Value,Turvalisuse koguväärtus
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sales Order maksmine
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,tegevdirektor
 DocType: Purchase Invoice,With Payment of Tax,Maksu tasumisega
@@ -3702,6 +3752,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Kontot {0} kontot {0} ei eksisteeri
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Näita variandi atribuute
@@ -3783,6 +3834,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Praegune Hindamine Rate
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Juurkontode arv ei tohi olla väiksem kui 4
 DocType: Training Event,Advance,Ettemaks
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Laenu vastu:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless maksejuhtseadistused
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange kasum / kahjum
 DocType: Opportunity,Lost Reason,Kaotatud Reason
@@ -3866,8 +3918,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Valige Partii nr
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Vale {0} {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,{0} rida: õe või venna sünnikuupäev ei saa olla suurem kui täna.
 DocType: Fee Validity,Reference Inv,Viide inv
 DocType: Sales Invoice Advance,Advance Amount,Advance summa
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Trahviintress (%) päevas
 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
@@ -3883,7 +3937,9 @@
 DocType: Normal Test Items,Require Result Value,Nõuda tulemuse väärtust
 DocType: Purchase Invoice,Pricing Rules,Hinnakujundusreeglid
 DocType: Item,Show a slideshow at the top of the page,Näita slaidiseansi ülaosas lehele
+DocType: Appointment Letter,Body,Keha
 DocType: Tax Withholding Rate,Tax Withholding Rate,Maksu kinnipidamise määr
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Tagasimakse alguskuupäev on tähtajaliste laenude puhul kohustuslik
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Kauplused
@@ -3903,7 +3959,7 @@
 DocType: Call Log,Received By,Saadud
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Ametisse nimetamise kestus (minutites)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Rahavoogude kaardistamise malli üksikasjad
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Laenujuhtimine
+DocType: Loan,Loan Management,Laenujuhtimine
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Jälgi eraldi tulude ja kulude toote vertikaalsed või jagunemise.
 DocType: Rename Tool,Rename Tool,Nimeta Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Värskenda Cost
@@ -3911,6 +3967,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-vorm
 DocType: Sales Invoice,Mode of Transport,Transpordiliik
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Näita palgatõend
+DocType: Loan,Is Term Loan,Kas tähtajaline laen
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfer Materjal
 DocType: Fees,Send Payment Request,Saada makse taotlus
 DocType: Travel Request,Any other details,Kõik muud üksikasjad
@@ -3928,6 +3985,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Finantseerimistegevuse rahavoost
 DocType: Budget Account,Budget Account,Eelarve konto
 DocType: Quality Inspection,Verified By,Kontrollitud
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Lisage laenuturve
 DocType: Travel Request,Name of Organizer,Korraldaja nimi
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ei saa muuta ettevõtte default valuutat, sest seal on olemasolevate tehingud. Tehingud tuleb tühistada muuta default valuutat."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Kas tulumaksukohustus
@@ -3978,6 +4036,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Nõutav
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Kui see on märgitud, peidab ja keelab palgaklaaside välja ümardatud kogusumma"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,See on müügikorralduses tarnekuupäeva vaikimisi nihkumine (päevades). Varu korvamine toimub 7 päeva jooksul alates tellimuse esitamise kuupäevast.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Palun seadistage kohaloleku jaoks numeratsiooniseeria seadistamise&gt; Numeratsiooniseeria kaudu
 DocType: Rename Tool,File to Rename,Fail Nimeta ümber
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Palun valige Bom Punkt reas {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Liitumiste värskenduste hankimine
@@ -3990,6 +4049,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Loodud seerianumbrid
 DocType: POS Profile,Applicable for Users,Kasutajatele kehtivad
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Kuupäev ja kuupäev on kohustuslikud
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Kas seada projekt ja kõik ülesanded olekuks {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Määra ettemaksed ja eraldamine (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Tööpakkumised pole loodud
@@ -3999,6 +4059,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Kaupade autorid
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kulud ostetud esemed
 DocType: Employee Separation,Employee Separation Template,Töötaja eraldamise mall
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Laenu {0} pandiks on null kogus {0}
 DocType: Selling Settings,Sales Order Required,Sales Order Nõutav
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Hakka Müüja
 ,Procurement Tracker,Hangete jälgija
@@ -4095,11 +4156,12 @@
 ,Minutes to First Response for Opportunity,Protokoll First Response Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Kokku Puudub
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Makstav summa
+DocType: Loan Repayment,Payable Amount,Makstav summa
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Võimalus
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maksimaalne tugevus ei tohi olla väiksem kui null.
 DocType: Options,Option,Võimalus
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Suletud arvestusperioodil {0} raamatupidamiskirjeid luua ei saa.
 DocType: Operation,Default Workstation,Vaikimisi Workstation
@@ -4141,6 +4203,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Intressisumma on kohustuslik
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Järgmised sammud
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Salvestatud üksused
@@ -4191,8 +4254,6 @@
 DocType: Grant Application,Grant Application Details ,Toetage rakenduse üksikasju
 DocType: Employee Separation,Employee Separation,Töötaja eraldamine
 DocType: BOM Item,Original Item,Originaalüksus
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja <a href=""#Form/Employee/{0}"">{0}</a> \"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumendi kuupäev
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Loodud - {0}
 DocType: Asset Category Account,Asset Category Account,Põhivarakategoori konto
@@ -4228,6 +4289,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labi testielement {0} on juba olemas
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} on ettevõtte puhkus
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Arveldatavad tunnid
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Viivise intressimääraga arvestatakse tasumata viivise korral iga päev pooleliolevat intressisummat
+DocType: Appointment Letter content,Appointment Letter content,Ametisse nimetamise kirja sisu
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Jäta olekutest teavitamine
 DocType: Patient Appointment,Procedure Prescription,Protseduuriretseptsioon
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Mööbel ja lambid
@@ -4247,7 +4310,7 @@
 DocType: Opportunity,Customer / Lead Name,Klienditeenindus / Plii nimi
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Kliirens kuupäev ei ole nimetatud
 DocType: Payroll Period,Taxable Salary Slabs,Tasulised palgaplaadid
-DocType: Job Card,Production,Toodang
+DocType: Plaid Settings,Production,Toodang
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Kehtetu GSTIN! Sisestatud sisend ei vasta GSTIN-i vormingule.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Konto väärtus
 DocType: Guardian,Occupation,okupatsioon
@@ -4389,6 +4452,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojaalsusprogrammi kogumine
 DocType: Stock Entry Detail,Subcontracted Item,Alltöövõtuleping
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Õpilane {0} ei kuulu gruppi {1}
+DocType: Appointment Letter,Appointment Date,Ametisse nimetamise kuupäev
 DocType: Budget,Cost Center,Cost Center
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Kohaletoimetamine Riik
@@ -4459,6 +4523,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Raamatupidamise mõõde
 ,Profit and Loss Statement,Kasumiaruanne
 DocType: Bank Reconciliation Detail,Cheque Number,Tšekk arv
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Makstud summa ei saa olla null
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Element, millele {0} - {1} viidatud on juba arvele märgitud"
 ,Sales Browser,Müük Browser
 DocType: Journal Entry,Total Credit,Kokku Credit
@@ -4563,6 +4628,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Kupongitingimuste lisamine / muutmine
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kulu / Difference konto ({0}) peab olema &quot;kasum või kahjum&quot; kontole
 DocType: Stock Entry Detail,Stock Entry Child,Laosissetuleku laps
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Laenu tagatise pantimise ettevõte ja laenufirma peavad olema samad
 DocType: Project,Copied From,kopeeritud
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Arve on juba loodud kõikide arveldusajal
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nimi viga: {0}
@@ -4570,6 +4636,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Kas rahakulu
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Osalemine töötajate {0} on juba märgitud
 DocType: Packing Slip,If more than one package of the same type (for print),Kui rohkem kui üks pakett on sama tüüpi (trüki)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Seadistage juhendaja nimetamise süsteem jaotises Haridus&gt; Hariduse sätted
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Tehke vaikeseaded restoranis seaded
 ,Salary Register,palk Registreeri
 DocType: Company,Default warehouse for Sales Return,Vaikeladu müügi tagastamiseks
@@ -4614,7 +4681,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Praegune seerianumber
 DocType: Employee,Attendance and Leave Details,Osavõtt ja puhkuse üksikasjad
 ,BOM Comparison Tool,BOM-i võrdlusriist
-,Requested,Taotletud
+DocType: Loan Security Pledge,Requested,Taotletud
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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."
@@ -4626,7 +4693,6 @@
 DocType: Drug Prescription,Drug Prescription,Ravimite retseptiravim
 DocType: Service Level,Support and Resolution,Tugi ja lahendamine
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Vaba üksuse koodi ei valitud
-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
@@ -4660,6 +4726,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Raamatupidamine kirjet Stock
 DocType: Lab Test,LabTest Approver,LabTest heakskiitja
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Olete juba hinnanud hindamise kriteeriumid {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Puudujäägi summa
 DocType: Vehicle Service,Engine Oil,mootoriõli
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Loodud töökorraldused: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Palun määrake juhi {0} e-posti aadress
@@ -4678,6 +4745,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Armatuurlaua diagrammi jaoks pole kontot {0} seatud
 DocType: Purchase Invoice,Apply Additional Discount On,Rakendada täiendavaid soodustust
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Valige tüüp ...
+DocType: Loan Interest Accrual,Amounts,Summad
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Teie piletid
 DocType: Account,Root Type,Juur Type
 DocType: Item,FIFO,FIFO
@@ -4685,6 +4753,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Ei saa tagastada rohkem kui {1} jaoks Punkt {2}
 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: Loan Security Price,Loan Security Price,Laenu tagatise hind
 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,Target warehouse is mandatory for row {0},Target lattu on kohustuslik rida {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Jaemüük
@@ -4823,6 +4892,7 @@
 DocType: Coupon Code,Coupon Description,Kupongi kirjeldus
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Partii on kohustuslik rida {0}
 DocType: Company,Default Buying Terms,Ostmise vaiketingimused
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Laenu väljamaksmine
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Ostutšekk tooteühiku
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Lubatud Scheduled Synch
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Et Date
@@ -4851,6 +4921,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Sisestage väärtus vahemikus {0} ja {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Sisesta nimi kampaania kui allikas uurimine on kampaania
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Ajaleht Publishers
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},{0} jaoks ei leitud ühtegi kehtivat <b>laenu tagatise hinda</b>
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tulevased kuupäevad pole lubatud
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Oodatud tarnetähtaeg peaks olema pärast Müügikorralduse kuupäeva
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Reorder Level
@@ -4916,6 +4987,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Pakkumine / hinnakiri
 DocType: Antibiotic,Healthcare,Tervishoid
 DocType: Target Detail,Target Detail,Target Detail
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Laenuprotsessid
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Üks variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Kõik Jobs
 DocType: Sales Order,% of materials billed against this Sales Order,% Materjalidest arve vastu Sales Order
@@ -4978,7 +5050,7 @@
 DocType: Item,Reorder level based on Warehouse,Reorder tasandil põhineb Warehouse
 DocType: Activity Cost,Billing Rate,Arved Rate
 ,Qty to Deliver,Kogus pakkuda
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Väljamaksete kirje loomine
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Väljamaksete kirje loomine
 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,Operations cannot be left blank,Toiminguid ei saa tühjaks jätta
@@ -5012,6 +5084,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Vabastage väliste integratsioonide link
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Valige vastav makse
 DocType: Pricing Rule,Item Code,Tootekood
+DocType: Loan Disbursement,Pending Amount For Disbursal,Väljamaksmisele kuuluv summa
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-YYYYY.-
 DocType: Serial No,Warranty / AMC Details,Garantii / AMC Üksikasjad
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Valige õpilast käsitsi tegevuspõhise Group
@@ -5035,6 +5108,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Kogusumma kokku
 DocType: Landed Cost Item,Receipt Document,laekumine Dokumendi
 DocType: Employee Education,School/University,Kool / Ülikool
+DocType: Loan Security Pledge,Loan  Details,Laenu üksikasjad
 DocType: Sales Invoice Item,Available Qty at Warehouse,Saadaval Kogus lattu
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Arve summa
 DocType: Share Transfer,(including),(kaasa arvatud)
@@ -5058,6 +5132,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupid
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupi poolt konto
 DocType: Purchase Invoice,Hold Invoice,Hoidke arve
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Pandi staatus
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Palun vali Töötaja
 DocType: Sales Order,Fully Delivered,Täielikult Tarnitakse
 DocType: Promotional Scheme Price Discount,Min Amount,Min summa
@@ -5067,7 +5142,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Väljastatud summa ei saa olla suurem kui Laenusumma {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,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,Purchase Order number required for Item {0},Ostutellimuse numbri vaja Punkt {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Kandke edastatud lehti
@@ -5095,6 +5169,7 @@
 DocType: Pick List Item,Serial No and Batch,Järjekorra number ja partii
 DocType: Warranty Claim,From Company,Allikas: Company
 DocType: GSTR 3B Report,January,Jaanuaril
+DocType: Loan Repayment,Principal Amount Paid,Makstud põhisumma
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summa hulgaliselt Hindamiskriteeriumid peab olema {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Palun määra arv Amortisatsiooniaruanne Broneeritud
 DocType: Supplier Scorecard Period,Calculations,Arvutused
@@ -5120,6 +5195,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Teie ettevõtte kohta
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Näita varude vananemise andmeid
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Krediidi konto peab olema bilansis
+DocType: Loan Repayment,Penalty Amount,Trahvisumma
 DocType: Donor,Donor,Doonor
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Uuendage üksuste makse
 DocType: Global Defaults,Disable In Words,Keela sõnades
@@ -5150,6 +5226,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kulukeskus ja eelarve koostamine
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Algsaldo Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Osaline tasuline sissepääs
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Palun määrake maksegraafik
 DocType: Pick List,Items under this warehouse will be suggested,Selle lao all olevad kaubad pakutakse välja
 DocType: Purchase Invoice,N,N
@@ -5183,7 +5260,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ei leitud üksusele {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Väärtus peab olema vahemikus {0} kuni {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Näita ka kaasnevat maksu printimisel
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Sõnum saadetud
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Konto tütartippu ei saa seada pearaamatu
 DocType: C-Form,II,II
@@ -5197,6 +5273,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Luba automaatne ümberkorraldus
 DocType: Stock Settings,Item Naming By,Punkt nimetamine By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Teine periood sulgemine Entry {0} on tehtud pärast {1}
+DocType: Proposed Pledge,Proposed Pledge,Kavandatud lubadus
 DocType: Work Order,Material Transferred for Manufacturing,Materjal üleantud tootmine
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Konto {0} ei ole olemas
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Valige lojaalsusprogramm
@@ -5207,7 +5284,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Seadistamine Sündmused {0}, kuna töötaja juurde allpool müügiisikuid ei ole Kasutaja ID {1}"
 DocType: Timesheet,Billing Details,Arved detailid
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Allika ja eesmärgi ladu peavad olema erinevad
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Palun seadistage töötajate nimetamise süsteem personaliressursist&gt; HR-sätted
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Makse ebaõnnestus. Palun kontrollige oma GoCardlessi kontot, et saada lisateavet"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ei ole lubatud uuendada laos tehingute vanem kui {0}
 DocType: Stock Entry,Inspection Required,Ülevaatus Nõutav
@@ -5220,6 +5296,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Toimetaja lattu vajalik varude objekti {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Brutokaal pakendis. Tavaliselt netokaal + pakkematerjali kaal. (trüki)
 DocType: Assessment Plan,Program,programm
+DocType: Unpledge,Against Pledge,Pandi vastu
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Kasutajad seda rolli on lubatud kehtestada külmutatud kontode ja luua / muuta raamatupidamiskirjeteks vastu külmutatud kontode
 DocType: Plaid Settings,Plaid Environment,Plaid keskkond
 ,Project Billing Summary,Projekti arvelduse kokkuvõte
@@ -5271,6 +5348,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partiid
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Päevade arvu saab eelnevalt broneerida
 DocType: Article,LMS User,LMS-i kasutaja
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Laenu tagatise pant on tagatud laenu puhul kohustuslik
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Tarnekoht (osariik / TÜ)
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Ostutellimuse {0} ei ole esitatud
@@ -5343,6 +5421,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Looge töökaart
 DocType: Quotation,Referral Sales Partner,Soovituslik müügipartner
 DocType: Quality Procedure Process,Process Description,Protsessi kirjeldus
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Unustada ei saa, laenu tagatise väärtus on suurem kui tagastatud summa"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klient {0} on loodud.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5363,7 +5442,7 @@
 DocType: Asset,Insurance Details,Kindlustus detailid
 DocType: Account,Payable,Maksmisele kuuluv
 DocType: Share Balance,Share Type,Jaga tüüp
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Palun sisesta tagasimakseperioodid
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Palun sisesta tagasimakseperioodid
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Nõuded ({0})
 DocType: Pricing Rule,Margin,varu
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Uutele klientidele
@@ -5372,6 +5451,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Muuda POS-profiili
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Kogus või summa on laenutagatise tagamiseks kohustuslik
 DocType: Bank Reconciliation Detail,Clearance Date,Kliirens kuupäev
 DocType: Delivery Settings,Dispatch Notification Template,Dispatch Notification Template
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Hindamisaruanne
@@ -5407,6 +5487,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Jaga Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Müügiarve {0} loodud
 DocType: Employee,Confirmation Date,Kinnitus kuupäev
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja <a href=""#Form/Employee/{0}"">{0}</a> \"
 DocType: Inpatient Occupancy,Check Out,Check Out
 DocType: C-Form,Total Invoiced Amount,Kokku Arve kogusumma
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Kogus ei saa olla suurem kui Max Kogus
@@ -5420,7 +5502,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks&#39;i ettevõtte ID
 DocType: Travel Request,Travel Funding,Reisi rahastamine
 DocType: Employee Skill,Proficiency,Vilumus
-DocType: Loan Application,Required by Date,Vajalik kuupäev
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Ostukviitungi üksikasjad
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Viide kõigile asukohadele, kus kasvatamine kasvab"
 DocType: Lead,Lead Owner,Plii Omanik
@@ -5439,7 +5520,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Praegune BOM ja Uus BOM saa olla samad
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Palgatõend ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Erru minemise peab olema suurem kui Liitumis
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Tarnija&gt; Tarnija tüüp
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Mitmed variandid
 DocType: Sales Invoice,Against Income Account,Sissetuleku konto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% tarnitud
@@ -5472,7 +5552,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Hindamine tüübist tasu ei märgitud Inclusive
 DocType: POS Profile,Update Stock,Värskenda Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Makse andmed
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Bom Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Üleslaaditud faili lugemine
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",Peatatud töökorraldust ei saa tühistada. Lõpeta see esmalt tühistamiseks
@@ -5507,6 +5587,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Partii number on kohustuslik Punkt {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Laenu maksimaalne väärtus
 ,Stock Ledger,Laožurnaal
 DocType: Company,Exchange Gain / Loss Account,Exchange kasum / kahjum konto
 DocType: Amazon MWS Settings,MWS Credentials,MWS volikirjad
@@ -5514,6 +5595,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Eesmärk peab olema üks {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Täitke vorm ja salvestage see
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Suhtlus Foorum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Töötajale ei ole eraldatud ühtegi lehte: {0} puhkustüübi jaoks: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Tegelik Kogus laos
 DocType: Homepage,"URL for ""All Products""",URL &quot;Kõik tooted&quot;
 DocType: Leave Application,Leave Balance Before Application,Jäta Balance Enne taotlemine
@@ -5615,7 +5697,6 @@
 DocType: Fee Schedule,Fee Schedule,Fee Ajakava
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Veergude sildid:
 DocType: Bank Transaction,Settled,Asustatud
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Väljamakse kuupäev ei saa olla pärast laenu tagasimaksmise alguskuupäeva
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parameetrid
 DocType: Company,Create Chart Of Accounts Based On,Loo kontoplaani põhineb
@@ -5635,6 +5716,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Krediidilimiit ja maksetingimused
 DocType: Loyalty Program,Collection Rules,Kogumiseeskirjad
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Punkt 3
+DocType: Loan Security Shortfall,Shortfall Time,Puuduse aeg
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Telli sissekanne
 DocType: Purchase Order,Customer Contact Email,Klienditeenindus Kontakt E-
 DocType: Warranty Claim,Item and Warranty Details,Punkt ja garantii detailid
@@ -5654,12 +5736,14 @@
 DocType: Sales Person,Sales Person Name,Sales Person Nimi
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Palun sisestage atleast 1 arve tabelis
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nr Lab Test loodud
+DocType: Loan Security Shortfall,Security Value ,Turvalisuse väärtus
 DocType: POS Item Group,Item Group,Punkt Group
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Tudengirühm:
 DocType: Depreciation Schedule,Finance Book Id,Raamatukava ID-d
 DocType: Item,Safety Stock,kindlustusvaru
 DocType: Healthcare Settings,Healthcare Settings,Tervishoiuteenuse sätted
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Kokku eraldatud lehed
+DocType: Appointment Letter,Appointment Letter,Töölevõtu kiri
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Progress% ülesandega ei saa olla rohkem kui 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Enne leppimist
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},{0}
@@ -5713,6 +5797,7 @@
 DocType: Stock Entry,From BOM,Siit Bom
 DocType: Assessment Code,Assessment Code,Hinnang kood
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Põhiline
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Klientide ja töötajate laenutaotlused.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Stock tehingud enne {0} on külmutatud
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Palun kliki &quot;Loo Ajakava&quot;
 DocType: Job Card,Current Time,Praegune aeg
@@ -5738,7 +5823,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ei Üliõpilasgrupid loodud.
 DocType: Purchase Invoice Item,Serial No,Seerianumber
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Igakuine tagasimakse ei saa olla suurem kui Laenusumma
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Igakuine tagasimakse ei saa olla suurem kui Laenusumma
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Palun sisestage Maintaince Detailid esimene
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rida # {0}: oodatud kohaletoimetamise kuupäev ei saa olla enne ostutellimuse kuupäeva
 DocType: Purchase Invoice,Print Language,Prindi keel
@@ -5752,6 +5837,7 @@
 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,All Territories,Kõik aladel
+DocType: Plaid Settings,development,areng
 DocType: Lost Reason Detail,Lost Reason Detail,Kaotatud põhjuse üksikasjad
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Valitud kliendi ja üksuse jaoks sobimatu kangakorraldus
@@ -5814,12 +5900,14 @@
 DocType: Staffing Plan Detail,Current Openings,Praegune avaused
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Rahavoog äritegevusest
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST summa
+DocType: Vehicle Log,Current Odometer value ,Odomeetri praegune väärtus
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Loo õpilane
 DocType: Asset Movement Item,Asset Movement Item,Vara liikumise üksus
 DocType: Purchase Invoice,Shipping Rule,Kohaletoimetamine reegel
 DocType: Patient Relation,Spouse,Abikaasa
 DocType: Lab Test Groups,Add Test,Lisa test
 DocType: Manufacturer,Limited to 12 characters,Üksnes 12 tähemärki
+DocType: Appointment Letter,Closing Notes,Lõppmärkused
 DocType: Journal Entry,Print Heading,Prindi Rubriik
 DocType: Quality Action Table,Quality Action Table,Kvaliteeditoimingute tabel
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Kokku ei saa olla null
@@ -5886,6 +5974,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Kokku (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Palun määrake kindlaks / looge konto (grupp) tüübi jaoks - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Meelelahutus ja vaba aeg
+DocType: Loan Security,Loan Security,Laenu tagatis
 ,Item Variant Details,Üksuse variandi üksikasjad
 DocType: Quality Inspection,Item Serial No,Punkt Järjekorranumber
 DocType: Payment Request,Is a Subscription,Kas tellimus
@@ -5898,7 +5987,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Viimane vanus
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planeeritud ja vastuvõetud kuupäevad ei saa olla lühemad kui täna
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer Materjal Tarnija
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial No ei ole Warehouse. Ladu peab ette Stock Entry või ostutšekk
 DocType: Lead,Lead Type,Plii Type
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Loo Tsitaat
@@ -5916,7 +6004,6 @@
 DocType: Leave Allocation,Leave Period,Jäta perioodi
 DocType: Item,Default Material Request Type,Vaikimisi Materjal Soovi Tüüp
 DocType: Supplier Scorecard,Evaluation Period,Hindamise periood
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klient&gt; kliendirühm&gt; territoorium
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,tundmatu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Töökorraldus pole loodud
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6000,7 +6087,8 @@
 ,Customer-wise Item Price,Kliendi tarkuse hind
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Rahavoogude aruanne
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ükski materiaalne taotlus pole loodud
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Laenusumma ei tohi ületada Maksimaalne laenusumma {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Laenusumma ei tohi ületada Maksimaalne laenusumma {0}
+DocType: Loan,Loan Security Pledge,Laenu tagatise pant
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,litsents
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -6018,6 +6106,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Hinnaalandusskeem
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Hoolduse staatus tuleb tühistada või lõpetada esitamiseks
 DocType: Amazon MWS Settings,US,USA
+DocType: Loan Security Pledge,Pledged,Panditud
 DocType: Holiday List,Add Weekly Holidays,Lisage iganädalasi pühi
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Aruande üksus
 DocType: Staffing Plan Detail,Vacancies,Vabad töökohad
@@ -6036,7 +6125,6 @@
 DocType: Production Plan Item,Planned Start Date,Kavandatav alguskuupäev
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Valige BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Kasutab ITC integreeritud maksu
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Looge tagasimakse kanne
 DocType: Purchase Order Item,Blanket Order Rate,Teki tellimiskiirus
 ,Customer Ledger Summary,Kliendiraamatu kokkuvõte
 apps/erpnext/erpnext/hooks.py,Certification,Sertifitseerimine
@@ -6057,6 +6145,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Hinnang Mall Pealkiri
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Kaubanduslik
 DocType: Patient,Alcohol Current Use,Alkoholi praegune kasutamine
+DocType: Loan,Loan Closure Requested,Taotletud laenu sulgemine
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Maja üüride maksmise summa
 DocType: Student Admission Program,Student Admission Program,Tudengite vastuvõtu programm
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Maksuvabastuse kategooria
@@ -6080,6 +6169,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Läbimüük
 DocType: Stock Entry Detail,Basic Amount,Põhisummat
 DocType: Training Event,Exam,eksam
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Protsessilaenu tagatise puudujääk
 DocType: Email Campaign,Email Campaign,E-posti kampaania
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Turuplatsi viga
 DocType: Complaint,Complaint,Kaebus
@@ -6159,6 +6249,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Esitage see, et luua töötaja kirje"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Laenu tagatise hind kattub {0} -ga
 DocType: Item Default,Item Default,Üksus Vaikimisi
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Riigi sisesed tarned
 DocType: Chapter Member,Leave Reason,Jätke põhjus
@@ -6184,6 +6275,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,Kasutatud lehed
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Kas soovite esitada materjalitaotluse?
 DocType: Job Offer,Awaiting Response,Vastuse ootamine
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Laen on kohustuslik
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Ülal
 DocType: Support Search Source,Link Options,Linki valikud
@@ -6196,6 +6288,7 @@
 DocType: Training Event Employee,Optional,Valikuline
 DocType: Salary Slip,Earning & Deduction,Teenimine ja mahaarvamine
 DocType: Agriculture Analysis Criteria,Water Analysis,Vee analüüs
+DocType: Pledge,Post Haircut Amount,Postituse juukselõikuse summa
 DocType: Sales Order,Skip Delivery Note,Jäta vahele saateleht
 DocType: Price List,Price Not UOM Dependent,Hind ei sõltu UOM-ist
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} variandid on loodud.
@@ -6222,6 +6315,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Võta Kirjed Toote Bundle
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Tagasimakseviis on tähtajaliste laenude puhul kohustuslik
 DocType: Asset,Straight Line,Sirgjoon
 DocType: Project User,Project User,projekti Kasutaja
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,lõhe
@@ -6266,7 +6360,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role lubatud kehtestada külmutatud kontode ja Edit Külmutatud kanded
 DocType: Supplier Scorecard Scoring Variable,Path,Tee
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ei saa teisendada Cost Center pearaamatu, sest see on tütartippu"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM teisendustegurit ({0} -&gt; {1}) üksusele {2} ei leitud
 DocType: Production Plan,Total Planned Qty,Kokku planeeritud kogus
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Tehingud on avaldusest juba taganenud
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Seis
@@ -6275,11 +6368,8 @@
 DocType: Material Request Plan Item,Required Quantity,Vajalik kogus
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Arvestusperiood kattub {0} -ga
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Tarnija&gt; Tarnija tüüp
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Müügikonto
 DocType: Purchase Invoice Item,Total Weight,Kogukaal
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja <a href=""#Form/Employee/{0}"">{0}</a> \"
 DocType: Pick List Item,Pick List Item,Vali nimekirja üksus
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Müügiprovisjon
 DocType: Job Offer Term,Value / Description,Väärtus / Kirjeldus
@@ -6326,6 +6416,7 @@
 DocType: Patient Encounter,Encounter Date,Sündmuse kuupäev
 DocType: Work Order,Update Consumed Material Cost In Project,Uuendage projekti kulutatud materjali maksumust
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} valuuta: {1} ei saa valida
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Klientidele ja töötajatele antud laenud.
 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
@@ -6394,7 +6485,6 @@
 DocType: Contract,Signed On,Sisse logitud
 DocType: Bank Account,Party Type,Partei Type
 DocType: Discounted Invoice,Discounted Invoice,Soodushinnaga arve
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Märgi kohalolijaks kui <b></b>
 DocType: Payment Schedule,Payment Schedule,Maksegraafik
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Antud töötaja välja väärtuse jaoks töötajat ei leitud. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Lühend
@@ -6466,6 +6556,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Võlausaldajad
 DocType: Assessment Plan,Assessment Name,Hinnang Nimi
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial No on kohustuslik
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Laenu sulgemiseks on vaja summat {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Punkt Wise Maksu- Detail
 DocType: Employee Onboarding,Job Offer,Tööpakkumine
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instituut lühend
@@ -6489,7 +6580,6 @@
 DocType: Purchase Order,To Receive,Saama
 DocType: Leave Period,Holiday List for Optional Leave,Puhkusloetelu valikuliseks puhkuseks
 DocType: Item Tax Template,Tax Rates,Maksumäärad
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kauba kood&gt; esemerühm&gt; kaubamärk
 DocType: Asset,Asset Owner,Vara omanik
 DocType: Item,Website Content,Veebisaidi sisu
 DocType: Bank Account,Integration ID,Integratsiooni ID
@@ -6505,6 +6595,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch Orders
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Tellimused lastud tootmist.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Vali Fiscal Year ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Valige ettevõtte {0} laenutüüp
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profile vaja teha POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6533,6 +6624,7 @@
 DocType: Customer,Mention if non-standard receivable account,Nimetatakse mittestandardsete saadaoleva konto
 DocType: Bank,Plaid Access Token,Plaidjuurdepääsuluba
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Palun lisage ülejäänud eelised {0} mis tahes olemasolevale komponendile
+DocType: Bank Account,Is Default Account,On vaikekonto
 DocType: Journal Entry Account,If Income or Expense,Kui tulu või kuluna
 DocType: Course Topic,Course Topic,Kursuse teema
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Kuupäeva {1} ja {2} vahel on {0} POS-vautšeri algpäev
@@ -6545,7 +6637,7 @@
 DocType: Disease,Treatment Task,Ravi ülesanne
 DocType: Payment Order Reference,Bank Account Details,Pangakonto andmed
 DocType: Purchase Order Item,Blanket Order,Tšeki tellimine
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Tagasimaksesumma peab olema suurem kui
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Tagasimaksesumma peab olema suurem kui
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,TULUMAKSUVARA
 DocType: BOM Item,BOM No,Bom pole
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Uuenda üksikasju
@@ -6601,6 +6693,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce tooted
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Süntaksi viga valemis või seisund: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Punkt {0} ignoreerida, sest see ei ole laoartikkel"
+,Loan Security Status,Laenu tagatise olek
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Et ei kohaldata Hinnakujundus reegel konkreetne tehing, kõik kohaldatavad Hinnakujundusreeglid tuleks keelata."
 DocType: Payment Term,Day(s) after the end of the invoice month,Päev (d) pärast arve kuu lõppu
 DocType: Assessment Group,Parent Assessment Group,Parent hindamine Group
@@ -6615,7 +6708,6 @@
 DocType: Stock Entry Detail,Additional Cost,Lisakulu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Ei filtreerimiseks Voucher Ei, kui rühmitatud Voucher"
 DocType: Quality Inspection,Incoming,Saabuva
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Palun seadistage kohaloleku jaoks numeratsiooniseeria seadistamise&gt; Numeratsiooniseeria kaudu
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Müügile ja ostule pääseb alla maksumallid.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Hindamise tulemuste register {0} on juba olemas.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Näide: ABCD. #####. Kui seeria on seatud ja partii number tehingutes ei mainita, luuakse selle seeria põhjal automaatne partii number. Kui soovite alati selgesõnaliselt märkida selle üksuse partii nr, jätke see tühjaks. Märkus: see seade eelistab nimeserveri eesliidet varu seadetes."
@@ -6626,8 +6718,10 @@
 DocType: Contract,Party User,Partei kasutaja
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Varasid pole <b>{0}</b> jaoks loodud. Peate vara looma käsitsi.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Määrake Company filtreerida tühjaks, kui rühm Autor on &quot;Firma&quot;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klient&gt; kliendirühm&gt; territoorium
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Postitamise kuupäev ei saa olla tulevikus
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} ei ühti {2} {3}
+DocType: Loan Repayment,Interest Payable,Makstav intress
 DocType: Stock Entry,Target Warehouse Address,Target Warehouse Aadress
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Aeg enne vahetuse algusaega, mille jooksul arvestatakse töötajate registreerimist osalemiseks."
@@ -6756,6 +6850,7 @@
 DocType: Issue,Reset Service Level Agreement,Lähtesta teenuse taseme leping
 ,Sales Person-wise Transaction Summary,Müük isikuviisilist Tehing kokkuvõte
 DocType: Training Event,Contact Number,Kontakt arv
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Laenusumma on kohustuslik
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6804,6 +6899,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Kogus
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Tingimusi rakendatakse kõigile valitud üksustele kombineeritult.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Eesmärgid ei saa olla tühi
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Vale ladu
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Õpilaste registreerimine
 DocType: Item Group,Parent Item Group,Eellaselement Group
 DocType: Appointment Type,Appointment Type,Kohtumise tüüp
@@ -6857,10 +6953,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Keskmine määr
 DocType: Appointment,Appointment With,Ametisse nimetamine
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksete kogusumma maksegraafikus peab olema võrdne Suur / Ümardatud Kokku
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Märgi kohalolijaks kui <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",Hindamismäära ei saa olla valikul „Kliendi pakutav üksus”
 DocType: Subscription Plan Detail,Plan,Plaan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bank avaldus tasakaalu kohta pearaamat
-DocType: Job Applicant,Applicant Name,Taotleja nimi
+DocType: Appointment Letter,Applicant Name,Taotleja nimi
 DocType: Authorization Rule,Customer / Item Name,Klienditeenindus / Nimetus
 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**. 
 
@@ -6904,11 +7001,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribution
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Töötaja staatust ei saa seada vasakule, kuna järgmised töötajad teatavad sellest töötajale praegu:"
-DocType: Journal Entry Account,Loan,Laen
+DocType: Loan Repayment,Amount Paid,Makstud summa
+DocType: Loan Security Shortfall,Loan,Laen
 DocType: Expense Claim Advance,Expense Claim Advance,Kulude nõude ettemakse
 DocType: Lab Test,Report Preference,Aruande eelistus
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Vabatahtlike teave.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Projektijuht
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grupp kliendi järgi
 ,Quoted Item Comparison,Tsiteeritud Punkt võrdlus
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Kattuvus punktides {0} ja {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Dispatch
@@ -6928,6 +7027,7 @@
 DocType: Material Request Plan Item,Material Issue,Materjal Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Hinnareeglis pole {0} tasuta kaupa määratud
 DocType: Employee Education,Qualification,Kvalifikatsioonikeskus
+DocType: Loan Security Shortfall,Loan Security Shortfall,Laenutagatise puudujääk
 DocType: Item Price,Item Price,Toode Hind
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Seep ja Detergent
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Töötaja {0} ei kuulu ettevõttesse {1}
@@ -6950,6 +7050,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Kohtumise üksikasjad
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Lõpetatud toode
 DocType: Warehouse,Warehouse Name,Ladu nimi
+DocType: Loan Security Pledge,Pledge Time,Pandi aeg
 DocType: Naming Series,Select Transaction,Vali Tehing
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Palun sisestage kinnitamine Role või heaks Kasutaja
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Teenuse taseme leping üksuse tüübiga {0} ja olemiga {1} on juba olemas.
@@ -6957,7 +7058,6 @@
 DocType: BOM,Rate Of Materials Based On,Hinda põhinevatest materjalidest
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Kui see on aktiveeritud, on programmi akadeemiline termin kohustuslik programmi registreerimisvahendis."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Maksust vabastatud, nullmääraga ja mitte-GST-sisendtarnete väärtused"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klient&gt; kliendirühm&gt; territoorium
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Ettevõte</b> on kohustuslik filter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Puhasta kõik
 DocType: Purchase Taxes and Charges,On Item Quantity,Kauba kogus
@@ -7002,7 +7102,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Puuduse Kogus
 DocType: Purchase Invoice,Input Service Distributor,Sisendteenuse levitaja
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Punkt variant {0} on olemas sama atribuute
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Seadistage juhendaja nimetamise süsteem jaotises Haridus&gt; Hariduse sätted
 DocType: Loan,Repay from Salary,Tagastama alates Palk
 DocType: Exotel Settings,API Token,API tunnus
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},TELLIN tasumises {0} {1} jaoks kogus {2}
@@ -7022,6 +7121,7 @@
 DocType: Salary Slip,Total Interest Amount,Intressimäära kogusumma
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unustamata jätmine
 DocType: Accounts Settings,Stale Days,Stale päevad
 DocType: Travel Itinerary,Arrival Datetime,Saabumise kuupäev
 DocType: Tax Rule,Billing Zipcode,Arvelduse postiindeks
@@ -7208,6 +7308,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Tööaeg
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0} Teiega on loodud uus kohtumine
 DocType: Project,Expected Start Date,Oodatud Start Date
+DocType: Work Order,This is a location where raw materials are available.,"See on koht, kus on saadaval toorainet."
 DocType: Purchase Invoice,04-Correction in Invoice,04-korrigeerimine arvel
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Töökorraldus on juba loodud kõigi BOM-iga üksustega
 DocType: Bank Account,Party Details,Pidu üksikasjad
@@ -7226,6 +7327,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Tsitaadid:
 DocType: Contract,Partially Fulfilled,Osaliselt täidetud
 DocType: Maintenance Visit,Fully Completed,Täielikult täidetud
+DocType: Loan Security,Loan Security Name,Laenu väärtpaberi nimi
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Erimärgid, välja arvatud &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Ja &quot;}&quot; pole sarjade nimetamisel lubatud"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Kas see on null või on vabastatud
 DocType: Employee,Educational Qualification,Haridustsensus
@@ -7282,6 +7384,7 @@
 DocType: Program,Is Featured,On esiletõstetud
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Toomine ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Põllumajanduslik kasutaja
+DocType: Loan Security Shortfall,America/New_York,Ameerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Kehtib kuni kuupäevani ei saa olla enne tehingu kuupäeva
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7358,8 +7461,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Töötaja {0} on lahkunud {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Ajakirjanikele ei valitud tagasimakseid
 DocType: Purchase Invoice,GST Category,GST kategooria
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Kavandatud lubadused on tagatud laenude puhul kohustuslikud
 DocType: Payment Reconciliation,From Invoice Date,Siit Arve kuupäev
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Eelarvekomisjoni
 DocType: Invoice Discounting,Disbursed,Välja makstud
@@ -7417,14 +7520,13 @@
 DocType: Restaurant,Active Menu,Aktiivne menüü
 DocType: Accounting Dimension Detail,Default Dimension,Vaikimõõde
 DocType: Target Detail,Target Qty,Target Kogus
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Laenu vastu: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Minu tellimused seaded
 DocType: Student Attendance,Present,Oleviku
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Toimetaja märkus {0} ei tohi esitada
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Töötajale e-posti teel saadetav palgalipik on parooliga kaitstud, parool luuakse paroolipoliitika alusel."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,odomeetri
 DocType: Production Plan Item,Ordered Qty,Tellitud Kogus
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Punkt {0} on keelatud
 DocType: Stock Settings,Stock Frozen Upto,Stock Külmutatud Upto
@@ -7481,7 +7583,6 @@
 DocType: Serial No,Delivery Document Type,Toimetaja Dokumendi liik
 DocType: Sales Order,Partly Delivered,Osaliselt Tarnitakse
 DocType: Item Variant Settings,Do not update variants on save,Ärge värskendage variante
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Klient Grupp
 DocType: Email Digest,Receivables,Nõuded
 DocType: Lead Source,Lead Source,plii Allikas
 DocType: Customer,Additional information regarding the customer.,Lisainfot kliendile.
@@ -7577,6 +7678,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Tegelik
 DocType: Appointment,Skype ID,Skype&#39;i ID
 DocType: Restaurant Menu,Restaurant Manager,Restoranijuht
+DocType: Loan,Penalty Income Account,Karistustulu konto
 DocType: Call Log,Call Log,Kõnelogi
 DocType: Authorization Rule,Customerwise Discount,Customerwise Soodus
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Töögraafik ülesannete.
@@ -7664,6 +7766,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Toote allahindluste skeem
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ühtegi küsimust pole helistaja tõstatanud.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Rühm tarnija järgi
 DocType: Restaurant Reservation,Waitlisted,Ootati
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Erandkategooria
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7674,7 +7777,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Konsulteeriv
 DocType: Subscription Plan,Based on price list,Hinnakirja alusel
 DocType: Customer Group,Parent Customer Group,Parent Kliendi Group
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSONi saab luua ainult müügiarvest
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Selle viktoriini maksimaalsed katsed on saavutatud!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Tellimine
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Tasu loomine ootel
@@ -7692,6 +7794,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Profülaktika
 DocType: Delivery Note Item,Against Sales Invoice,Vastu müügiarve
 DocType: Purchase Invoice,07-Others,07-muu
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Pakkumise summa
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Sisestage seerianumbrid seeriatootmiseks kirje
 DocType: Bin,Reserved Qty for Production,Reserveeritud Kogus Production
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Jäta märkimata, kui sa ei taha kaaluda partii tehes muidugi rühmi."
@@ -7799,6 +7902,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Maksekviitung Märkus
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,See põhineb tehingute vastu Klient. Vaata ajakava allpool lähemalt
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Loo materjali taotlus
+DocType: Loan Interest Accrual,Pending Principal Amount,Ootel põhisumma
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Algus- ja lõppkuupäevad ei kehti kehtivas palgaarvestuse perioodis, ei saa arvutada {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7842,6 +7946,7 @@
 											to fullfill Sales Order {2}","Ei saa esitada eseme {1} järjekorranumbrit {0}, kuna see on reserveeritud, et täita müügitellimust {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-YYYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Tarnija Tsitaat {0} loodud
+DocType: Loan Security Unpledge,Unpledge Type,Unpandi tüüp
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,End Aasta ei saa enne Start Aasta
 DocType: Employee Benefit Application,Employee Benefits,Töövõtjate hüvitised
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,töötaja ID
@@ -7924,6 +8029,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kursuse kood:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Palun sisestage ärikohtumisteks
 DocType: Quality Action Resolution,Problem,Probleem
+DocType: Loan Security Type,Loan To Value Ratio,Laenu ja väärtuse suhe
 DocType: Account,Stock,Varu
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7941,6 +8047,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Pangatähtede tehingu sissekanne
 DocType: Sales Invoice Item,Discount and Margin,Soodus ja Margin
 DocType: Lab Test,Prescription,Retsept
+DocType: Process Loan Security Shortfall,Update Time,Uuendamise aeg
 DocType: Import Supplier Invoice,Upload XML Invoices,Laadige üles XML-arved
 DocType: Company,Default Deferred Revenue Account,Vaikimisi edasilükkunud tulu konto
 DocType: Project,Second Email,Teine e-post
@@ -7954,7 +8061,7 @@
 DocType: Quality Action,Preventive,Ennetav
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Registreerimata isikutele tehtud tarned
 DocType: Company,Date of Incorporation,Liitumise kuupäev
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Kokku maksu-
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Kokku maksu-
 DocType: Manufacturing Settings,Default Scrap Warehouse,Vanametalli ladu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Viimase ostuhind
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Sest Kogus (Toodetud Kogus) on kohustuslik
@@ -7973,6 +8080,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Määrake makseviisi vaikimisi
 DocType: Stock Entry Detail,Against Stock Entry,Varude sisenemise vastu
 DocType: Grant Application,Withdrawn,Peatatud
+DocType: Loan Repayment,Regular Payment,Regulaarne makse
 DocType: Support Search Source,Support Search Source,Toetage otsingu allika
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Tasuline
 DocType: Project,Gross Margin %,Gross Margin%
@@ -7985,8 +8093,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Maksu tasumata
 DocType: BOM Operation,BOM Operation,Bom operatsiooni
 DocType: Purchase Taxes and Charges,On Previous Row Amount,On eelmise rea summa
+DocType: Student,Home Address,Kodu aadress
 DocType: Options,Is Correct,On õige
 DocType: Item,Has Expiry Date,On aegumiskuupäev
+DocType: Loan Repayment,Paid Accrual Entries,Tasulised tekkepõhised kanded
+DocType: Loan Security,Loan Security Type,Laenu tagatise tüüp
 apps/erpnext/erpnext/config/support.py,Issue Type.,Väljaande tüüp.
 DocType: POS Profile,POS Profile,POS profiili
 DocType: Training Event,Event Name,sündmus Nimi
@@ -7998,6 +8109,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Hooajalisus jaoks eelarveid, eesmärgid jms"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Väärtusi pole
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Muutuja Nimi
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Valige lepitamiseks pangakonto.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Punkt {0} on mall, valige palun üks selle variandid"
 DocType: Purchase Invoice Item,Deferred Expense,Edasilükatud kulu
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Tagasi sõnumite juurde
@@ -8049,7 +8161,6 @@
 DocType: GL Entry,To Rename,Ümbernimetamiseks
 DocType: Stock Entry,Repack,Pakkige
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Valige seerianumbri lisamiseks.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Seadistage juhendaja nimetamise süsteem jaotises Haridus&gt; Hariduse sätted
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Palun määrake kliendi jaoks% f maksukood
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Palun vali kõigepealt firma
 DocType: Item Attribute,Numeric Values,Arvväärtuste
@@ -8073,6 +8184,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Too FIFO põhjal
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Juur ei saa muuta.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Laenu tagatisväärtus
 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
@@ -8119,6 +8231,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Palun valige kategooria esimene
 apps/erpnext/erpnext/config/projects.py,Project master.,Projekti kapten.
 DocType: Contract,Contract Terms,Lepingutingimused
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sanktsioonisumma piirmäär
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Jätka konfigureerimist
 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,Maximum benefit amount of component {0} exceeds {1},Komponendi {0} maksimaalne hüvitise summa ületab {1}
@@ -8151,6 +8264,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Vaadake kõnelogi
 DocType: BOM Operation,Operating Cost(Company Currency),Ekspluatatsioonikulud (firma Valuuta)
 DocType: Loan Application,Rate of Interest,Intressimäärast
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Laenu tagatiseks antud pandikiri juba panditud {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Sanktsioneeritud summa
 DocType: Item,Shelf Life In Days,Riiulipäev päevades
 DocType: GL Entry,Is Opening,Kas avamine
@@ -8164,3 +8278,4 @@
 DocType: Account,Cash,Raha
 DocType: Sales Invoice,Unpaid and Discounted,Tasustamata ja soodushinnaga
 DocType: Employee,Short biography for website and other publications.,Lühike elulugu kodulehel ja teistes väljaannetes.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,"Rida # {0}: Tarnijat ei saa valida, kui tooraineid alltöövõtjale tarnitakse"
diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv
index 552c912..bb47a6c 100644
--- a/erpnext/translations/fa.csv
+++ b/erpnext/translations/fa.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,فرصت از دست رفته دلیل
 DocType: Patient Appointment,Check availability,بررسی در دسترس بودن
 DocType: Retention Bonus,Bonus Payment Date,تاریخ پرداخت پاداش
-DocType: Employee,Job Applicant,درخواستگر کار
+DocType: Appointment Letter,Job Applicant,درخواستگر کار
 DocType: Job Card,Total Time in Mins,زمان کل در مینس
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,این است که در معاملات در برابر این کننده است. مشاهده جدول زمانی زیر برای جزئیات
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,درصد تولید بیش از حد برای سفارش کار
@@ -183,6 +183,7 @@
 DocType: Delivery Stop,Contact Information,اطلاعات تماس
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,جستجوی هر چیزی ...
 ,Stock and Account Value Comparison,مقایسه ارزش سهام و حساب
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,مبلغ پرداخت شده نمی تواند بیشتر از مبلغ وام باشد
 DocType: Company,Phone No,تلفن
 DocType: Delivery Trip,Initial Email Notification Sent,هشدار ایمیل اولیه ارسال شد
 DocType: Bank Statement Settings,Statement Header Mapping,اعلامیه سرصفحه بندی
@@ -288,6 +289,7 @@
 DocType: Lead,Interested,علاقمند
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,افتتاح
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,برنامه:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,معتبر از زمان باید کمتر از زمان معتبر معتبر باشد.
 DocType: Item,Copy From Item Group,کپی برداری از مورد گروه
 DocType: Journal Entry,Opening Entry,ورود افتتاح
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,حساب پرداخت تنها
@@ -335,6 +337,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,مقطع تحصیلی
 DocType: Restaurant Table,No of Seats,بدون صندلی
+DocType: Loan Type,Grace Period in Days,دوره گریس در روزها
 DocType: Sales Invoice,Overdue and Discounted,عقب افتاده و تخفیف
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,تماس قطع شد
 DocType: Sales Invoice Item,Delivered By Supplier,تحویل داده شده توسط کننده
@@ -384,7 +387,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,روشهای پیشنهادی
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,فقط POS نمایش داده شود
 DocType: Supplier Group,Supplier Group Name,نام گروه تامین کننده
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,حضور علامت گذاری به عنوان <b></b>
 DocType: Driver,Driving License Categories,دسته بندی مجوز رانندگی
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,لطفا تاریخ تحویل را وارد کنید
 DocType: Depreciation Schedule,Make Depreciation Entry,ورود استهلاک
@@ -401,10 +403,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,جزئیات عملیات انجام شده است.
 DocType: Asset Maintenance Log,Maintenance Status,وضعیت نگهداری
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,مقدار مالیات مورد موجود در ارزش
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,اعتراض امنیتی وام
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,جزئیات عضویت
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: عرضه کننده به حساب پرداختنی مورد نیاز است {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,اقلام و قیمت گذاری
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},کل ساعت: {0}
+DocType: Loan,Loan Manager,مدیر وام
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},از تاریخ باید در سال مالی باشد. با فرض از تاریخ = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR- .YYYY.-
 DocType: Drug Prescription,Interval,فاصله
@@ -463,6 +467,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',به روز شده از طریق &#39;زمان ورود &quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,مشتری یا تامین کننده را انتخاب کنید.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,کد کشور در پرونده با کد کشور تنظیم شده در سیستم مطابقت ندارد
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},حساب {0} به شرکت {1} تعلق ندارد
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,فقط یک اولویت را به عنوان پیش فرض انتخاب کنید.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},مقدار پیش نمی تواند بیشتر از {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",شکاف زمان گذرا، شکاف {0} تا {1} با هم شکسته شدن موجودی {2} تا {3}
@@ -538,7 +543,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ترک مسدود
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},مورد {0} به پایان زندگی بر روی رسید {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,مطالب بانک
-DocType: Customer,Is Internal Customer,مشتری داخلی است
+DocType: Sales Invoice,Is Internal Customer,مشتری داخلی است
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,فاکتور فروش بدون
@@ -562,6 +567,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,درخواست مواد
 DocType: Bank Reconciliation,Update Clearance Date,به روز رسانی ترخیص کالا از تاریخ
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,بسته نرم افزاری
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,تا زمانی که درخواست تأیید نشود ، نمی توانید وام ایجاد کنید
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},مورد {0} در &#39;مواد اولیه عرضه شده جدول در سفارش خرید یافت نشد {1}
 DocType: Salary Slip,Total Principal Amount,مجموع کل اصل
@@ -569,6 +575,7 @@
 DocType: Quiz Result,Correct,درست
 DocType: Student Guardian,Mother,مادر
 DocType: Restaurant Reservation,Reservation End Time,زمان پایان رزرو
+DocType: Salary Slip Loan,Loan Repayment Entry,ورودی بازپرداخت وام
 DocType: Crop,Biennial,دوسالانه
 ,BOM Variance Report,گزارش تنوع BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,تایید سفارشات از مشتریان.
@@ -590,6 +597,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},پرداخت در مقابل {0} {1} نمی تواند بیشتر از برجسته مقدار {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,همه ی سرویس های بهداشتی
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,در تبدیل فرصت
+DocType: Loan,Total Principal Paid,کل مبلغ پرداخت شده
 DocType: Bank Account,Address HTML,آدرس HTML
 DocType: Lead,Mobile No.,شماره موبایل
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,حالت پرداخت
@@ -608,12 +616,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,تعادل در ارز پایه
 DocType: Supplier Scorecard Scoring Standing,Max Grade,حداکثر درجه
 DocType: Email Digest,New Quotations,نقل قول جدید
+DocType: Loan Interest Accrual,Loan Interest Accrual,بهره وام تعهدی
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,حضور به دلیل {0} به عنوان {1} در بازنشستگی ارائه نشده است.
 DocType: Journal Entry,Payment Order,دستور پرداخت
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,تأیید ایمیل
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,درآمد از منابع دیگر
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",در صورت خالی بودن ، حساب Warehouse والدین یا پیش فرض شرکت در نظر گرفته می شود
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,لغزش ایمیل حقوق و دستمزد به کارکنان را بر اساس ایمیل مورد نظر در انتخاب کارمند
+DocType: Work Order,This is a location where operations are executed.,این مکانی است که عملیات در آن انجام می شود.
 DocType: Tax Rule,Shipping County,حمل و نقل شهرستان
 DocType: Currency Exchange,For Selling,برای فروش
 apps/erpnext/erpnext/config/desktop.py,Learn,فرا گرفتن
@@ -622,6 +632,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,کد کوپن کاربردی
 DocType: Asset,Next Depreciation Date,بعدی تاریخ استهلاک
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,هزینه فعالیت به ازای هر کارمند
+DocType: Loan Security,Haircut %,اصلاح مو ٪
 DocType: Accounts Settings,Settings for Accounts,تنظیمات برای حساب
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},کننده فاکتور بدون در خرید فاکتور وجود دارد {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,فروش شخص درخت را مدیریت کند.
@@ -660,6 +671,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},لطفا قیمت اتاق هتل را برای {} تنظیم کنید
 DocType: Journal Entry,Multi Currency,چند ارز
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,فاکتور نوع
+DocType: Loan,Loan Security Details,جزئیات امنیت وام
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,اعتبار آن از تاریخ باید کمتر از تاریخ معتبر باشد
 DocType: Purchase Invoice,Set Accepted Warehouse,انبار پذیرفته شده را تنظیم کنید
 DocType: Employee Benefit Claim,Expense Proof,اثبات هزینه
@@ -778,6 +790,7 @@
 DocType: Purchase Receipt,Vehicle Date,خودرو تاریخ
 DocType: Campaign Email Schedule,Campaign Email Schedule,برنامه پست الکترونیکی کمپین
 DocType: Student Log,Medical,پزشکی
+DocType: Work Order,This is a location where scraped materials are stored.,این مکانی است که در آن مواد خراشیده شده ذخیره می شوند.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,لطفا مواد مخدر را انتخاب کنید
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,مالک سرب نمی تواند همان سرب
 DocType: Announcement,Receiver,گیرنده
@@ -870,7 +883,7 @@
 DocType: Driver,Applicable for external driver,قابل اجرا برای راننده خارجی
 DocType: Sales Order Item,Used for Production Plan,مورد استفاده برای طرح تولید
 DocType: BOM,Total Cost (Company Currency),هزینه کل (ارز شرکت)
-DocType: Loan,Total Payment,مبلغ کل قابل پرداخت
+DocType: Repayment Schedule,Total Payment,مبلغ کل قابل پرداخت
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO برای تمام اقلام سفارش فروش ایجاد شده است
@@ -894,6 +907,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,هشدار سفارشات خرید
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,اجاره از تاریخ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,قطعات اندازه کافی برای ساخت
+DocType: Loan Security,Loan Security Code,کد امنیتی وام
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,لطفا اول ذخیره کنید
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,وسایل مورد نیاز برای بیرون کشیدن مواد اولیه مرتبط با آن مورد نیاز است.
 DocType: POS Profile User,POS Profile User,کاربر پروفایل POS
@@ -949,6 +963,7 @@
 DocType: Patient,Risk Factors,عوامل خطر
 DocType: Patient,Occupational Hazards and Environmental Factors,خطرات کاری و عوامل محیطی
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,مقالات موجود برای سفارش کار ایجاد شده است
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,کد کالا&gt; گروه مورد&gt; نام تجاری
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,سفارشات گذشته را مشاهده کنید
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} مکالمه
 DocType: Vital Signs,Respiratory rate,نرخ تنفس
@@ -1011,6 +1026,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,حساب سپرده مالیاتی
 DocType: Pricing Rule,Sales Partner,شریک فروش
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,همه کارت امتیازی ارائه شده.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,مقدار سفارش
+DocType: Loan,Disbursed Amount,مبلغ پرداخت شده
 DocType: Buying Settings,Purchase Receipt Required,رسید خرید مورد نیاز
 DocType: Sales Invoice,Rail,ریل
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,هزینه واقعی
@@ -1049,6 +1066,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,اتصال به QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},لطفاً نوع (اکانت) را ایجاد کنید و ایجاد کنید - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,قابل پرداخت حساب
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,حساب برای دریافت ورودی های پرداخت الزامی است
 DocType: Payment Entry,Type of Payment,نوع پرداخت
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,تاریخ نیمه روز اجباری است
 DocType: Sales Order,Billing and Delivery Status,صدور صورت حساب و وضعیت تحویل
@@ -1086,7 +1104,7 @@
 DocType: Purchase Order Item,Billed Amt,صورتحساب AMT
 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,Principal Amount,مقدار اصلی
+DocType: Repayment Schedule,Principal Amount,مقدار اصلی
 DocType: Loan Application,Total Payable Interest,مجموع بهره قابل پرداخت
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},مجموع برجسته: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,تماس با ما باز کنید
@@ -1099,6 +1117,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,یک خطا در طول فرایند به روز رسانی رخ داد
 DocType: Restaurant Reservation,Restaurant Reservation,رزرو رستوران
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,موارد شما
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,عرضه کننده&gt; نوع عرضه کننده
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,نوشتن طرح های پیشنهادی
 DocType: Payment Entry Deduction,Payment Entry Deduction,پرداخت کسر ورود
 DocType: Service Level Priority,Service Level Priority,اولویت سطح خدمات
@@ -1252,7 +1271,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",هنگام ایجاد حساب کاربری برای شرکت کودک {0} ، حساب والدین {1} یافت نشد. لطفاً حساب والدین را در COA مربوطه ایجاد کنید
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,موضوع تقسیم شده
 DocType: Student Attendance,Student Attendance,حضور دانش آموز
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,داده ای برای صادرات وجود ندارد
 DocType: Sales Invoice Timesheet,Time Sheet,ورقه ثبت ساعات کار
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush مواد اولیه بر اساس
 DocType: Sales Invoice,Port Code,کد پورت
@@ -1265,6 +1283,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,تاریخ تحویل واقعی
 DocType: Lab Test,Test Template,قالب تست
+DocType: Loan Security Pledge,Securities,اوراق بهادار
 DocType: Restaurant Order Entry Item,Served,خدمت کرده است
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,اطلاعات فصل
 DocType: Account,Accounts,حساب ها
@@ -1357,6 +1376,7 @@
 DocType: Inpatient Record,O Negative,منفی نیستم
 DocType: Work Order Operation,Planned End Time,برنامه ریزی زمان پایان
 DocType: POS Profile,Only show Items from these Item Groups,فقط مواردی را از این گروه های اقلام نشان دهید
+DocType: Loan,Is Secured Loan,وام مطمئن است
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,حساب با معامله های موجود را نمی توان تبدیل به لجر
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,جزئیات نوع ماموریت
 DocType: Delivery Note,Customer's Purchase Order No,مشتری سفارش خرید بدون
@@ -1472,6 +1492,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,بدون اجازه
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,لیست تکمیل قرارداد
 DocType: Vital Signs,Heart Rate / Pulse,ضربان قلب / پالس
+DocType: Customer,Default Company Bank Account,حساب بانکی پیش فرض شرکت
 DocType: Supplier,Default Bank Account,به طور پیش فرض حساب بانکی
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",برای فیلتر کردن بر اساس حزب، حزب انتخاب نوع اول
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'به روز رسانی موجودی'نمی تواند انتخاب شود ، زیرا موارد از طریق تحویل نمی {0}
@@ -1587,7 +1608,6 @@
 DocType: Sales Team,Incentives,انگیزه
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ارزشهای خارج از همگام سازی
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,مقدار اختلاف
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم&gt; سری شماره گذاری تنظیم کنید
 DocType: SMS Log,Requested Numbers,شماره درخواست شده
 DocType: Volunteer,Evening,شب
 DocType: Quiz,Quiz Configuration,پیکربندی مسابقه
@@ -1607,6 +1627,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,در ردیف قبلی مجموع
 DocType: Purchase Invoice Item,Rejected Qty,رد تعداد
 DocType: Setup Progress Action,Action Field,زمینه فعالیت
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,نوع وام برای نرخ بهره و مجازات
 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,توقف تحویل
@@ -1618,6 +1639,7 @@
 ,Final Assessment Grades,نمرات ارزیابی نهایی
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,نام شرکت خود را که برای آن شما راه اندازی این سیستم.
 DocType: HR Settings,Include holidays in Total no. of Working Days,شامل تعطیلات در مجموع هیچ. از روز کاری
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,٪ از تعداد کل
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,راه اندازی موسسه خود را در ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,تجزیه و تحلیل گیاه
 DocType: Task,Timeline,جدول زمانی
@@ -1625,9 +1647,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,مورد جایگزین
 DocType: Shopify Log,Request Data,درخواست داده
 DocType: Employee,Date of Joining,تاریخ پیوستن
+DocType: Delivery Note,Inter Company Reference,مرجع شرکت بین المللی
 DocType: Naming Series,Update Series,به روز رسانی سری
 DocType: Supplier Quotation,Is Subcontracted,آیا واگذار شده
 DocType: Restaurant Table,Minimum Seating,حداقل صندلی
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,سوال نمی تواند تکراری باشد
 DocType: Item Attribute,Item Attribute Values,مقادیر ویژگی مورد
 DocType: Examination Result,Examination Result,نتیجه آزمون
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,رسید خرید
@@ -1729,6 +1753,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,همگام سازی آفلاین فاکتورها
 DocType: Payment Request,Paid,پرداخت
 DocType: Service Level,Default Priority,اولویت پیش فرض
+DocType: Pledge,Pledge,سوگند - تعهد
 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 ها به روز می کند.
@@ -1742,6 +1767,7 @@
 DocType: Guardian,Guardian Name,نام و نام خانوادگی سرپرست
 DocType: Cheque Print Template,Has Print Format,است چاپ فرمت
 DocType: Support Settings,Get Started Sections,بخش های شروع کنید
+,Loan Repayment and Closure,بازپرداخت وام وام
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD- .YYYY.-
 DocType: Invoice Discounting,Sanctioned,تحریم
 ,Base Amount,مبلغ پایه
@@ -1755,7 +1781,6 @@
 DocType: Student Admission,Publish on website,انتشار در وب سایت
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,تاریخ عرضه فاکتور نمی تواند بیشتر از ارسال تاریخ
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,کد کالا&gt; گروه مورد&gt; نام تجاری
 DocType: Subscription,Cancelation Date,تاریخ لغو
 DocType: Purchase Invoice Item,Purchase Order Item,خرید سفارش مورد
 DocType: Agriculture Task,Agriculture Task,وظیفه کشاورزی
@@ -1774,7 +1799,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,تخفیف اضافی درصد
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,نمایش یک لیست از تمام فیلم ها کمک
 DocType: Agriculture Analysis Criteria,Soil Texture,بافت خاک
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,انتخاب سر حساب بانکی است که چک نهشته شده است.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,کاربر مجاز به ویرایش لیست قیمت نرخ در معاملات
 DocType: Pricing Rule,Max Qty,حداکثر تعداد
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,کارت گزارش چاپ
@@ -1904,7 +1928,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",پس از تنظیم، این فاکتور تا تاریخ تعیین شده به تعویق افتاده است
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,فروش مقدار
-DocType: Repayment Schedule,Interest Amount,مقدار بهره
+DocType: Loan Interest Accrual,Interest Amount,مقدار بهره
 DocType: Job Card,Time Logs,زمان ثبت
 DocType: Sales Invoice,Loyalty Amount,مقدار وفاداری
 DocType: Employee Transfer,Employee Transfer Detail,جزئیات انتقال کارکنان
@@ -1944,7 +1968,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,اقلام سفارشات خرید عقب افتاده است
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,کد پستی
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},سفارش فروش {0} است {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},حساب سود را در وام انتخاب کنید {0}
 DocType: Opportunity,Contact Info,اطلاعات تماس
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,ساخت نوشته های سهام
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,کارمند با وضعیت چپ را نمیتوان ارتقا داد
@@ -2027,7 +2050,6 @@
 DocType: Salary Slip,Deductions,کسر
 DocType: Setup Progress Action,Action Name,نام عمل
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,سال شروع
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ایجاد وام
 DocType: Purchase Invoice,Start date of current invoice's period,تاریخ دوره صورتحساب فعلی شروع
 DocType: Shift Type,Process Attendance After,حضور در فرآیند پس از
 ,IRS 1099,IRS 1099
@@ -2048,6 +2070,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,دامنه های خود را انتخاب کنید
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify تامین کننده
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,اقلام فاکتور پرداخت
+DocType: Repayment Schedule,Is Accrued,رمزگذاری شده است
 DocType: Payroll Entry,Employee Details,جزئیات کارمند
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,پردازش فایلهای XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2079,6 +2102,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,ورودی وفاداری
 DocType: Employee Checkin,Shift End,پایان شیفت
 DocType: Stock Settings,Default Item Group,به طور پیش فرض مورد گروه
+DocType: Loan,Partially Disbursed,نیمه پرداخت شده
 DocType: Job Card Time Log,Time In Mins,زمان در دقیقه
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,دادن اطلاعات
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,این عملکرد این حساب را از هر سرویس خارجی که ERPNext را با حساب های بانکی شما ادغام می کند ، قطع می کند. قابل برگشت نیست. یقین دارید؟
@@ -2094,6 +2118,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,آیتم همان نمی تواند وارد شود چند بار.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",حساب های بیشتر می تواند در زیر گروه ساخته شده، اما مطالب را می توان در برابر غیر گروه ساخته شده
+DocType: Loan Repayment,Loan Closure,بسته شدن وام
 DocType: Call Log,Lead,راهبر
 DocType: Email Digest,Payables,حساب های پرداختنی
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2125,6 +2150,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Bill-JSON e-Way فقط از یک سند ارائه شده تولید می شود
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,مالیات و مزایای کارمندان
 DocType: Bank Guarantee,Validity in Days,اعتبار در روز
+DocType: Unpledge,Haircut,اصلاح مو
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-فرم قابل اجرا نیست برای فاکتور: {0}
 DocType: Certified Consultant,Name of Consultant,نام مشاور
 DocType: Payment Reconciliation,Unreconciled Payment Details,مشخصات پرداخت Unreconciled
@@ -2177,7 +2203,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,بقیه دنیا
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,مورد {0} می تواند دسته ای ندارد
 DocType: Crop,Yield UOM,عملکرد UOM
+DocType: Loan Security Pledge,Partially Pledged,تا حدی تعهد شده
 ,Budget Variance Report,گزارش انحراف از بودجه
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,مبلغ وام تحریم شده
 DocType: Salary Slip,Gross Pay,پرداخت ناخالص
 DocType: Item,Is Item from Hub,مورد از مرکز است
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,مواردی را از خدمات بهداشتی دریافت کنید
@@ -2212,6 +2240,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,رویه جدید کیفیت
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},موجودی برای حساب {0} همیشه باید {1}
 DocType: Patient Appointment,More Info,اطلاعات بیشتر
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,تاریخ تولد نمی تواند بیشتر از تاریخ عضویت باشد.
 DocType: Supplier Scorecard,Scorecard Actions,اقدامات کارت امتیازی
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},{0} ارائه نشده در {1} یافت نشد
 DocType: Purchase Invoice,Rejected Warehouse,انبار را رد کرد
@@ -2360,6 +2389,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,تعداد قرارهای همزمان
 apps/erpnext/erpnext/config/desktop.py,Getting Started,شروع شدن
 DocType: Purchase Invoice,Taxes and Charges Calculation,مالیات و هزینه محاسبه
+DocType: Loan Interest Accrual,Payable Principal Amount,مبلغ اصلی قابل پرداخت
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب دارایی ورودی استهلاک به صورت خودکار
 DocType: BOM Operation,Workstation,ایستگاه های کاری
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,درخواست برای عرضه دیگر
@@ -2395,7 +2425,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,غذا
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,محدوده سالمندی 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,جزئیات کوئری بسته شدن POS
-DocType: Bank Account,Is the Default Account,حساب پیش فرض است
 DocType: Shopify Log,Shopify Log,Shopify ورود
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,هیچ ارتباطی یافت نشد
 DocType: Inpatient Occupancy,Check In,چک کردن
@@ -2449,12 +2478,14 @@
 DocType: Sales Order Item,Planned Quantity,تعداد برنامه ریزی شده
 DocType: Water Analysis,Water Analysis Criteria,معیارهای تجزیه و تحلیل آب
 DocType: Item,Maintain Stock,حفظ سهام
+DocType: Loan Security Unpledge,Unpledge Time,زمان قطع شدن
 DocType: Terms and Conditions,Applicable Modules,ماژول های قابل اجرا
 DocType: Employee,Prefered Email,ترجیح ایمیل
 DocType: Student Admission,Eligibility and Details,واجد شرایط بودن و جزئیات
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,شامل در سود ناخالص
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,تغییر خالص دارائی های ثابت در
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,تعداد مجله
+DocType: Work Order,This is a location where final product stored.,این مکانی است که محصول نهایی در آن ذخیره می شود.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},حداکثر: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,از تاریخ ساعت
@@ -2495,8 +2526,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,گارانتی / AMC وضعیت
 ,Accounts Browser,مرورگر حساب ها
 DocType: Procedure Prescription,Referral,ارجاع
+,Territory-wise Sales,فروش زمینی
 DocType: Payment Entry Reference,Payment Entry Reference,مرجع پرداخت ورودی
 DocType: GL Entry,GL Entry,GL ورود
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Row # {0}: انبار پذیرفته شده و انبار عرضه کننده کالا نمی توانند یکسان باشند
 DocType: Support Search Source,Response Options,گزینه های پاسخ
 DocType: Pricing Rule,Apply Multiple Pricing Rules,قوانین چندگانه قیمت گذاری را اعمال کنید
 DocType: HR Settings,Employee Settings,تنظیمات کارمند
@@ -2570,6 +2603,7 @@
 DocType: Item,Sales Details,جزییات فروش
 DocType: Coupon Code,Used,استفاده شده
 DocType: Opportunity,With Items,با اقلام
+DocType: Vehicle Log,last Odometer Value ,آخرین مقدار کیلومتر شمار
 DocType: Asset Maintenance,Maintenance Team,تیم تعمیر و نگهداری
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",ترتیب که در آن بخش ها باید ظاهر شوند. 0 در درجه اول ، 1 دوم است و غیره.
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,In Qty,در تعداد
@@ -2579,7 +2613,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,هزینه ادعای {0} در حال حاضر برای ورود خودرو وجود دارد
 DocType: Asset Movement Item,Source Location,محل منبع
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,نام موسسه
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,لطفا مقدار بازپرداخت وارد کنید
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,لطفا مقدار بازپرداخت وارد کنید
 DocType: Shift Type,Working Hours Threshold for Absent,آستانه ساعت کاری برای غیبت
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,فاکتور جمع آوری چندگانه براساس کل هزینه صرف می شود. اما فاکتور تبدیل برای رستگاری همیشه برای تمام سطوح یکسان است.
 apps/erpnext/erpnext/config/help.py,Item Variants,انواع آیتم
@@ -2602,6 +2636,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,هیچ ثبتی یافت نشد در جدول پرداخت
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},این {0} درگیری با {1} برای {2} {3}
 DocType: Student Attendance Tool,Students HTML,دانش آموزان HTML
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,لطفا ابتدا متقاضی نوع را انتخاب کنید
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse",BOM ، Qty و For Warehouse را انتخاب کنید
 DocType: GST HSN Code,GST HSN Code,GST کد HSN
 DocType: Employee External Work History,Total Experience,تجربه ها
@@ -2689,7 +2724,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",هیچ BOM فعال برای آیتم {0} یافت نشد. تحویل توسط \ Serial No می تواند تضمین شود
 DocType: Sales Partner,Sales Partner Target,فروش شریک هدف
-DocType: Loan Type,Maximum Loan Amount,حداکثر مبلغ وام
+DocType: Loan Application,Maximum Loan Amount,حداکثر مبلغ وام
 DocType: Coupon Code,Pricing Rule,قانون قیمت گذاری
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},تعداد رول تکراری برای دانشجویان {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,درخواست مواد به خرید سفارش
@@ -2712,6 +2747,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},برگ با موفقیت برای اختصاص {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,هیچ آیتمی برای بسته
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,فقط فایلهای .csv و .xlsx در حال حاضر پشتیبانی می شوند
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی&gt; تنظیمات HR تنظیم کنید
 DocType: Shipping Rule Condition,From Value,از ارزش
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,ساخت تعداد الزامی است
 DocType: Loan,Repayment Method,روش بازپرداخت
@@ -2862,6 +2898,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,سود خالص
 DocType: Purchase Invoice,Eligibility For ITC,حق الزحمه برای ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP- .YYYY.-
+DocType: Loan Security Pledge,Unpledged,بدون استفاده
 DocType: Journal Entry,Entry Type,نوع ورودی
 ,Customer Credit Balance,تعادل اعتباری مشتری
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,تغییر خالص در حساب های پرداختنی
@@ -2873,6 +2910,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),شناسه دستگاه حضور و غیاب (شناسه برچسب بیومتریک / RF)
 DocType: Quotation,Term Details,جزییات مدت
 DocType: Item,Over Delivery/Receipt Allowance (%),کمک هزینه تحویل / دریافت (٪)
+DocType: Appointment Letter,Appointment Letter Template,الگوی نامه انتصاب
 DocType: Employee Incentive,Employee Incentive,مشوق کارمند
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,نمی توانید بیش از {0} دانش آموزان برای این گروه از دانشجویان ثبت نام.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),مجموع (بدون مالیات)
@@ -2895,6 +2933,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",می توانید تحویل توسط Serial No را تضمین نکنید \ Item {0} با و بدون تأیید تحویل توسط \ سریال اضافه می شود
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,قطع ارتباط پرداخت در لغو فاکتور
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,بهره وام فرآیند تعهدی
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},خواندن کیلومترشمار فعلی وارد باید بیشتر از اولیه خودرو کیلومترشمار شود {0}
 ,Purchase Order Items To Be Received or Billed,موارد سفارش را بخرید یا قبض خریداری کنید
 DocType: Restaurant Reservation,No Show,بدون نمایش
@@ -2977,6 +3016,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: مرکز هزینه برای سود و زیان، حساب مورد نیاز است {2}. لطفا راه اندازی یک مرکز هزینه به طور پیش فرض برای شرکت.
 DocType: Payment Schedule,Payment Term,شرایط پرداخت
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,یک گروه مشتری با نام مشابهی وجود دارد. لطا نام مشتری را تغییر دهید یا نام گروه مشتری را اصلاح نمایید.
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,تاریخ پایان پذیرش باید بیشتر از تاریخ شروع پذیرش باشد.
 DocType: Location,Area,حوزه
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,تماس جدید
 DocType: Company,Company Description,توضیحات شرکت
@@ -3048,6 +3088,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,داده های مکث شده
 DocType: Purchase Order Item,Warehouse and Reference,انبار و مرجع
 DocType: Payroll Period Date,Payroll Period Date,تاریخ پرداخت حقوق
+DocType: Loan Disbursement,Against Loan,در برابر وام
 DocType: Supplier,Statutory info and other general information about your Supplier,اطلاعات قانونی و دیگر اطلاعات کلی در مورد تامین کننده خود را
 DocType: Item,Serial Nos and Batches,سریال شماره و دسته
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,قدرت دانشجویی گروه
@@ -3258,6 +3299,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),مقدار پایه (شرکت ارز)
 DocType: Purchase Invoice,Registered Regular,به طور منظم ثبت شده
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,مواد خام
+DocType: Plaid Settings,sandbox,جعبه شنی
 DocType: Payment Reconciliation Payment,Reference Row,مرجع ردیف
 DocType: Installation Note,Installation Time,زمان نصب و راه اندازی
 DocType: Sales Invoice,Accounting Details,جزئیات حسابداری
@@ -3270,12 +3312,11 @@
 DocType: Leave Ledger Entry,Transaction Type,نوع تراکنش
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ملاک پذیرش
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,لطفا درخواست مواد در جدول فوق را وارد کنید
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,مجموع مبلغ قابل پرداخت
 DocType: Task,Expected Time (in hours),زمان مورد انتظار (در ساعت)
 DocType: Item Reorder,Check in (group),بررسی در (گروه)
 DocType: Soil Texture,Silt,سیل
@@ -3306,6 +3347,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,تخفیف مالیات برای اثبات تخفیف مالیات غیرقانونی
 DocType: Volunteer,Anytime,هر زمان
 DocType: Bank Account,Bank Account No,شماره حساب بانکی
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,پرداخت و بازپرداخت
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ارائه بازپرداخت معاف از مالیات کارمند
 DocType: Patient,Surgical History,تاریخ جراحی
 DocType: Bank Statement Settings Item,Mapped Header,سربرگ مرتب شده
@@ -3365,6 +3407,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,ایجاد تست آزمایشگاه (ها) در فروش فاکتور ارسال
 DocType: Serial No,Invoice Details,جزئیات فاکتور
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,ساختار حقوق باید قبل از ارائه اظهارنامه فرار مالیاتی ارائه شود
+DocType: Loan Application,Proposed Pledges,تعهدات پیشنهادی
 DocType: Grant Application,Show on Website,نمایش در وب سایت
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,شروع کن
 DocType: Hub Tracked Item,Hub Category,رده هاب
@@ -3376,7 +3419,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,کارت امتیازی کارت اعتباری
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ردیف {0}: بیل از مواد برای موردی یافت نشد {1}
 DocType: Contract Fulfilment Checklist,Requirement,مورد نیاز
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی&gt; تنظیمات HR تنظیم کنید
 DocType: Journal Entry,Accounts Receivable,حسابهای دریافتنی
 DocType: Quality Goal,Objectives,اهداف
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,نقش مجاز به ایجاد برنامه مرخصی با سابقه بازگشت
@@ -3531,6 +3573,7 @@
 DocType: Employee,Health Insurance,بیمه سلامت
 DocType: Asset Repair,Manufacturing Manager,ساخت مدیر
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},سریال بدون {0} است تحت گارانتی تا {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,مبلغ وام بیش از حداکثر میزان وام {0} به ازای اوراق بهادار پیشنهادی است
 DocType: Plant Analysis Criteria,Minimum Permissible Value,حداقل ارزش مجاز
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,کاربر {0} در حال حاضر موجود است
 apps/erpnext/erpnext/hooks.py,Shipments,محموله
@@ -3582,6 +3625,7 @@
 DocType: Subscription,Discounts,تخفیف
 DocType: Bank Transaction,Unallocated Amount,مقدار تخصیص نیافته
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,لطفا مناسب برای خرید سفارش مناسب و مناسب در رزرو هزینه واقعی فعال کنید
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} حساب بانکی شرکت نیست
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,می توانید یک آیتم تطبیق پیدا کند. لطفا برخی از ارزش های دیگر برای {0} را انتخاب کنید.
 DocType: POS Profile,Taxes and Charges,مالیات و هزینه
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",یک محصول یا یک سرویس است که خریداری شده، به فروش می رسد و یا نگه داشته در انبار.
@@ -3631,6 +3675,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valid From Date باید کمتر از Valid Upto Date باشد.
 DocType: Employee Skill,Evaluation Date,تاریخ ارزیابی
 DocType: Quotation Item,Stock Balance,تعادل سهام
+DocType: Loan Security Pledge,Total Security Value,ارزش امنیتی کل
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,سفارش فروش به پرداخت
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,مدیر عامل
 DocType: Purchase Invoice,With Payment of Tax,با پرداخت مالیات
@@ -3722,6 +3767,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,نرخ گذاری کنونی
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,تعداد حسابهای اصلی نمی تواند کمتر از 4 باشد
 DocType: Training Event,Advance,پیشرفت
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,در برابر وام:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,تنظیمات دروازه پرداخت GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,تبادل کاهش / افزایش
 DocType: Opportunity,Lost Reason,از دست داده دلیل
@@ -3807,6 +3853,7 @@
 ,GSTR-1,GSTR-1
 DocType: Fee Validity,Reference Inv,مجله مرجع
 DocType: Sales Invoice Advance,Advance Amount,جستجوی پیشرفته مقدار
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,مجازات نرخ بهره (٪) در روز
 DocType: Manufacturing Settings,Capacity Planning,برنامه ریزی ظرفیت
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,تعدیل گرد کردن (ارزش شرکت
 DocType: Asset,Policy number,شماره خط
@@ -3821,7 +3868,9 @@
 DocType: Normal Test Items,Require Result Value,نیاز به ارزش نتیجه
 DocType: Purchase Invoice,Pricing Rules,قوانین قیمت گذاری
 DocType: Item,Show a slideshow at the top of the page,نمایش تصاویر به صورت خودکار در بالای صفحه
+DocType: Appointment Letter,Body,بدن
 DocType: Tax Withholding Rate,Tax Withholding Rate,نرخ اخراج مالیاتی
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,تاریخ شروع بازپرداخت برای وام های کوتاه مدت الزامی است
 DocType: Pricing Rule,Max Amt,حداکثر امت
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOM ها
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,فروشگاه
@@ -3839,7 +3888,7 @@
 DocType: Call Log,Received By,دریافت شده توسط
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),مدت زمان قرار ملاقات (در عرض چند دقیقه)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,جریان نقدی نقشه برداری جزئیات قالب
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,مدیریت وام
+DocType: Loan,Loan Management,مدیریت وام
 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,Update Cost,به روز رسانی هزینه
@@ -3847,6 +3896,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-فرم
 DocType: Sales Invoice,Mode of Transport,حالت حمل و نقل
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,لغزش نمایش حقوق
+DocType: Loan,Is Term Loan,وام مدت است
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,مواد انتقال
 DocType: Fees,Send Payment Request,ارسال درخواست پرداخت
 DocType: Travel Request,Any other details,هر جزئیات دیگر
@@ -3864,6 +3914,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,جریان وجوه نقد از تامین مالی
 DocType: Budget Account,Budget Account,حساب بودجه
 DocType: Quality Inspection,Verified By,تایید شده توسط
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,امنیت وام را اضافه کنید
 DocType: Travel Request,Name of Organizer,نام سازنده
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,آیا مسئولیت مالیات بر درآمد است؟
@@ -3913,6 +3964,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,مورد نیاز در
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",اگر علامت زده شود ، قسمت Rounded Total را در Slip Slips مخفی کرده و غیرفعال می کند
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,این افست پیش فرض (روزها) برای تاریخ تحویل در سفارشات فروش است. افست برگشتی 7 روز از تاریخ تعیین سفارش می باشد.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم&gt; سری شماره گذاری تنظیم کنید
 DocType: Rename Tool,File to Rename,فایل برای تغییر نام
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},لطفا BOM در ردیف را انتخاب کنید برای مورد {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,دریافت به روز رسانی اشتراک
@@ -3925,6 +3977,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,شماره سریال ایجاد شده است
 DocType: POS Profile,Applicable for Users,مناسب برای کاربران
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN- .YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,از تاریخ و به بعد اجباری هستند
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),تنظیم پیشرفت و اختصاص (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,بدون سفارش کار ایجاد شده است
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای این دوره بوجود
@@ -4027,11 +4080,12 @@
 ,Minutes to First Response for Opportunity,دقیقه به اولین پاسخ برای فرصت
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,مجموع غایب
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,موردی یا انبار ردیف {0} مطابقت ندارد درخواست مواد
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,مبلغ قابل پرداخت
+DocType: Loan Repayment,Payable Amount,مبلغ قابل پرداخت
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,فرصت
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,حداکثر قدرت نمی تواند کمتر از صفر باشد.
 DocType: Options,Option,گزینه
 DocType: Operation,Default Workstation,به طور پیش فرض ایستگاه کاری
 DocType: Payment Entry,Deductions or Loss,کسر یا از دست دادن
@@ -4072,6 +4126,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,مبلغ بهره الزامی است
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,مرخصی بدون حقوق با تایید سوابق مرخصی کاربرد مطابقت ندارد
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,گام های بعدی
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,موارد ذخیره شده
@@ -4122,8 +4177,6 @@
 DocType: Grant Application,Grant Application Details ,جزئیات برنامه Grant
 DocType: Employee Separation,Employee Separation,جدایی کارکنان
 DocType: BOM Item,Original Item,مورد اصلی
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","لطفاً برای لغو این سند ، <a href=""#Form/Employee/{0}"">{0}</a> \ کارمند را حذف کنید"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,تاریخ داک
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},سوابق هزینه ایجاد شده - {0}
 DocType: Asset Category Account,Asset Category Account,حساب دارایی رده
@@ -4156,6 +4209,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,آزمایش آزمایش مورد {0} در حال حاضر وجود دارد
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} تعطیلات شرکت است
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ساعت قابل پرداخت
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,در صورت تأخیر در بازپرداخت ، نرخ بهره مجازات به میزان روزانه مبلغ بهره در نظر گرفته می شود
+DocType: Appointment Letter content,Appointment Letter content,محتوای نامه انتصاب
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,اخطار وضعیت را ترک کنید
 DocType: Patient Appointment,Procedure Prescription,روش تجویز
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,مبلمان و لامپ
@@ -4174,7 +4229,7 @@
 DocType: Opportunity,Customer / Lead Name,مشتری / نام سرب
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ترخیص کالا از تاریخ ذکر نشده است
 DocType: Payroll Period,Taxable Salary Slabs,اسلب حقوق و دستمزد مشمول مالیات
-DocType: Job Card,Production,تولید
+DocType: Plaid Settings,Production,تولید
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN نامعتبر است! ورودی که وارد کردید با قالب GSTIN مطابقت ندارد.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ارزش حساب
 DocType: Guardian,Occupation,اشتغال
@@ -4314,6 +4369,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,مجموعه برنامه وفاداری
 DocType: Stock Entry Detail,Subcontracted Item,مورد زیر قرارداد
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},دانشجو {0} به گروه {1} تعلق ندارد
+DocType: Appointment Letter,Appointment Date,تاریخ انتصاب
 DocType: Budget,Cost Center,مرکز هزینه زا
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,کوپن #
 DocType: Tax Rule,Shipping Country,حمل و نقل کشور
@@ -4382,6 +4438,7 @@
 DocType: Accounting Dimension,Accounting Dimension,بعد حسابداری
 ,Profit and Loss Statement,بیانیه سود و زیان
 DocType: Bank Reconciliation Detail,Cheque Number,شماره چک
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,مبلغ پرداخت شده نمی تواند صفر باشد
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,مورد اشاره شده توسط {0} - {1} قبلا محاسبه شده است
 ,Sales Browser,مرورگر فروش
 DocType: Journal Entry,Total Credit,مجموع اعتباری
@@ -4485,6 +4542,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,شرایط کوپن را اضافه یا ویرایش کنید
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,حساب هزینه / تفاوت ({0}) باید یک حساب کاربری &#39;، سود و ضرر باشد
 DocType: Stock Entry Detail,Stock Entry Child,کودک ورود سهام
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,شرکت تضمین امنیت وام و شرکت وام باید یکسان باشند
 DocType: Project,Copied From,کپی شده از
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,فاکتور برای هر ساعت صدور صورت حساب آماده شده است
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},error نام: {0}
@@ -4492,6 +4550,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,هزینه مالی است
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,حضور و غیاب کارکنان برای {0} در حال حاضر مشخص شده
 DocType: Packing Slip,If more than one package of the same type (for print),اگر بیش از یک بسته از همان نوع (برای چاپ)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش&gt; تنظیمات آموزش تنظیم کنید
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,لطفا تنظیمات پیشفرض را در تنظیمات رستوران تنظیم کنید
 ,Salary Register,حقوق و دستمزد ثبت نام
 DocType: Company,Default warehouse for Sales Return,انبار پیش فرض برای بازده فروش
@@ -4536,7 +4595,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,شماره سریال فعلی
 DocType: Employee,Attendance and Leave Details,حضور و خروج جزئیات
 ,BOM Comparison Tool,ابزار مقایسه BOM
-,Requested,خواسته
+DocType: Loan Security Pledge,Requested,خواسته
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,بدون شرح
 DocType: Asset,In Maintenance,در تعمیر و نگهداری
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,روی این دکمه کلیک کنید تا اطلاعات مربوط به فروش سفارش خود را از Amazon MWS بکشید.
@@ -4548,7 +4607,6 @@
 DocType: Drug Prescription,Drug Prescription,تجویز دارو
 DocType: Service Level,Support and Resolution,پشتیبانی و قطعنامه
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,کد مورد رایگان انتخاب نشده است
-DocType: Loan,Repaid/Closed,بازپرداخت / بسته
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,کل پیش بینی تعداد
 DocType: Monthly Distribution,Distribution Name,نام توزیع
@@ -4581,6 +4639,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,ثبت حسابداری برای انبار
 DocType: Lab Test,LabTest Approver,تأییدکننده LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,شما در حال حاضر برای معیارهای ارزیابی ارزیابی {}.
+DocType: Loan Security Shortfall,Shortfall Amount,مقدار کمبود
 DocType: Vehicle Service,Engine Oil,روغن موتور
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},دستور کار ایجاد شده: {0}
 DocType: Sales Invoice,Sales Team1,Team1 فروش
@@ -4597,6 +4656,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,وضعیت شغلی
 DocType: Purchase Invoice,Apply Additional Discount On,درخواست تخفیف اضافی
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,انتخاب نوع ...
+DocType: Loan Interest Accrual,Amounts,مقدار
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,بلیط های شما
 DocType: Account,Root Type,نوع ریشه
 DocType: Item,FIFO,FIFO
@@ -4604,6 +4664,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},ردیف # {0}: نمی تواند بیشتر از بازگشت {1} برای مورد {2}
 DocType: Item Group,Show this slideshow at the top of the page,نمایش تصاویر به صورت خودکار در این بازگشت به بالای صفحه
 DocType: BOM,Item UOM,مورد UOM
+DocType: Loan Security Price,Loan Security Price,قیمت امنیت وام
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),مبلغ مالیات پس از تخفیف مقدار (شرکت ارز)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},انبار هدف برای ردیف الزامی است {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,عملیات خرده فروشی
@@ -4737,6 +4798,7 @@
 DocType: Coupon Code,Coupon Description,توضیحات کوپن
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},دسته ای در ردیف الزامی است {0}
 DocType: Company,Default Buying Terms,شرایط خرید پیش فرض
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,پرداخت وام
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,مورد رسید خرید عرضه
 DocType: Amazon MWS Settings,Enable Scheduled Synch,همگام سازی برنامه ریزی شده را فعال کنید
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,به تاریخ ساعت
@@ -4828,6 +4890,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,پیشنهاد / قیمت نقل قول
 DocType: Antibiotic,Healthcare,مراقبت های بهداشتی
 DocType: Target Detail,Target Detail,جزئیات هدف
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,فرآیندهای وام
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,تنها گزینه
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,همه مشاغل
 DocType: Sales Order,% of materials billed against this Sales Order,درصد از مواد در برابر این سفارش فروش ثبت شده در صورتحساب
@@ -4889,7 +4952,7 @@
 DocType: Item,Reorder level based on Warehouse,سطح تغییر مجدد ترتیب بر اساس انبار
 DocType: Activity Cost,Billing Rate,نرخ صدور صورت حساب
 ,Qty to Deliver,تعداد برای ارائه
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,ورود ورودی را ایجاد کنید
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,ورود ورودی را ایجاد کنید
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,آمازون اطلاعاتی را که بعد از این تاریخ به روز می شود، همگام سازی می کند
 ,Stock Analytics,تجزیه و تحلیل ترافیک سهام
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,عملیات نمی تواند خالی باشد
@@ -4923,6 +4986,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,ادغام های خارجی را قطع کنید
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,پرداخت مربوطه را انتخاب کنید
 DocType: Pricing Rule,Item Code,کد مورد
+DocType: Loan Disbursement,Pending Amount For Disbursal,در انتظار مبلغ پرداختی
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU- .YYYY.-
 DocType: Serial No,Warranty / AMC Details,گارانتی / AMC اطلاعات بیشتر
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,دانش آموزان به صورت دستی برای فعالیت بر اساس گروه انتخاب
@@ -4946,6 +5010,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,تعداد کل
 DocType: Landed Cost Item,Receipt Document,سند دریافت
 DocType: Employee Education,School/University,مدرسه / دانشگاه
+DocType: Loan Security Pledge,Loan  Details,جزئیات وام
 DocType: Sales Invoice Item,Available Qty at Warehouse,تعداد موجود در انبار
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,مقدار فاکتور شده
 DocType: Share Transfer,(including),(شامل)
@@ -4969,6 +5034,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,گروه
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,گروه های حساب
 DocType: Purchase Invoice,Hold Invoice,برگزاری فاکتور
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,وضعیت تعهد
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,لطفا کارمند را انتخاب کنید
 DocType: Sales Order,Fully Delivered,به طور کامل تحویل
 DocType: Promotional Scheme Price Discount,Min Amount,مقدار حداقل
@@ -4978,7 +5044,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},میزان مبالغ هزینه نمی تواند بیشتر از وام مبلغ {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ردیف {0} # مقدار اختصاص داده شده {1} نمیتواند بیشتر از مقدار درخواست نشده باشد {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},خرید شماره سفارش مورد نیاز برای مورد {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,برگ فرستاده حمل
@@ -5006,6 +5071,7 @@
 DocType: Pick List Item,Serial No and Batch,سریال نه و دسته ای
 DocType: Warranty Claim,From Company,از شرکت
 DocType: GSTR 3B Report,January,ژانویه
+DocType: Loan Repayment,Principal Amount Paid,مبلغ اصلی پرداخت شده
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع نمرات از معیارهای ارزیابی نیاز به {0} باشد.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,لطفا تعداد مجموعه ای از Depreciations رزرو
 DocType: Supplier Scorecard Period,Calculations,محاسبات
@@ -5031,6 +5097,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,درباره شرکت شما
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,نمایش داده های پیری سهام
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,اعتباری به حساب باید یک حساب ترازنامه شود
+DocType: Loan Repayment,Penalty Amount,میزان مجازات
 DocType: Donor,Donor,اهدا کننده
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,مالیات ها را برای موارد به روز کنید
 DocType: Global Defaults,Disable In Words,غیر فعال کردن در کلمات
@@ -5060,6 +5127,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,مرکز هزینه و بودجه
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,افتتاح حقوق صاحبان سهام تعادل
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,ورودی پرداخت شده جزئی
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,لطفاً برنامه پرداخت را تنظیم کنید
 DocType: Pick List,Items under this warehouse will be suggested,موارد زیر این انبار پیشنهاد خواهد شد
 DocType: Purchase Invoice,N,N
@@ -5092,7 +5160,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,دریافت کنندگان توسط
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} برای مورد {1} یافت نشد
 DocType: Accounts Settings,Show Inclusive Tax In Print,نشان دادن مالیات فراگیر در چاپ
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",حساب بانکی، از تاریخ و تاریخ لازم است
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,پیام های ارسال شده
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,حساب کاربری با گره فرزند می تواند به عنوان دفتر تنظیم شود
 DocType: C-Form,II,II
@@ -5106,6 +5173,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,سفارش مجدد خودکار را فعال کنید
 DocType: Stock Settings,Item Naming By,مورد نامگذاری توسط
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},یکی دیگر از ورودی اختتامیه دوره {0} شده است پس از ساخته شده {1}
+DocType: Proposed Pledge,Proposed Pledge,تعهد پیشنهادی
 DocType: Work Order,Material Transferred for Manufacturing,مواد منتقل ساخت
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,حساب {0} وجود ندارد
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,برنامه وفاداری را انتخاب کنید
@@ -5116,7 +5184,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",تنظیم رویدادها به {0}، از کارمند متصل به زیر Persons فروش یک ID کاربر ندارد {1}
 DocType: Timesheet,Billing Details,جزئیات صورتحساب
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,منبع و انبار هدف باید متفاوت باشد
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی&gt; تنظیمات HR تنظیم کنید
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,پرداخت ناموفق. برای اطلاعات بیشتر، لطفا حساب GoCardless خود را بررسی کنید
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},اجازه به روز رسانی معاملات سهام مسن تر از {0}
 DocType: Stock Entry,Inspection Required,مورد نیاز بازرسی
@@ -5129,6 +5196,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,برنامه
+DocType: Unpledge,Against Pledge,علیه تعهد
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,کاربران با این نقش ها اجازه تنظیم حساب های یخ زده و ایجاد / تغییر نوشته های حسابداری در برابر حساب منجمد
 DocType: Plaid Settings,Plaid Environment,محیط زیست فرش
 ,Project Billing Summary,خلاصه صورتحساب پروژه
@@ -5180,6 +5248,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,دسته
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,تعداد ملاقاتهای روزانه را می توانید از قبل رزرو کنید
 DocType: Article,LMS User,کاربر LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,وام تضمین شده برای وام تضمین شده الزامی است
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),محل عرضه (ایالت / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,سهام UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,خرید سفارش {0} است ارسال نشده
@@ -5252,6 +5321,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ایجاد کارت شغلی
 DocType: Quotation,Referral Sales Partner,شریک فروش ارجاع
 DocType: Quality Procedure Process,Process Description,شرح فرایند
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",Unedededge نمی تواند ارزش امنیتی وام را از مبلغ بازپرداخت شده بیشتر کند
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,مشتری {0} ایجاد شده است
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,در حال حاضر هیچ کالایی در انبار وجود ندارد
 ,Payment Period Based On Invoice Date,دوره پرداخت بر اساس فاکتور عضویت
@@ -5271,7 +5341,7 @@
 DocType: Asset,Insurance Details,جزئیات بیمه
 DocType: Account,Payable,قابل پرداخت
 DocType: Share Balance,Share Type,نوع توزیع
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,لطفا دوره بازپرداخت وارد کنید
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,لطفا دوره بازپرداخت وارد کنید
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),بدهکاران ({0})
 DocType: Pricing Rule,Margin,حاشیه
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,مشتریان جدید
@@ -5280,6 +5350,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,فرصت های منبع سرب
 DocType: Appraisal Goal,Weightage (%),بین وزنها (٪)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,تغییر مشخصات POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Qty یا مقدار برای تأمین امنیت وام است
 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,Assessment Report,گزارش ارزیابی
@@ -5314,6 +5385,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,به اشتراک گذاشتن لجر
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,فاکتور فروش {0} ایجاد شد
 DocType: Employee,Confirmation Date,تایید عضویت
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","لطفاً برای لغو این سند ، <a href=""#Form/Employee/{0}"">{0}</a> \ کارمند را حذف کنید"
 DocType: Inpatient Occupancy,Check Out,وارسی
 DocType: C-Form,Total Invoiced Amount,کل مقدار صورتحساب
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,حداقل تعداد نمی تواند بیشتر از حداکثر تعداد
@@ -5326,7 +5399,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID شرکت Quickbooks
 DocType: Travel Request,Travel Funding,تامین مالی سفر
 DocType: Employee Skill,Proficiency,مهارت
-DocType: Loan Application,Required by Date,مورد نیاز تاریخ
 DocType: Purchase Invoice Item,Purchase Receipt Detail,جزئیات رسید رسید
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,یک لینک به تمام مکان هایی که محصولات در حال رشد است
 DocType: Lead,Lead Owner,مالک راهبر
@@ -5345,7 +5417,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM BOM کنونی و جدید را نمی توان همان
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,حقوق و دستمزد ID لغزش
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,تاریخ بازنشستگی باید از تاریخ پیوستن بیشتر
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,عرضه کننده&gt; نوع عرضه کننده
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,گزینه های چندگانه
 DocType: Sales Invoice,Against Income Account,به حساب درآمد
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ تحویل داده شد
@@ -5377,7 +5448,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,نوع گذاری اتهامات نمی تواند به عنوان فراگیر مشخص شده
 DocType: POS Profile,Update Stock,به روز رسانی سهام
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,جزئیات پرداخت
+DocType: Loan Repayment,Payment Details,جزئیات پرداخت
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM نرخ
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,خواندن پرونده بارگذاری شده
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",کار متوقف کار را نمی توان لغو کرد، برای لغو آن ابتدا آن را متوقف کنید
@@ -5409,6 +5480,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},تعداد دسته برای مورد الزامی است {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,ارزش وام حداکثر
 ,Stock Ledger,سهام لجر
 DocType: Company,Exchange Gain / Loss Account,تبادل به دست آوردن / از دست دادن حساب
 DocType: Amazon MWS Settings,MWS Credentials,مجوز MWS
@@ -5515,7 +5587,6 @@
 DocType: Fee Schedule,Fee Schedule,هزینه های برنامه
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,برچسب های ستون:
 DocType: Bank Transaction,Settled,حل و فصل
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,تاریخ پرداخت نمی تواند بعد از تاریخ شروع بازپرداخت وام باشد
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,سس
 DocType: Quality Feedback,Parameters,مولفه های
 DocType: Company,Create Chart Of Accounts Based On,درست نمودار حساب بر اساس
@@ -5535,6 +5606,7 @@
 DocType: Customer,Credit Limit and Payment Terms,محدودیت های اعتباری و شرایط پرداخت
 DocType: Loyalty Program,Collection Rules,قوانین جمع آوری
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,3 مورد
+DocType: Loan Security Shortfall,Shortfall Time,زمان کمبود
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ورودی سفارش
 DocType: Purchase Order,Customer Contact Email,مشتریان تماس با ایمیل
 DocType: Warranty Claim,Item and Warranty Details,آیتم و گارانتی اطلاعات
@@ -5554,12 +5626,14 @@
 DocType: Sales Person,Sales Person Name,نام فروشنده
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,لطفا حداقل 1 فاکتور در جدول وارد کنید
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,هیچ تست آزمایشگاهی ایجاد نشد
+DocType: Loan Security Shortfall,Security Value ,ارزش امنیتی
 DocType: POS Item Group,Item Group,مورد گروه
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,گروه دانشجویی:
 DocType: Depreciation Schedule,Finance Book Id,شناسه مالی کتاب
 DocType: Item,Safety Stock,سهام ایمنی
 DocType: Healthcare Settings,Healthcare Settings,تنظیمات سلامت
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,مجموع برگه های برگزیده
+DocType: Appointment Letter,Appointment Letter,نامه انتصاب
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},به {0}
@@ -5613,6 +5687,7 @@
 DocType: Stock Entry,From BOM,از BOM
 DocType: Assessment Code,Assessment Code,کد ارزیابی
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,پایه
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,برنامه های وام از مشتریان و کارمندان.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,معاملات سهام قبل از {0} منجمد
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',لطفا بر روی &#39;ایجاد برنامه کلیک کنید
 DocType: Job Card,Current Time,زمان فعلی
@@ -5638,7 +5713,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,اعطا کردن
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,بدون تشکل های دانشجویی ایجاد شده است.
 DocType: Purchase Invoice Item,Serial No,شماره سریال
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,میزان بازپرداخت ماهانه نمی تواند بیشتر از وام مبلغ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,میزان بازپرداخت ماهانه نمی تواند بیشتر از وام مبلغ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,لطفا ابتدا Maintaince جزئیات را وارد کنید
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ردیف # {0}: تاریخ تحویل احتمالی قبل از تاریخ سفارش خرید نمی تواند باشد
 DocType: Purchase Invoice,Print Language,چاپ زبان
@@ -5651,6 +5726,7 @@
 DocType: Asset,Finance Books,کتاب های مالی
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,بخش اعلامیه حقوق بازنشستگی کارکنان
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,همه مناطق
+DocType: Plaid Settings,development,توسعه
 DocType: Lost Reason Detail,Lost Reason Detail,جزئیات دلیل گمشده
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,لطفا سؤال را برای کارمند {0} در رکورد کارمند / درجه تعیین کنید
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,Order Blanket نامعتبر برای مشتری و مورد انتخاب شده است
@@ -5713,12 +5789,14 @@
 DocType: Staffing Plan Detail,Current Openings,بازوهای فعلی
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,جریان وجوه نقد از عملیات
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,مقدار CGST
+DocType: Vehicle Log,Current Odometer value ,مقدار کیلومتر شمار فعلی
 apps/erpnext/erpnext/utilities/activation.py,Create Student,ایجاد دانشجو
 DocType: Asset Movement Item,Asset Movement Item,مورد حرکت دارایی
 DocType: Purchase Invoice,Shipping Rule,قانون حمل و نقل
 DocType: Patient Relation,Spouse,همسر
 DocType: Lab Test Groups,Add Test,اضافه کردن تست
 DocType: Manufacturer,Limited to 12 characters,محدود به 12 کاراکتر
+DocType: Appointment Letter,Closing Notes,یادداشتهای بسته شدن
 DocType: Journal Entry,Print Heading,چاپ سرنویس
 DocType: Quality Action Table,Quality Action Table,جدول اقدام کیفیت
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,مجموع نمیتواند صفر باشد
@@ -5785,6 +5863,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),مجموع (AMT)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},لطفاً برای نوع (حساب) گروه (گروه) را شناسایی یا ایجاد کنید - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,سرگرمی و اوقات فراغت
+DocType: Loan Security,Loan Security,امنیت وام
 ,Item Variant Details,مورد Variant جزئیات
 DocType: Quality Inspection,Item Serial No,مورد سریال بدون
 DocType: Payment Request,Is a Subscription,یک اشتراک است
@@ -5797,7 +5876,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,آخرین سن
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,تاریخ های تعیین شده و پذیرفته شده نمی تواند کمتر از امروز باشد
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,انتقال مواد به تامین کننده
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,جدید بدون سریال را می انبار ندارد. انبار باید توسط بورس ورود یا رسید خرید مجموعه
 DocType: Lead,Lead Type,سرب نوع
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,ایجاد استعلام
@@ -5814,7 +5892,6 @@
 DocType: Leave Allocation,Leave Period,ترک دوره
 DocType: Item,Default Material Request Type,به طور پیش فرض نوع درخواست پاسخ به
 DocType: Supplier Scorecard,Evaluation Period,دوره ارزیابی
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,مشتری&gt; گروه مشتری&gt; سرزمین
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ناشناخته
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,سفارش کار ایجاد نشده است
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5897,7 +5974,8 @@
 ,Customer-wise Item Price,قیمت کالای خردمندانه مشتری
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,صورت جریان وجوه نقد
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,درخواست مادری ایجاد نشد
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},وام مبلغ می توانید حداکثر مبلغ وام از تجاوز نمی {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},وام مبلغ می توانید حداکثر مبلغ وام از تجاوز نمی {0}
+DocType: Loan,Loan Security Pledge,تعهد امنیتی وام
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,مجوز
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,لطفا انتخاب کنید حمل به جلو اگر شما نیز می خواهید که شامل تعادل سال گذشته مالی برگ به سال مالی جاری
@@ -5914,6 +5992,7 @@
 DocType: Pricing Rule,Price Discount Scheme,طرح تخفیف قیمت
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,وضعیت تعمیر و نگهداری باید لغو شود یا تکمیل شود
 DocType: Amazon MWS Settings,US,ایالات متحده
+DocType: Loan Security Pledge,Pledged,قول داده
 DocType: Holiday List,Add Weekly Holidays,تعطیلات هفتگی اضافه کنید
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,گزارش مورد
 DocType: Staffing Plan Detail,Vacancies,واجد شرایط
@@ -5932,7 +6011,6 @@
 DocType: Production Plan Item,Planned Start Date,برنامه ریزی تاریخ شروع
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,لطفا یک BOM را انتخاب کنید
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC یکپارچه مالیاتی به دست آورد
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,ورودی بازپرداخت را ایجاد کنید
 DocType: Purchase Order Item,Blanket Order Rate,نرخ سفارش قالب
 ,Customer Ledger Summary,خلاصه لجر مشتری
 apps/erpnext/erpnext/hooks.py,Certification,صدور گواهینامه
@@ -5953,6 +6031,7 @@
 DocType: Appraisal Template,Appraisal Template Title,ارزیابی الگو عنوان
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,تجاری
 DocType: Patient,Alcohol Current Use,مصرف الکل فعلی
+DocType: Loan,Loan Closure Requested,درخواست بسته شدن وام
 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,معافیت مالیاتی رده
@@ -5976,6 +6055,7 @@
 DocType: Opening Invoice Creation Tool,Sales,فروش
 DocType: Stock Entry Detail,Basic Amount,مقدار اولیه
 DocType: Training Event,Exam,امتحان
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,کمبود امنیت وام فرآیند
 DocType: Email Campaign,Email Campaign,کمپین ایمیل
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,خطای بازار
 DocType: Complaint,Complaint,شکایت
@@ -6053,6 +6133,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,این را برای ایجاد رکورد کارمند ارسال کنید
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},همپوشانی قیمت امنیت وام با {0}
 DocType: Item Default,Item Default,مورد پیش فرض
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,لوازم داخل کشور
 DocType: Chapter Member,Leave Reason,دلیل را ترک کنید
@@ -6077,6 +6158,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,برگهای مورد استفاده
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,آیا می خواهید درخواست مطالب را ارسال کنید
 DocType: Job Offer,Awaiting Response,در انتظار پاسخ
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,وام الزامی است
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH- .YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,در بالا
 DocType: Support Search Source,Link Options,گزینه های پیوند
@@ -6089,6 +6171,7 @@
 DocType: Training Event Employee,Optional,اختیاری
 DocType: Salary Slip,Earning & Deduction,سود و کسر
 DocType: Agriculture Analysis Criteria,Water Analysis,تجزیه و تحلیل آب
+DocType: Pledge,Post Haircut Amount,مبلغ کوتاه کردن مو
 DocType: Sales Order,Skip Delivery Note,پرش به یادداشت تحویل
 DocType: Price List,Price Not UOM Dependent,قیمت وابسته UOM نیست
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} انواع ایجاد شده است.
@@ -6115,6 +6198,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,گرفتن اقلام از بسته نرم افزاری محصولات
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,روش بازپرداخت برای وام های کوتاه مدت الزامی است
 DocType: Asset,Straight Line,خط مستقیم
 DocType: Project User,Project User,پروژه کاربر
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,شکاف
@@ -6167,11 +6251,8 @@
 DocType: Material Request Plan Item,Required Quantity,مقدار مورد نیاز
 DocType: Lab Test Template,Lab Test Template,آزمایش آزمایشی
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},دوره حسابداری با {0} همپوشانی دارد
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,عرضه کننده&gt; نوع عرضه کننده
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,حساب فروش
 DocType: Purchase Invoice Item,Total Weight,وزن مجموع
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","لطفاً برای لغو این سند ، <a href=""#Form/Employee/{0}"">{0}</a> \ کارمند را حذف کنید"
 DocType: Pick List Item,Pick List Item,مورد را انتخاب کنید
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,کمیسیون فروش
 DocType: Job Offer Term,Value / Description,ارزش / توضیحات
@@ -6217,6 +6298,7 @@
 DocType: Patient Encounter,Encounter Date,تاریخ برخورد
 DocType: Work Order,Update Consumed Material Cost In Project,هزینه مواد مصرفی مصرف شده در پروژه را به روز کنید
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,حساب: {0} با ارز: {1} نمی تواند انتخاب شود
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,وامهایی که به مشتریان و کارمندان داده می شود.
 DocType: Bank Statement Transaction Settings Item,Bank Data,داده های بانکی
 DocType: Purchase Receipt Item,Sample Quantity,تعداد نمونه
 DocType: Bank Guarantee,Name of Beneficiary,نام كاربر
@@ -6284,7 +6366,6 @@
 DocType: Contract,Signed On,امضا شده
 DocType: Bank Account,Party Type,نوع حزب
 DocType: Discounted Invoice,Discounted Invoice,تخفیف فاکتور
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,حضور علامت گذاری به عنوان <b></b>
 DocType: Payment Schedule,Payment Schedule,برنامه زمانی پرداخت
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},هیچ کارمندی برای ارزش زمینه کارمند داده شده یافت نشد. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,مخفف
@@ -6378,7 +6459,6 @@
 DocType: Purchase Order,To Receive,برای دریافت
 DocType: Leave Period,Holiday List for Optional Leave,لیست تعطیلات برای اقامت اختیاری
 DocType: Item Tax Template,Tax Rates,نرخ مالیات
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,کد کالا&gt; گروه مورد&gt; نام تجاری
 DocType: Asset,Asset Owner,صاحب دارایی
 DocType: Item,Website Content,محتوای وب سایت
 DocType: Bank Account,Integration ID,شناسه ادغام
@@ -6421,6 +6501,7 @@
 DocType: Customer,Mention if non-standard receivable account,ذکر است اگر حسابهای دریافتنی غیر استاندارد
 DocType: Bank,Plaid Access Token,نشانه دسترسی به Plaid
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,لطفا مزایای باقیمانده {0} را به هر یک از اجزای موجود اضافه کنید
+DocType: Bank Account,Is Default Account,حساب پیش فرض است
 DocType: Journal Entry Account,If Income or Expense,اگر درآمد یا هزینه
 DocType: Course Topic,Course Topic,موضوع دوره
 DocType: Bank Statement Transaction Entry,Matching Invoices,مطابقت فاکتورها
@@ -6432,7 +6513,7 @@
 DocType: Disease,Treatment Task,وظیفه درمان
 DocType: Payment Order Reference,Bank Account Details,جزئیات حساب بانکی
 DocType: Purchase Order Item,Blanket Order,سفارش سفارشی
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,مقدار بازپرداخت باید بیشتر از
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,مقدار بازپرداخت باید بیشتر از
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,دارایی های مالیاتی
 DocType: BOM Item,BOM No,BOM بدون
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,جزئیات را به روز کنید
@@ -6487,6 +6568,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,محصولات WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},خطای نحوی در فرمول یا شرایط: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,مورد {0} از آن نادیده گرفته است یک آیتم سهام نمی
+,Loan Security Status,وضعیت امنیتی وام
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",برای رد درخواست قیمت گذاری در یک معامله خاص نیست، همه قوانین قیمت گذاری قابل اجرا باید غیر فعال باشد.
 DocType: Payment Term,Day(s) after the end of the invoice month,روز (ها) پس از پایان ماه فاکتور
 DocType: Assessment Group,Parent Assessment Group,پدر و مادر گروه ارزیابی
@@ -6501,7 +6583,6 @@
 DocType: Stock Entry Detail,Additional Cost,هزینه های اضافی
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",می توانید بر روی کوپن نه فیلتر بر اساس، در صورتی که توسط کوپن گروه بندی
 DocType: Quality Inspection,Incoming,وارد شونده
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم&gt; سری شماره گذاری تنظیم کنید
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,قالب های پیش فرض مالی برای فروش و خرید ایجاد می شوند.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,ارزیابی نتیجه نتیجه {0} در حال حاضر وجود دارد.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",به عنوان مثال: ABCD. #####. اگر مجموعه ای تنظیم شده است و Batch No در معاملات ذکر شده است، سپس شماره بلاک اتوماتیک بر اساس این سری ایجاد می شود. اگر همیشه می خواهید بطور صریح بیتی را برای این آیتم ذکر کنید، این را خالی بگذارید. توجه: این تنظیم اولویت بیش از Prefix سری نامگذاری در تنظیمات سهام است.
@@ -6511,8 +6592,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,ارسال بررسی
 DocType: Contract,Party User,کاربر حزب
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',لطفا مجموعه شرکت فیلتر خالی اگر گروه توسط است شرکت &#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,مشتری&gt; گروه مشتری&gt; سرزمین
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,مجوز های ارسال و تاریخ نمی تواند تاریخ آینده
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ردیف # {0}: سریال نه {1} با مطابقت ندارد {2} {3}
+DocType: Loan Repayment,Interest Payable,بهره قابل پرداخت
 DocType: Stock Entry,Target Warehouse Address,آدرس انبار هدف
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,مرخصی گاه به گاه
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,زمان قبل از شروع کار شیفت که در آن Check-in کارمندان برای حضور در نظر گرفته می شود.
@@ -6640,6 +6723,7 @@
 DocType: Issue,Reset Service Level Agreement,تنظیم مجدد توافق نامه سطح سرویس
 ,Sales Person-wise Transaction Summary,فروش شخص عاقل خلاصه معامله
 DocType: Training Event,Contact Number,شماره تماس
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,مبلغ وام الزامی است
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,انبار {0} وجود ندارد
 DocType: Cashier Closing,Custody,بازداشت
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,جزئیات بازپرداخت معاف از مالیات کارمند
@@ -6686,6 +6770,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,تعداد موجودی
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,شرایط بر روی همه موارد انتخاب شده در ترکیب اعمال خواهد شد.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,اهداف نمی تواند خالی باشد
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,انبار نادرست
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,ثبت نام دانش آموزان
 DocType: Item Group,Parent Item Group,مورد گروه پدر و مادر
 DocType: Appointment Type,Appointment Type,نوع انتصاب
@@ -6739,11 +6824,12 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,میانگین امتیازات
 DocType: Appointment,Appointment With,ملاقات با
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,مجموع مبلغ پرداختی در برنامه پرداخت باید برابر با مقدار Grand / Rounded باشد
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,حضور علامت گذاری به عنوان <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""ایتم مورد نظر مشتری"" 
 اعتبار کافی ندارد"
 DocType: Subscription Plan Detail,Plan,طرح
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,تعادل بیانیه بانک به عنوان در هر لجر عمومی
-DocType: Job Applicant,Applicant Name,نام متقاضی
+DocType: Appointment Letter,Applicant Name,نام متقاضی
 DocType: Authorization Rule,Customer / Item Name,مشتری / نام آیتم
 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**. 
 
@@ -6787,11 +6873,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,انبار نمی تواند حذف شود به عنوان ورودی سهام دفتر برای این انبار وجود دارد.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,توزیع
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,وضعیت کارمندان را نمی توان &quot;چپ&quot; قرار داد زیرا کارمندان زیر در حال حاضر به این کارمند گزارش می دهند:
-DocType: Journal Entry Account,Loan,وام
+DocType: Loan Repayment,Amount Paid,مبلغ پرداخت شده
+DocType: Loan Security Shortfall,Loan,وام
 DocType: Expense Claim Advance,Expense Claim Advance,پیش پرداخت هزینه
 DocType: Lab Test,Report Preference,اولویت گزارش
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,اطلاعات داوطلب
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,مدیر پروژه
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,گروه توسط مشتری
 ,Quoted Item Comparison,مورد نقل مقایسه
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},همپوشانی در نمره بین {0} و {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,اعزام
@@ -6810,6 +6898,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time",استاد همگام سازی داده های، ممکن است برخی از زمان
 DocType: Material Request Plan Item,Material Issue,شماره مواد
 DocType: Employee Education,Qualification,صلاحیت
+DocType: Loan Security Shortfall,Loan Security Shortfall,کمبود امنیت وام
 DocType: Item Price,Item Price,آیتم قیمت
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,صابون و مواد شوینده
 DocType: BOM,Show Items,نمایش آیتم ها
@@ -6830,13 +6919,13 @@
 DocType: Appointment Booking Settings,Appointment Details,جزئیات قرار ملاقات
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,محصول نهایی
 DocType: Warehouse,Warehouse Name,نام انبار
+DocType: Loan Security Pledge,Pledge Time,زمان تعهد
 DocType: Naming Series,Select Transaction,انتخاب معامله
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,لطفا تصویب نقش و یا تصویب کاربر وارد
 DocType: Journal Entry,Write Off Entry,ارسال فعال ورود
 DocType: BOM,Rate Of Materials Based On,نرخ مواد بر اساس
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",در صورت فعال بودن، دوره Academic Term در ابزار ثبت نام برنامه اجباری خواهد بود.
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",مقادیر معافیت ، صفر درجه بندی شده و غیر GST منابع داخلی
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,مشتری&gt; گروه مشتری&gt; سرزمین
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>شرکت</b> فیلتر اجباری است.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,همه موارد را از حالت انتخاب خارج کنید
 DocType: Purchase Taxes and Charges,On Item Quantity,در مورد مورد
@@ -6881,7 +6970,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,کمبود تعداد
 DocType: Purchase Invoice,Input Service Distributor,توزیع کننده خدمات ورودی
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,نوع مورد {0} با ویژگی های مشابه وجود دارد
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش&gt; تنظیمات آموزش تنظیم کنید
 DocType: Loan,Repay from Salary,بازپرداخت از حقوق و دستمزد
 DocType: Exotel Settings,API Token,API Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},درخواست پرداخت در مقابل {0} {1} برای مقدار {2}
@@ -6900,6 +6988,7 @@
 DocType: Salary Slip,Total Interest Amount,مقدار کل سود
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,انبارها با گره فرزند را نمی توان تبدیل به لجر
 DocType: BOM,Manage cost of operations,مدیریت هزینه های عملیات
+DocType: Unpledge,Unpledge,ناخواسته
 DocType: Accounts Settings,Stale Days,روزهای سخت
 DocType: Travel Itinerary,Arrival Datetime,زمان ورود
 DocType: Tax Rule,Billing Zipcode,کد پستی صورتحساب
@@ -7081,6 +7170,7 @@
 DocType: Employee Transfer,Employee Transfer,انتقال کارفرمایان
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ساعت
 DocType: Project,Expected Start Date,انتظار می رود تاریخ شروع
+DocType: Work Order,This is a location where raw materials are available.,این مکان جایی است که مواد اولیه در دسترس است.
 DocType: Purchase Invoice,04-Correction in Invoice,04 اصلاح در صورتحساب
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,سفارش کار برای همه موارد با BOM ایجاد شده است
 DocType: Bank Account,Party Details,جزئیات حزب
@@ -7099,6 +7189,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,نقل قول:
 DocType: Contract,Partially Fulfilled,تقریبا کامل شده است
 DocType: Maintenance Visit,Fully Completed,طور کامل تکمیل شده
+DocType: Loan Security,Loan Security Name,نام امنیتی وام
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",کاراکترهای خاص به جز &quot;-&quot; ، &quot;#&quot; ، &quot;.&quot; ، &quot;/&quot; ، &quot;{&quot; و &quot;}&quot; در سریال نامگذاری مجاز نیستند
 DocType: Purchase Invoice Item,Is nil rated or exempted,دارای رتبه یا معافیت است
 DocType: Employee,Educational Qualification,صلاحیت تحصیلی
@@ -7155,6 +7246,7 @@
 DocType: Program,Is Featured,برجسته است
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,واکشی ...
 DocType: Agriculture Analysis Criteria,Agriculture User,کاربر کشاورزی
+DocType: Loan Security Shortfall,America/New_York,آمریکا / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,معتبر تا تاریخ نمی تواند قبل از تاریخ معامله باشد
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,دانشجو رده
@@ -7229,8 +7321,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,شما مجاز به تنظیم مقدار ثابت شده نیستید
 DocType: Payment Reconciliation,Get Unreconciled Entries,دریافت Unreconciled مطالب
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},کارمند {0} در حال ترک در {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,هیچ مجوزی برای ورود مجله انتخاب نشده است
 DocType: Purchase Invoice,GST Category,دسته GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,وعده های پیشنهادی برای وام های مطمئن الزامی است
 DocType: Payment Reconciliation,From Invoice Date,از تاریخ فاکتور
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,بودجه
 DocType: Invoice Discounting,Disbursed,پرداخت شده
@@ -7286,14 +7378,13 @@
 DocType: Restaurant,Active Menu,منوی فعال
 DocType: Accounting Dimension Detail,Default Dimension,ابعاد پیش فرض
 DocType: Target Detail,Target Qty,هدف تعداد
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},علیه وام: {0}
 DocType: Shopping Cart Settings,Checkout Settings,تنظیمات پرداخت
 DocType: Student Attendance,Present,حاضر
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,تحویل توجه داشته باشید {0} باید ارائه شود
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",مبلغ دستمزدی که به کارمند ارسال می شود از رمز عبور محافظت می شود ، رمز عبور بر اساس خط مشی رمز عبور تولید می شود.
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,با بستن حساب {0} باید از نوع مسئولیت / حقوق صاحبان سهام می باشد
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای ورق زمان ایجاد {1}
-DocType: Vehicle Log,Odometer,کیلومتر شمار
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,کیلومتر شمار
 DocType: Production Plan Item,Ordered Qty,دستور داد تعداد
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,مورد {0} غیر فعال است
 DocType: Stock Settings,Stock Frozen Upto,سهام منجمد تا حد
@@ -7320,6 +7411,7 @@
 DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ورودی های متناوب مانند IN و OUT در همان شیفت
 DocType: Shopify Settings,Shared secret,مخفی به اشتراک گذاشته شده
 DocType: Amazon MWS Settings,Synch Taxes and Charges,همکاری مالیات ها و هزینه ها
+apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,لطفاً مبلغ ورود مجله تنظیم را برای مبلغ {0} ایجاد کنید
 DocType: Purchase Invoice,Write Off Amount (Company Currency),ارسال کردن مقدار (شرکت ارز)
 DocType: Sales Invoice Timesheet,Billing Hours,ساعت صدور صورت حساب
 DocType: Project,Total Sales Amount (via Sales Order),کل مبلغ فروش (از طریق سفارش خرید)
@@ -7346,7 +7438,6 @@
 DocType: Serial No,Delivery Document Type,تحویل نوع سند
 DocType: Sales Order,Partly Delivered,تا حدودی تحویل
 DocType: Item Variant Settings,Do not update variants on save,نسخه های مختلف را در ذخیره نکنید
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,گروه نگهبان
 DocType: Email Digest,Receivables,مطالبات
 DocType: Lead Source,Lead Source,منبع سرب
 DocType: Customer,Additional information regarding the customer.,اطلاعات اضافی در مورد مشتری می باشد.
@@ -7442,6 +7533,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,واقعی
 DocType: Appointment,Skype ID,نام کاربری اسکایپ
 DocType: Restaurant Menu,Restaurant Manager,مدیر رستوران
+DocType: Loan,Penalty Income Account,مجازات حساب درآمد
 DocType: Call Log,Call Log,تماس تلفنی
 DocType: Authorization Rule,Customerwise Discount,Customerwise تخفیف
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,برنامه زمانی برای انجام وظایف.
@@ -7527,6 +7619,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,طرح تخفیف محصول
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,هیچ شماره ای توسط تماس گیرنده مطرح نشده است.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,گروه توسط تهیه کننده
 DocType: Restaurant Reservation,Waitlisted,منتظر
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,رده انحصاری
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,نرخ ارز می تواند پس از ساخت ورودی با استفاده از یک ارز دیگر، نمی توان تغییر داد
@@ -7537,7 +7630,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,مشاور
 DocType: Subscription Plan,Based on price list,بر اساس لیست قیمت
 DocType: Customer Group,Parent Customer Group,مشتریان پدر و مادر گروه
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,بیل JSON e-Way فقط از فاکتور فروش تولید می شود
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,حداکثر تلاش برای این مسابقه رسید!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,اشتراک
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ایجاد هزینه در انتظار است
@@ -7555,6 +7647,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,تعمیر و نگهداری پیشگیرانه
 DocType: Delivery Note Item,Against Sales Invoice,در برابر فاکتور فروش
 DocType: Purchase Invoice,07-Others,07-دیگران
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,مقدار نقل قول
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,لطفا شماره سریال برای آیتم سریال وارد کنید
 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. ,باقی بماند اگر شما نمی خواهید به در نظر گرفتن دسته ای در حالی که ساخت گروه های دوره بر اساس.
@@ -7660,6 +7753,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,دریافت پرداخت توجه
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,این است که در معاملات در برابر این مشتری است. مشاهده جدول زمانی زیر برای جزئیات
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,درخواست مطالب ایجاد کنید
+DocType: Loan Interest Accrual,Pending Principal Amount,در انتظار مبلغ اصلی
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,گزارش ارزیابی عاقلانه
@@ -7701,6 +7795,7 @@
 											to fullfill Sales Order {2}",می تواند شماره سریال {0} آیتم {1} را به عنوان محفوظ نگه دارد \ order to complete order {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN- .YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,کننده دیگر {0} ایجاد
+DocType: Loan Security Unpledge,Unpledge Type,نوع Unedgege
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,پایان سال نمی تواند قبل از شروع سال می شود
 DocType: Employee Benefit Application,Employee Benefits,مزایای کارکنان
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,شناسه کارمند
@@ -7783,6 +7878,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,کد درس:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,لطفا هزینه حساب وارد کنید
 DocType: Quality Action Resolution,Problem,مسئله
+DocType: Loan Security Type,Loan To Value Ratio,نسبت وام به ارزش
 DocType: Account,Stock,موجودی
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش خرید، خرید فاکتور و یا ورود به مجله می شود
 DocType: Employee,Current Address,آدرس فعلی
@@ -7800,6 +7896,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,بیانیه بیانیه بانکی ورودی معاملات
 DocType: Sales Invoice Item,Discount and Margin,تخفیف و حاشیه
 DocType: Lab Test,Prescription,نسخه
+DocType: Process Loan Security Shortfall,Update Time,زمان بروزرسانی
 DocType: Import Supplier Invoice,Upload XML Invoices,صورت حساب XML را بارگذاری کنید
 DocType: Company,Default Deferred Revenue Account,پیش فرض حساب درآمد معوق
 DocType: Project,Second Email,ایمیل دوم
@@ -7813,7 +7910,7 @@
 DocType: Quality Action,Preventive,پیشگیری
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,وسایل تهیه شده برای افراد ثبت نام نشده
 DocType: Company,Date of Incorporation,تاریخ عضویت
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,مالیات ها
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,مالیات ها
 DocType: Manufacturing Settings,Default Scrap Warehouse,انبار ضایعات پیش فرض
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,آخرین قیمت خرید
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,برای کمیت (تعداد تولیدی) الزامی است
@@ -7831,6 +7928,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,حالت پیش فرض پرداخت را تنظیم کنید
 DocType: Stock Entry Detail,Against Stock Entry,در مقابل ورود سهام
 DocType: Grant Application,Withdrawn,خارج
+DocType: Loan Repayment,Regular Payment,پرداخت منظم
 DocType: Support Search Source,Support Search Source,پشتیبانی منبع جستجو
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,شارژ
 DocType: Project,Gross Margin %,حاشیه ناخالص٪
@@ -7843,8 +7941,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,بدون پرداخت مالیات
 DocType: BOM Operation,BOM Operation,عملیات BOM
 DocType: Purchase Taxes and Charges,On Previous Row Amount,در قبلی مقدار ردیف
+DocType: Student,Home Address,آدرس خانه
 DocType: Options,Is Correct,درست است
 DocType: Item,Has Expiry Date,تاریخ انقضا دارد
+DocType: Loan Repayment,Paid Accrual Entries,نوشته های اقساطی پرداخت شده
+DocType: Loan Security,Loan Security Type,نوع امنیتی وام
 apps/erpnext/erpnext/config/support.py,Issue Type.,نوع مقاله.
 DocType: POS Profile,POS Profile,نمایش POS
 DocType: Training Event,Event Name,نام رخداد
@@ -7856,6 +7957,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",فصلی برای تنظیم بودجه، اهداف و غیره
 apps/erpnext/erpnext/www/all-products/index.html,No values,هیچ مقداری وجود ندارد
 DocType: Supplier Scorecard Scoring Variable,Variable Name,نام متغیر
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,برای آشتی ، حساب بانکی را انتخاب کنید.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",مورد {0} یک قالب است، لطفا یکی از انواع آن را انتخاب کنید
 DocType: Purchase Invoice Item,Deferred Expense,هزینه معوق
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,بازگشت به پیام ها
@@ -7907,7 +8009,6 @@
 DocType: GL Entry,To Rename,تغییر نام دهید
 DocType: Stock Entry,Repack,REPACK
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,را انتخاب کنید تا شماره سریال را اضافه کنید.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش&gt; تنظیمات آموزش تنظیم کنید
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',لطفا کد مالی را برای &#39;٪ s&#39; مشتری تنظیم کنید
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,لطفا اول شرکت را انتخاب کنید
 DocType: Item Attribute,Numeric Values,مقادیر عددی
@@ -7931,6 +8032,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,گرفتن بر اساس FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,ریشه را نمیتوان ویرایش کرد.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,ارزش امنیتی وام
 DocType: Item,Units of Measure,واحدهای اندازه گیری
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,اجاره در Metro City
 DocType: Supplier,Default Tax Withholding Config,پیش فرض تنظیم مالیات برداشت
@@ -7977,6 +8079,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,لطفا ابتدا دسته را انتخاب کنید
 apps/erpnext/erpnext/config/projects.py,Project master.,کارشناسی ارشد پروژه.
 DocType: Contract,Contract Terms,شرایط قرارداد
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,حد مجاز مجاز تحریم
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,پیکربندی را ادامه دهید
 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,Maximum benefit amount of component {0} exceeds {1},مقدار حداکثر مزایای کامپوننت {0} بیش از {1}
@@ -8020,3 +8123,4 @@
 DocType: Account,Cash,نقد
 DocType: Sales Invoice,Unpaid and Discounted,بدون پرداخت و تخفیف
 DocType: Employee,Short biography for website and other publications.,بیوگرافی کوتاه برای وب سایت ها و نشریات دیگر.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Row # {0}: می توانید ضمن تهیه مواد اولیه به پیمانکار ، انبارهای تأمین کننده را انتخاب نکنید
diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv
index cec0e56..c8eff03 100644
--- a/erpnext/translations/fi.csv
+++ b/erpnext/translations/fi.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Mahdollisuus menetetty syy
 DocType: Patient Appointment,Check availability,Tarkista saatavuus
 DocType: Retention Bonus,Bonus Payment Date,Bonuspäivä
-DocType: Employee,Job Applicant,Työnhakija
+DocType: Appointment Letter,Job Applicant,Työnhakija
 DocType: Job Card,Total Time in Mins,Kokonaisaika minuutteina
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Yhteystiedot
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Etsi mitään ...
 ,Stock and Account Value Comparison,Osake- ja kirjanpitoarvojen vertailu
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Maksettu summa ei voi olla suurempi kuin lainan määrä
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,kiinnostunut
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Aukko
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Ohjelmoida:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Voimassa alkaen on oltava pienempi kuin voimassa oleva lisäaika.
 DocType: Item,Copy From Item Group,kopioi tuoteryhmästä
 DocType: Journal Entry,Opening Entry,Avauskirjaus
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Tilin Pay Only
@@ -338,6 +340,7 @@
 DocType: Student,B-,B -
 DocType: Assessment Result,Grade,Arvosana
 DocType: Restaurant Table,No of Seats,Istumapaikkoja
+DocType: Loan Type,Grace Period in Days,Arvonjakso päivinä
 DocType: Sales Invoice,Overdue and Discounted,Erääntynyt ja alennettu
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Omaisuus {0} ei kuulu säilytysyhteisölle {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Puhelu katkesi
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Esitetyt menettelyt
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Näytä vain POS
 DocType: Supplier Group,Supplier Group Name,Toimittajan ryhmän nimi
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkitse läsnäolo nimellä <b></b>
 DocType: Driver,Driving License Categories,Ajokorttikategoriat
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Anna toimituspäivä
 DocType: Depreciation Schedule,Make Depreciation Entry,Tee Poistot Entry
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,toteutetuneiden toimien lisätiedot
 DocType: Asset Maintenance Log,Maintenance Status,"huolto, tila"
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Tuotteen veromäärä sisältyy arvoon
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Lainan vakuudettomuus
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Jäsenyystiedot
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Toimittaja tarvitaan vastaan maksullisia huomioon {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Nimikkeet ja hinnoittelu
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Yhteensä tuntia: {0}
+DocType: Loan,Loan Manager,Lainanhoitaja
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Alkaen päivä tulee olla tilikaudella. Olettaen että alkaen päivä = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,intervalli
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Päivitetty 'aikaloki' kautta
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Valitse asiakas tai toimittaja.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Tiedostossa oleva maakoodi ei vastaa järjestelmässä määritettyä maakoodia
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},tili {0} ei kuulu yritykselle {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Valitse vain yksi prioriteetti oletukseksi.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,vapaa kielletty
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank merkinnät
-DocType: Customer,Is Internal Customer,On sisäinen asiakas
+DocType: Sales Invoice,Is Internal Customer,On sisäinen asiakas
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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"
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Hankintapyyntö
 DocType: Bank Reconciliation,Update Clearance Date,Päivitä tilityspäivä
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Määrä
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Lainaa ei voi luoda ennen kuin hakemus on hyväksytty
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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ä
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Oikea
 DocType: Student Guardian,Mother,Äiti
 DocType: Restaurant Reservation,Reservation End Time,Varauksen loppumisaika
+DocType: Salary Slip Loan,Loan Repayment Entry,Lainan takaisinmaksu
 DocType: Crop,Biennial,kaksivuotinen
 ,BOM Variance Report,BOM varianssiraportti
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,asiakkailta vahvistetut tilaukset
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Maksu vastaan {0} {1} ei voi olla suurempi kuin jäljellä {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Kaikki terveydenhuollon palveluyksiköt
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Mahdollisuuden muuntamisesta
+DocType: Loan,Total Principal Paid,Pääoma yhteensä
 DocType: Bank Account,Address HTML,osoite HTML
 DocType: Lead,Mobile No.,Matkapuhelin
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Maksutapa
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Saldot perusvaluuttaan
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Uudet tarjoukset
+DocType: Loan Interest Accrual,Loan Interest Accrual,Lainakorkojen karttuminen
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Läsnäoloa ei ole lähetetty {0} as {1} lomalla.
 DocType: Journal Entry,Payment Order,Maksumääräys
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,vahvista sähköposti
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Tulot muista lähteistä
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Jos tyhjä, vanhemman varastotili tai yrityksen oletus otetaan huomioon"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Sähköpostit palkkakuitin työntekijöiden perustuu ensisijainen sähköposti valittu Työntekijän
+DocType: Work Order,This is a location where operations are executed.,"Tämä on paikka, jossa toiminnot suoritetaan."
 DocType: Tax Rule,Shipping County,Toimitus lääni
 DocType: Currency Exchange,For Selling,Myydään
 apps/erpnext/erpnext/config/desktop.py,Learn,Käyttö-opastus
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Sovellettu kuponkikoodi
 DocType: Asset,Next Depreciation Date,Seuraava poistopäivämäärä
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktiviteetti kustannukset työntekijää kohti
+DocType: Loan Security,Haircut %,Hiusten leikkaus
 DocType: Accounts Settings,Settings for Accounts,Tilien asetukset
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Toimittaja laskun nro olemassa Ostolasku {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,hallitse myyjäpuuta
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Aseta hotellihuoneen hinta {}
 DocType: Journal Entry,Multi Currency,Multi Valuutta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,lasku tyyppi
+DocType: Loan,Loan Security Details,Lainan vakuustiedot
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Voimassa päivämäärästä tulee olla vähemmän kuin voimassa oleva päivityspäivä
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Poikkeusta tapahtui {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Aseta hyväksytty varasto
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Vaaditaan Lab Test Approval
 DocType: Attendance,Working Hours,Työaika
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Yhteensä erinomainen
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-muuntokerrointa ({0} -&gt; {1}) ei löydy tuotteelle: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,muuta aloitusta / nykyselle järjestysnumerolle tai olemassa oleville sarjoille
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Prosenttiosuus, jolla saa laskuttaa enemmän tilattua summaa vastaan. Esimerkiksi: Jos tilauksen arvo on 100 dollaria tuotteelle ja toleranssiksi on asetettu 10%, sinulla on oikeus laskuttaa 110 dollaria."
 DocType: Dosage Strength,Strength,Vahvuus
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Ajoneuvo Päivämäärä
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampanjan sähköpostiaikataulu
 DocType: Student Log,Medical,Lääketieteellinen
+DocType: Work Order,This is a location where scraped materials are stored.,"Tämä on paikka, jossa kaavitut materiaalit varastoidaan."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Valitse Huume
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Liidin vastuullinen ei voi olla sama kuin itse liidi
 DocType: Announcement,Receiver,Vastaanotin
@@ -886,7 +898,7 @@
 DocType: Driver,Applicable for external driver,Soveltuu ulkoiselle ohjaimelle
 DocType: Sales Order Item,Used for Production Plan,Käytetään tuotannon suunnittelussa
 DocType: BOM,Total Cost (Company Currency),Kokonaiskustannukset (yrityksen valuutta)
-DocType: Loan,Total Payment,Koko maksu
+DocType: Repayment Schedule,Total Payment,Koko maksu
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO on jo luotu kaikille myyntitilauksille
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Varoittaa ostotilauksia
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Vuokrataan päivästä
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Tarpeeksi osat rakentaa
+DocType: Loan Security,Loan Security Code,Lainan turvakoodi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Tallenna ensin
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Tuotteita vaaditaan siihen liittyvien raaka-aineiden vetämiseen.
 DocType: POS Profile User,POS Profile User,POS-profiilin käyttäjä
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,"Osakkeet, jotka on jo luotu työjärjestykseen"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Tuotekoodi&gt; Tuoteryhmä&gt; Tuotemerkki
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Katso aiemmat tilaukset
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} keskustelua
 DocType: Vital Signs,Respiratory rate,Hengitysnopeus
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,poista yrityksen tapahtumia
 DocType: Production Plan Item,Quantity and Description,Määrä ja kuvaus
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Viitenumero ja viitepäivämäärä on pakollinen Pankin myynnin
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Aseta Naming-sarjan asetukseksi {0} Asetukset&gt; Asetukset&gt; Sarjasta nimeäminen -kohdassa
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lisää / muokkaa veroja ja maksuja
 DocType: Payment Entry Reference,Supplier Invoice No,toimittajan laskun nro
 DocType: Territory,For reference,viitteeseen
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Verotettavaa tiliä
 DocType: Pricing Rule,Sales Partner,Myyntikumppani
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Kaikki toimittajan tuloskortit.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Tilausmäärä
+DocType: Loan,Disbursed Amount,Maksettu määrä
 DocType: Buying Settings,Purchase Receipt Required,Saapumistosite vaaditaan
 DocType: Sales Invoice,Rail,kisko
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Todellinen kustannus
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Yhdistetty QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Tunnista / luo tili (pääkirja) tyypille - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Maksettava tili
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Tili on pakollinen maksumerkintöjen saamiseksi
 DocType: Payment Entry,Type of Payment,Tyyppi Payment
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Puolen päivän päivämäärä on pakollinen
 DocType: Sales Order,Billing and Delivery Status,Laskutus ja Toiminnan tila
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,"Laskutettu, pankkipääte"
 DocType: Training Result Employee,Training Result Employee,Harjoitustulos Työntekijä
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,"perustettu varasto, minne varastokirjaukset tehdään"
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Lainapääoma
+DocType: Repayment Schedule,Principal Amount,Lainapääoma
 DocType: Loan Application,Total Payable Interest,Yhteensä Maksettava korko
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Yhteensä erinomainen: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Avaa yhteyshenkilö
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Päivitysprosessissa tapahtui virhe
 DocType: Restaurant Reservation,Restaurant Reservation,Ravintolavaraus
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Tuotteet
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Toimittaja&gt; Toimittajan tyyppi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Ehdotus Kirjoittaminen
 DocType: Payment Entry Deduction,Payment Entry Deduction,Payment Entry Vähennys
 DocType: Service Level Priority,Service Level Priority,Palvelutaso prioriteettina
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Erän kuvaus
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Luominen opiskelijaryhmät
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway Tili ei ole luotu, luo yksi käsin."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Ryhmävarastoja ei voida käyttää liiketoimissa. Muuta arvoa {0}
 DocType: Supplier Scorecard,Per Year,Vuodessa
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ei saa osallistua tähän ohjelmaan kuin DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rivi # {0}: Asiakkaan ostotilaukselle määritettyä tuotetta {1} ei voi poistaa.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Luodessaan tiliä lastenyritykselle {0}, emotiltiä {1} ei löytynyt. Luo vanhemman tili vastaavaan todistukseen"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,Student Läsnäolo
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Ei vietäviä tietoja
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Todellinen toimituspäivä
 DocType: Lab Test,Test Template,Testimalli
+DocType: Loan Security Pledge,Securities,arvopaperit
 DocType: Restaurant Order Entry Item,Served,palveli
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Luvun tiedot.
 DocType: Account,Accounts,Talous
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O Negatiivinen
 DocType: Work Order Operation,Planned End Time,Suunniteltu päättymisaika
 DocType: POS Profile,Only show Items from these Item Groups,Näytä vain näiden tuoteryhmien tuotteet
+DocType: Loan,Is Secured Loan,On vakuudellinen laina
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,tilin tapahtumaa ei voi muuttaa tilikirjaksi
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Jäsenyyden tyyppi Tiedot
 DocType: Delivery Note,Customer's Purchase Order No,asiakkaan ostotilaus numero
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Patient Encounterista
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-muuntokerrointa ({0} -&gt; {1}) ei löydy tuotteelle: {2}
 DocType: Subscriber,Subscriber,Tilaaja
 DocType: Item Attribute Value,Item Attribute Value,"tuotetuntomerkki, arvo"
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valuutanvaihtoa on sovellettava ostamiseen tai myyntiin.
@@ -1498,6 +1518,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Ei oikeuksia
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Sopimustodistuksen tarkistuslista
 DocType: Vital Signs,Heart Rate / Pulse,Syke / pulssi
+DocType: Customer,Default Company Bank Account,Yrityksen oletuspankkitili
 DocType: Supplier,Default Bank Account,oletus pankkitili
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",Valitse osapuoli tyyppi saadaksesi osapuolen mukaisen suodatuksen
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"'Päivitä varasto' ei voida käyttää tuotteille, joita ei ole toimitettu {0} kautta"
@@ -1615,7 +1636,6 @@
 DocType: Sales Team,Incentives,kannustimet/bonukset
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Arvot ovat synkronoimattomia
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Eroarvo
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Asenna läsnäolosuhteiden numerointisarjat kohdasta Asetukset&gt; Numerointisarja
 DocType: SMS Log,Requested Numbers,vaaditut numerot
 DocType: Volunteer,Evening,Ilta
 DocType: Quiz,Quiz Configuration,Tietokilpailun kokoonpano
@@ -1635,6 +1655,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Edellinen rivi yhteensä
 DocType: Purchase Invoice Item,Rejected Qty,hylätty Määrä
 DocType: Setup Progress Action,Action Field,Toiminta-alue
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Lainatyyppi korkoihin ja viivästyskorkoihin
 DocType: Healthcare Settings,Manage Customer,Hallitse asiakasta
 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
@@ -1646,6 +1667,7 @@
 ,Final Assessment Grades,Loppuraportin arvosanat
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Yrityksen nimi, jolle olet luomassa tätä järjestelmää"
 DocType: HR Settings,Include holidays in Total no. of Working Days,"sisältää vapaapäiviä, työpäiviä yhteensä"
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Kokonaismäärästä
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Asenna instituutti ERP-järjestelmään
 DocType: Agriculture Analysis Criteria,Plant Analysis,Kasvien analyysi
 DocType: Task,Timeline,Aikajana
@@ -1653,9 +1675,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Vaihtoehtoinen kohta
 DocType: Shopify Log,Request Data,Pyydä tietoja
 DocType: Employee,Date of Joining,liittymispäivä
+DocType: Delivery Note,Inter Company Reference,Yritysten välinen viite
 DocType: Naming Series,Update Series,Päivitä sarjat
 DocType: Supplier Quotation,Is Subcontracted,on alihankittu
 DocType: Restaurant Table,Minimum Seating,Minimi istuma
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Kysymys ei voi olla päällekkäinen
 DocType: Item Attribute,Item Attribute Values,"tuotetuntomerkki, arvot"
 DocType: Examination Result,Examination Result,tutkimustuloksen
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Saapuminen
@@ -1757,6 +1781,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synkronointi Offline Laskut
 DocType: Payment Request,Paid,Maksettu
 DocType: Service Level,Default Priority,Oletusprioriteetti
+DocType: Pledge,Pledge,pantti
 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."
@@ -1770,6 +1795,7 @@
 DocType: Guardian,Guardian Name,Guardian Name
 DocType: Cheque Print Template,Has Print Format,On Print Format
 DocType: Support Settings,Get Started Sections,Aloita osia
+,Loan Repayment and Closure,Lainan takaisinmaksu ja lopettaminen
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-lyijy-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,seuraamuksia
 ,Base Amount,Perusmäärä
@@ -1780,10 +1806,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Paikalta
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Lainasumma ei voi olla suurempi kuin {0}
 DocType: Student Admission,Publish on website,Julkaise verkkosivusto
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Toimittaja laskun päiväys ei voi olla suurempi kuin julkaisupäivämäärä
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Tuotekoodi&gt; Tuoteryhmä&gt; Tuotemerkki
 DocType: Subscription,Cancelation Date,Peruutuksen päivämäärä
 DocType: Purchase Invoice Item,Purchase Order Item,Ostotilaus Kohde
 DocType: Agriculture Task,Agriculture Task,Maatalous Tehtävä
@@ -1802,7 +1828,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Lisäalennusprosentti
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Katso luettelo kaikista ohjevideot
 DocType: Agriculture Analysis Criteria,Soil Texture,Maaperän rakenne
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Valitse pankin tilin otsikko, minne shekki/takaus talletetaan"
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,salli käyttäjän muokata hinnaston tasoa tapahtumissa
 DocType: Pricing Rule,Max Qty,max yksikkömäärä
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Tulosta raporttikortti
@@ -1934,7 +1959,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Kun tämä asetus on asetettu, tämä lasku on pidossa ja se on asetettu"
 DocType: Cashier Closing,POS-CLO-,POS-sulkeutuessa
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Myynnin arvomäärä
-DocType: Repayment Schedule,Interest Amount,Korko Arvo
+DocType: Loan Interest Accrual,Interest Amount,Korko Arvo
 DocType: Job Card,Time Logs,aikalokit
 DocType: Sales Invoice,Loyalty Amount,Luottamusmäärä
 DocType: Employee Transfer,Employee Transfer Detail,Työntekijöiden siirron yksityiskohdat
@@ -1949,6 +1974,7 @@
 DocType: Cashier Closing,Returns,Palautukset
 DocType: Job Card,WIP Warehouse,KET-varasto
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Sarjanumero {0} on huoltokannassa {1} asti
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},{0} {1} ylitetty pakollinen rajoitus
 apps/erpnext/erpnext/config/hr.py,Recruitment,Rekrytointi
 DocType: Lead,Organization Name,Organisaatio
 DocType: Support Settings,Show Latest Forum Posts,Näytä viimeisimmät viestit
@@ -1975,7 +2001,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Ostotilaukset erääntyneet
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Postinumero
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Myyntitilaus {0} on {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Valitse korkotulojen tili lainaan {0}
 DocType: Opportunity,Contact Info,"yhteystiedot, info"
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Varastotapahtumien tekeminen
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Et voi edistää Työntekijän asemaa vasemmalla
@@ -2059,7 +2084,6 @@
 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,Start Year,Start Year
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Luo laina
 DocType: Purchase Invoice,Start date of current invoice's period,aloituspäivä nykyiselle laskutuskaudelle
 DocType: Shift Type,Process Attendance After,Prosessin läsnäolo jälkeen
 ,IRS 1099,IRS 1099
@@ -2080,6 +2104,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Valitse verkkotunnuksesi
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify toimittaja
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Maksutapahtumat
+DocType: Repayment Schedule,Is Accrued,On kertynyt
 DocType: Payroll Entry,Employee Details,Työntekijän tiedot
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Käsitellään XML-tiedostoja
 DocType: Amazon MWS Settings,CN,CN
@@ -2111,6 +2136,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Loyalty Point Entry
 DocType: Employee Checkin,Shift End,Vaihto päättyy
 DocType: Stock Settings,Default Item Group,oletus tuoteryhmä
+DocType: Loan,Partially Disbursed,osittain maksettu
 DocType: Job Card Time Log,Time In Mins,Aika minuuteissa
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Tukea tiedot.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Tämä toimenpide irrottaa tämän tilin kaikista ulkoisista palveluista, jotka integroivat ERPNext-pankkitilisi. Sitä ei voi peruuttaa. Oletko varma ?"
@@ -2126,6 +2152,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Samaa kohdetta ei voi syöttää useita kertoja.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Lainan sulkeminen
 DocType: Call Log,Lead,Liidi
 DocType: Email Digest,Payables,Maksettavat
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2158,6 +2185,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON voidaan luoda vain lähetetystä asiakirjasta
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Työntekijöiden verot ja edut
 DocType: Bank Guarantee,Validity in Days,Voimassaolo päivissä
+DocType: Unpledge,Haircut,hiustyyli
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-muoto ei sovelleta lasku: {0}
 DocType: Certified Consultant,Name of Consultant,Konsultin nimi
 DocType: Payment Reconciliation,Unreconciled Payment Details,Kohdistamattomien maksujen lisätiedot
@@ -2210,7 +2238,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Muu maailma
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Tuote {0} ei voi olla erä
 DocType: Crop,Yield UOM,Tuotto UOM
+DocType: Loan Security Pledge,Partially Pledged,Osittain luvattu
 ,Budget Variance Report,budjettivaihtelu raportti
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Seuraamuslainan määrä
 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,Get Items from Healthcare Services,Hae kohteet terveydenhuollon palveluista
@@ -2245,6 +2275,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Uusi laatumenettely
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Tilin tase {0} on oltava {1}
 DocType: Patient Appointment,More Info,Lisätietoja
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Syntymäaika ei voi olla suurempi kuin Liittymispäivä.
 DocType: Supplier Scorecard,Scorecard Actions,Tuloskorttitoimet
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Toimittaja {0} ei löydy {1}
 DocType: Purchase Invoice,Rejected Warehouse,Hylätty varasto
@@ -2341,6 +2372,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Aseta alkiotunnus ensin
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,asiakirja tyyppi
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Luototurva lupaus luotu: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Nimitykset ja potilaskokoukset
@@ -2396,6 +2428,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Samanaikaisten nimitysten määrä
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Päästä alkuun
 DocType: Purchase Invoice,Taxes and Charges Calculation,Verot ja maksut laskelma
+DocType: Loan Interest Accrual,Payable Principal Amount,Maksettava pääoma
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Kirja Asset Poistot Entry Automaattisesti
 DocType: BOM Operation,Workstation,Työasema
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,tarjouspyynnön toimittaja
@@ -2432,7 +2465,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Ruoka
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,vanhentumisen skaala 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-velkakirjojen yksityiskohdat
-DocType: Bank Account,Is the Default Account,On oletustili
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Viestintää ei löytynyt.
 DocType: Inpatient Occupancy,Check In,Ilmoittautua
@@ -2490,12 +2522,14 @@
 DocType: Sales Order Item,Planned Quantity,Suunnitellut määrä
 DocType: Water Analysis,Water Analysis Criteria,Vesi-analyysiperusteet
 DocType: Item,Maintain Stock,Seuraa varastoa
+DocType: Loan Security Unpledge,Unpledge Time,Luopumisaika
 DocType: Terms and Conditions,Applicable Modules,Sovellettavat moduulit
 DocType: Employee,Prefered Email,prefered Sähköposti
 DocType: Student Admission,Eligibility and Details,Kelpoisuus ja tiedot
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Sisältyy bruttovoittoon
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Nettomuutos kiinteä omaisuus
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Määrä
+DocType: Work Order,This is a location where final product stored.,"Tämä on paikka, jossa lopputuote varastoidaan."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Alkaen aikajana
@@ -2536,8 +2570,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Takuun / ylläpidon tila
 ,Accounts Browser,tilien selain
 DocType: Procedure Prescription,Referral,lähete
+,Territory-wise Sales,Alueellinen viisas myynti
 DocType: Payment Entry Reference,Payment Entry Reference,Payment Entry Viite
 DocType: GL Entry,GL Entry,Päätilikirjaus
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Rivi # {0}: Hyväksytty varasto ja toimittajavarasto eivät voi olla samat
 DocType: Support Search Source,Response Options,Vastausvaihtoehdot
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Käytä useita hinnasääntöjä
 DocType: HR Settings,Employee Settings,työntekijän asetukset
@@ -2597,6 +2633,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,Maksuehto rivillä {0} on mahdollisesti kaksoiskappale.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Maatalous (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Pakkauslappu
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Aseta Naming-sarjan asetukseksi {0} Asetukset&gt; Asetukset&gt; Sarjasta nimeäminen -kohdassa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Toimisto Vuokra
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Tekstiviestin reititinmääritykset
 DocType: Disease,Common Name,Yleinen nimi
@@ -2613,6 +2650,7 @@
 DocType: Item,Sales Details,Myynnin lisätiedot
 DocType: Coupon Code,Used,käytetty
 DocType: Opportunity,With Items,Tuotteilla
+DocType: Vehicle Log,last Odometer Value ,viimeinen matkamittarin arvo
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampanja &#39;{0}&#39; on jo olemassa {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Huoltoryhmä
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Järjestys, jossa osioiden tulee näkyä. 0 on ensimmäinen, 1 on toinen ja niin edelleen."
@@ -2623,7 +2661,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Matkakorvauslomakkeet {0} on jo olemassa Vehicle Log
 DocType: Asset Movement Item,Source Location,Lähde Sijainti
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Name
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Anna lyhennyksen määrä
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Anna lyhennyksen määrä
 DocType: Shift Type,Working Hours Threshold for Absent,Poissaolon työtuntikynnys
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Käytettävissä oleva määrä voi olla moninkertainen kerrotu keräyskerroin. Lunastuksen muuntokerroin on kuitenkin aina sama kaikilla tasoilla.
 apps/erpnext/erpnext/config/help.py,Item Variants,Tuotemallit ja -variaatiot
@@ -2647,6 +2685,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} on oltava pienempi kuin {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Valitse ensin hakijan tyyppi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Valitse Varasto, Määrä ja Varastoon"
 DocType: GST HSN Code,GST HSN Code,GST HSN Koodi
 DocType: Employee External Work History,Total Experience,Kustannukset yhteensä
@@ -2737,7 +2776,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Mitään aktiivista BOM: tä ei löytynyt kohteen {0} kohdalle. Toimitusta \ Serial No ei voida taata
 DocType: Sales Partner,Sales Partner Target,Myyntikumppani tavoite
-DocType: Loan Type,Maximum Loan Amount,Suurin lainamäärä
+DocType: Loan Application,Maximum Loan Amount,Suurin lainamäärä
 DocType: Coupon Code,Pricing Rule,Hinnoittelusääntö
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Päällekkäisiä rullan numero opiskelijan {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Ostotilaus hankintapyynnöstä
@@ -2760,6 +2799,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Vapaat kohdennettu {0}:lle
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,ei pakattavia tuotteita
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Vain .csv- ja .xlsx-tiedostoja tuetaan tällä hetkellä
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Asenna Työntekijöiden nimeämisjärjestelmä kohtaan Henkilöstöresurssit&gt; HR-asetukset
 DocType: Shipping Rule Condition,From Value,arvosta
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Valmistus Määrä on pakollista
 DocType: Loan,Repayment Method,lyhennystapa
@@ -2843,6 +2883,7 @@
 DocType: Customer,Customer POS Id,Asiakas POS Id
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,"Opiskelijaa, jonka sähköpostiosoite on {0}, ei ole"
 DocType: Account,Account Name,Tilin nimi
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Yritykselle {1} on jo olemassa sanktion lainan määrä yritykselle {0}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Alkaen päivä ei voi olla suurempi kuin päättymispäivä
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Sarjanumero {0} yksikkömäärä {1} ei voi olla murto-osa
 DocType: Pricing Rule,Apply Discount on Rate,Käytä alennusta hinnasta
@@ -2914,6 +2955,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Nettotulo
 DocType: Purchase Invoice,Eligibility For ITC,Kelpoisuus ITC: lle
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,Entry Tyyppi
 ,Customer Credit Balance,Asiakkaan kredit tase
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Nettomuutos ostovelat
@@ -2925,6 +2967,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Läsnäololaitetunnus (Biometrinen / RF-tunniste)
 DocType: Quotation,Term Details,Ehdon lisätiedot
 DocType: Item,Over Delivery/Receipt Allowance (%),Yli toimitus / vastaanottokorvaus (%)
+DocType: Appointment Letter,Appointment Letter Template,Nimityskirjemalli
 DocType: Employee Incentive,Employee Incentive,Työntekijöiden kannustin
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Yhteensä (ilman veroa)
@@ -2947,6 +2990,7 @@
 					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"
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Linkityksen Maksu mitätöinti Lasku
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Prosessilainakorkojen karttuminen
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Matkamittarin lukema merkitään pitäisi olla suurempi kuin alkuperäisen ajoneuvon matkamittarin {0}
 ,Purchase Order Items To Be Received or Billed,"Ostotilaustuotteet, jotka vastaanotetaan tai laskutetaan"
 DocType: Restaurant Reservation,No Show,Ei näytä
@@ -3032,6 +3076,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kustannuspaikka vaaditaan &quot;Tuloslaskelma&quot; tilin {2}. Määritä oletuksena kustannukset Center for the Company.
 DocType: Payment Schedule,Payment Term,Maksuehto
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"saman niminen asiakasryhmä on jo olemassa, vaihda asiakkaan nimi tai nimeä asiakasryhmä uudelleen"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Sisäänpääsyn lopetuspäivän tulisi olla suurempi kuin sisäänpääsyn alkamispäivä.
 DocType: Location,Area,alue
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Uusi yhteystieto
 DocType: Company,Company Description,Yrityksen kuvaus
@@ -3106,6 +3151,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Kartoitetut tiedot
 DocType: Purchase Order Item,Warehouse and Reference,Varasto ja viite
 DocType: Payroll Period Date,Payroll Period Date,Palkanlaskentajakson päivämäärä
+DocType: Loan Disbursement,Against Loan,Lainaa vastaan
 DocType: Supplier,Statutory info and other general information about your Supplier,toimittajan lakisääteiset- ja muut päätiedot
 DocType: Item,Serial Nos and Batches,Sarjanumerot ja Erät
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Opiskelijaryhmän Vahvuus
@@ -3172,6 +3218,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Valitse yritys
 DocType: Delivery Settings,Delivery Settings,Toimitusasetukset
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hae tiedot
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},En voi purkaa enemmän kuin {0} kpl {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Lepatyypissä {0} sallittu enimmäisloma on {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Julkaise 1 tuote
 DocType: SMS Center,Create Receiver List,tee vastaanottajalista
@@ -3319,6 +3366,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Määrä (Company valuutta)
 DocType: Purchase Invoice,Registered Regular,Rekisteröity säännöllinen
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Raakamateriaalit
+DocType: Plaid Settings,sandbox,hiekkalaatikko
 DocType: Payment Reconciliation Payment,Reference Row,Viite Row
 DocType: Installation Note,Installation Time,asennus aika
 DocType: Sales Invoice,Accounting Details,Kirjanpito Lisätiedot
@@ -3331,12 +3379,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Maksutavan tyyppi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,hyväksymiskriteerit
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Syötä hankintapyynnöt yllä olevaan taulukkoon
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Yhteensä Maksettava määrä
 DocType: Task,Expected Time (in hours),odotettu aika (tunteina)
 DocType: Item Reorder,Check in (group),Check in (ryhmä)
 DocType: Soil Texture,Silt,liete
@@ -3367,6 +3414,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,"Vähennettävä vero, joka ei ole lähetetty verovapautustodistukseksi"
 DocType: Volunteer,Anytime,Milloin tahansa
 DocType: Bank Account,Bank Account No,Pankkitilinumero
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Maksut ja takaisinmaksut
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Työntekijöiden verovapautusta koskeva todistus
 DocType: Patient,Surgical History,Kirurginen historia
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3430,6 +3478,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Luo testi (t) myyntilaskujen lähettämiseen
 DocType: Serial No,Invoice Details,laskun tiedot
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Palkkarakenne on toimitettava ennen verojen poistoilmoituksen toimittamista
+DocType: Loan Application,Proposed Pledges,Ehdotetut lupaukset
 DocType: Grant Application,Show on Website,Näytä verkkosivustolla
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Aloita
 DocType: Hub Tracked Item,Hub Category,Hub-luokka
@@ -3441,7 +3490,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Toimittajan sijoitus
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rivi {0}: osaluettelosi ei löytynyt Tuote {1}
 DocType: Contract Fulfilment Checklist,Requirement,Vaatimus
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Asenna Työntekijöiden nimeämisjärjestelmä kohtaan Henkilöstöresurssit&gt; HR-asetukset
 DocType: Journal Entry,Accounts Receivable,saatava tilit
 DocType: Quality Goal,Objectives,tavoitteet
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roolilla on oikeus luoda jälkikäteen jätettyä sovellusta
@@ -3454,6 +3502,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,sisällytä täsmätyt kirjaukset
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Jaettu kokonaismäärä ({0}) on suurempi kuin maksettu summa ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,toimitusmaksut perustuen
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Maksettu summa ei voi olla pienempi kuin {0}
 DocType: Projects Settings,Timesheets,Tuntilomakkeet
 DocType: HR Settings,HR Settings,Henkilöstöhallinnan määritykset
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Kirjanpito päälliköt
@@ -3599,6 +3648,7 @@
 DocType: Employee,Health Insurance,Terveysvakuutus
 DocType: Asset Repair,Manufacturing Manager,Valmistus ylläpitäjä
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Sarjanumerolla {0} on takuu {1} asti
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Lainan määrä ylittää enimmäislainan määrän {0} ehdotettuja arvopapereita kohden
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Pienin sallittu arvo
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Käyttäjä {0} on jo olemassa
 apps/erpnext/erpnext/hooks.py,Shipments,Toimitukset
@@ -3642,7 +3692,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Liiketoiminnan tyyppi
 DocType: Sales Invoice,Consumer,kuluttaja
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Valitse kohdennettava arvomäärä, laskun tyyppi ja laskun numero vähintään yhdelle riville"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Aseta Naming-sarjan asetukseksi {0} Asetukset&gt; Asetukset&gt; Sarjasta nimeäminen -kohdassa
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kustannukset New Purchase
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Myyntitilaus vaaditaan tuotteelle {0}
 DocType: Grant Application,Grant Description,Avustuksen kuvaus
@@ -3651,6 +3700,7 @@
 DocType: Subscription,Discounts,alennukset
 DocType: Bank Transaction,Unallocated Amount,Kohdistamattomat Määrä
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Ota käyttöön ostotilauksen mukainen ja sovellettava varauksen todellisiin kuluihin
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} ei ole yrityksen pankkitili
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Nimikettä ei löydy. Valitse jokin muu arvo {0}.
 DocType: POS Profile,Taxes and Charges,Verot ja maksut
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","tavara tai palvelu joka ostetaan, myydään tai varastoidaan"
@@ -3699,6 +3749,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Voimassa päivästä tulee olla pienempi kuin voimassa oleva päivämäärä.
 DocType: Employee Skill,Evaluation Date,Arviointipäivämäärä
 DocType: Quotation Item,Stock Balance,Varastotase
+DocType: Loan Security Pledge,Total Security Value,Kokonaisarvoarvo
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Myyntitilauksesta maksuun
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,toimitusjohtaja
 DocType: Purchase Invoice,With Payment of Tax,Veronmaksu
@@ -3711,6 +3762,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Tiliä {0} ei ole kojetaulun kaaviossa {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Näytä varianttimääritteet
@@ -3792,6 +3844,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Nykyinen arvostus
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Päätilien lukumäärä ei voi olla pienempi kuin 4
 DocType: Training Event,Advance,edetä
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Lainaa vastaan:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless-maksuyhteysasetukset
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange voitto / tappio
 DocType: Opportunity,Lost Reason,Häviämissyy
@@ -3875,8 +3928,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Valitse Erä
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},virheellinen {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Rivi {0}: Sisaruksen syntymäaika ei voi olla suurempi kuin tänään.
 DocType: Fee Validity,Reference Inv,Viite Inv
 DocType: Sales Invoice Advance,Advance Amount,Ennakko
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Rangaistuskorko (%) päivässä
 DocType: Manufacturing Settings,Capacity Planning,kapasiteetin suunnittelu
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Pyöristyskorjaus (Company Currency
 DocType: Asset,Policy number,Käytäntö numero
@@ -3892,7 +3947,9 @@
 DocType: Normal Test Items,Require Result Value,Vaaditaan tulosarvoa
 DocType: Purchase Invoice,Pricing Rules,Hinnasäännöt
 DocType: Item,Show a slideshow at the top of the page,Näytä diaesitys sivun yläreunassa
+DocType: Appointment Letter,Body,ruumis
 DocType: Tax Withholding Rate,Tax Withholding Rate,Verotulojen määrä
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Takaisinmaksun alkamispäivä on pakollinen lainoille
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOMs
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,varastoi
@@ -3912,7 +3969,7 @@
 DocType: Call Log,Received By,Vastaanottaja
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Nimityksen kesto (minuutteina)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kassavirtakaavion mallipohjan tiedot
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lainanhallinta
+DocType: Loan,Loan Management,Lainanhallinta
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,seuraa tavaran erillisiä tuloja ja kuluja  toimialoittain tai osastoittain
 DocType: Rename Tool,Rename Tool,Nimeä työkalu
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Päivitä kustannukset
@@ -3920,6 +3977,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Liikennemuoto
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Näytä Palkka Slip
+DocType: Loan,Is Term Loan,On laina
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Varastosiirto
 DocType: Fees,Send Payment Request,Lähetä maksupyyntö
 DocType: Travel Request,Any other details,Kaikki muut yksityiskohdat
@@ -3937,6 +3995,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Rahoituksen rahavirta
 DocType: Budget Account,Budget Account,Talousarviotili
 DocType: Quality Inspection,Verified By,Vahvistanut
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Lisää lainaturva
 DocType: Travel Request,Name of Organizer,Järjestäjän nimi
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Yrityksen oletusvaluuttaa ei voi muuttaa sillä tapahtumia on olemassa, tapahtumat tulee peruuttaa jotta oletusvaluuttaa voi muuttaa"
 DocType: Cash Flow Mapping,Is Income Tax Liability,Onko tuloverovelvollisuus
@@ -3987,6 +4046,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,pyydetylle
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jos tämä on valittuna, piilottaa ja poistaa käytöstä Pyöristetty kokonaisuus -kentän palkkalaskelmissa"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Tämä on oletusarvo (päivät) toimituspäivämäärälle myyntitilauksissa. Varakorvaus on 7 päivää tilauksen tekemispäivästä.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Asenna läsnäolosuhteiden numerointisarjat kohdasta Asetukset&gt; Numerointisarjat
 DocType: Rename Tool,File to Rename,Uudelleen nimettävä tiedosto
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Valitse BOM varten Tuote rivillä {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Hae tilauksen päivitykset
@@ -3999,6 +4059,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Sarjanumerot luotu
 DocType: POS Profile,Applicable for Users,Soveltuu käyttäjille
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Päivästä ja Tähän mennessä ovat pakollisia
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Aseta projekti ja kaikki tehtävät tilaksi {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Set Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Ei luotu työjärjestys
@@ -4008,6 +4069,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Tuotteet
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ostettujen tuotteiden kustannukset
 DocType: Employee Separation,Employee Separation Template,Työntekijöiden erotusmalli
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Lainan {0} vakuudeksi annettu nolla määrä {0}
 DocType: Selling Settings,Sales Order Required,Myyntitilaus vaaditaan
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Ryhdy Myyjäksi
 ,Procurement Tracker,Hankintojen seuranta
@@ -4105,11 +4167,12 @@
 ,Minutes to First Response for Opportunity,Vastausaikaraportti (mahdollisuudet)
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,"Yhteensä, puuttua"
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Maksettava määrä
+DocType: Loan Repayment,Payable Amount,Maksettava määrä
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Myyntimahdollisuus
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Suurin lujuus ei voi olla pienempi kuin nolla.
 DocType: Options,Option,Vaihtoehto
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Tilinpätöksiä ei voi luoda suljetulla tilikaudella {0}
 DocType: Operation,Default Workstation,oletus työpiste
@@ -4151,6 +4214,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Koron määrä on pakollinen
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Seuraavat vaiheet
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Tallennetut kohteet
@@ -4201,8 +4265,6 @@
 DocType: Grant Application,Grant Application Details ,Apurahan hakemustiedot
 DocType: Employee Separation,Employee Separation,Työntekijöiden erottaminen
 DocType: BOM Item,Original Item,Alkuperäinen tuote
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Poista työntekijä <a href=""#Form/Employee/{0}"">{0}</a> \ peruuttaaksesi tämän asiakirjan"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Luotu - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Luokka Account
@@ -4238,6 +4300,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Lab-testikohta {0} on jo olemassa
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} on yritysloma
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Laskutettavat tunnit
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,"Viivästyskorkoa peritään odotettavissa olevasta korkomäärästä päivittäin, jos takaisinmaksu viivästyy"
+DocType: Appointment Letter content,Appointment Letter content,Nimityskirjeen sisältö
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Jätä statusilmoitus
 DocType: Patient Appointment,Procedure Prescription,Menettelytapaohje
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Huonekaluja ja kalusteet
@@ -4257,7 +4321,7 @@
 DocType: Opportunity,Customer / Lead Name,Asiakkaan / Liidin nimi
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,tilityspäivää ei ole mainittu
 DocType: Payroll Period,Taxable Salary Slabs,Verotettavat palkkaliuskat
-DocType: Job Card,Production,Tuotanto
+DocType: Plaid Settings,Production,Tuotanto
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Virheellinen GSTIN! Antamasi syöte ei vastaa GSTIN-muotoa.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Tilin arvo
 DocType: Guardian,Occupation,Ammatti
@@ -4401,6 +4465,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Loyalty Program Collection
 DocType: Stock Entry Detail,Subcontracted Item,Alihankittu kohde
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Opiskelija {0} ei kuulu ryhmään {1}
+DocType: Appointment Letter,Appointment Date,Nimityspäivämäärä
 DocType: Budget,Cost Center,Kustannuspaikka
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Tosite #
 DocType: Tax Rule,Shipping Country,Toimitusmaa
@@ -4471,6 +4536,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Kirjanpitoulottuvuus
 ,Profit and Loss Statement,Tuloslaskelma selvitys
 DocType: Bank Reconciliation Detail,Cheque Number,takaus/shekki numero
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Maksettu summa ei voi olla nolla
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Tuote, johon {0} - {1} viitataan, laskutetaan jo"
 ,Sales Browser,Myyntiselain
 DocType: Journal Entry,Total Credit,Kredit yhteensä
@@ -4575,6 +4641,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Lisää / muokkaa kuponkiehtoja
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kustannus- / erotuksen tili ({0}) tulee olla 'tuloslaskelma' tili
 DocType: Stock Entry Detail,Stock Entry Child,Osakemerkintä lapsi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Lainavakuusyhtiö ja lainayhtiö on oltava sama
 DocType: Project,Copied From,kopioitu
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Laskutus on jo luotu kaikille laskutustunteille
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nimivirhe: {0}
@@ -4582,6 +4649,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Onko rahoituskustannus
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,työntekijän {0} osallistuminen on jo merkitty
 DocType: Packing Slip,If more than one package of the same type (for print),mikäli useampi saman tyypin pakkaus (tulostus)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Asenna ohjaajien nimeämisjärjestelmä kohtaan Koulutus&gt; Koulutusasetukset
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Aseta oletusasiakas ravintolaasetuksissa
 ,Salary Register,Palkka Register
 DocType: Company,Default warehouse for Sales Return,Oletusvarasto myynnin palautusta varten
@@ -4626,7 +4694,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Nykyinen sarjanumero
 DocType: Employee,Attendance and Leave Details,Läsnäolo ja loma-tiedot
 ,BOM Comparison Tool,BOM-vertailutyökalu
-,Requested,Pyydetty
+DocType: Loan Security Pledge,Requested,Pyydetty
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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ä."
@@ -4638,7 +4706,6 @@
 DocType: Drug Prescription,Drug Prescription,Lääkehoito
 DocType: Service Level,Support and Resolution,Tuki ja ratkaisu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Ilmaista tuotekoodia ei ole valittu
-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"
@@ -4672,6 +4739,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Kirjanpidon varastotapahtuma
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Olet jo arvioitu arviointikriteerit {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Vajeen määrä
 DocType: Vehicle Service,Engine Oil,Moottoriöljy
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Luodut työmääräykset: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Aseta sähköpostiosoite johdolle {0}
@@ -4690,6 +4758,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Tiliä ei ole asetettu kojetaulukartalle {0}
 DocType: Purchase Invoice,Apply Additional Discount On,käytä lisäalennusta
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Valitse tyyppi ...
+DocType: Loan Interest Accrual,Amounts,määrät
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Sinun liput
 DocType: Account,Root Type,kantatyyppi
 DocType: Item,FIFO,FIFO
@@ -4697,6 +4766,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},rivi # {0}: ei voi palauttaa enemmän kuin {1} tuotteelle {2}
 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: Loan Security Price,Loan Security Price,Lainan vakuushinta
 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,Target warehouse is mandatory for row {0},Kohdevarasto on pakollinen rivillä {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Vähittäiskauppa
@@ -4835,6 +4905,7 @@
 DocType: Coupon Code,Coupon Description,Kupongin kuvaus
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Erä on pakollinen rivillä {0}
 DocType: Company,Default Buying Terms,Oletusostoehdot
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Lainan maksaminen
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Saapumistositteen nimike toimitettu
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Ota aikataulutettu synkronointi käyttöön
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Aikajana
@@ -4863,6 +4934,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Syötä arvo välillä {0} ja {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,syötä kampanjan nimi jos kirjauksen lähde on kampanja
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Newspaper Publishers
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},<b>Kohdetta</b> {0} ei löytynyt voimassa olevaa <b>lainan</b> vakuushintaa
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tulevat päivät eivät ole sallittuja
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Odotettu toimituspäivä on myynnin tilauspäivän jälkeen
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Täydennystilaustaso
@@ -4929,6 +5001,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Ehdotus / hinta
 DocType: Antibiotic,Healthcare,Terveydenhuolto
 DocType: Target Detail,Target Detail,Tavoite lisätiedot
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Lainaprosessit
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Yksi variantti
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,kaikki työt
 DocType: Sales Order,% of materials billed against this Sales Order,% myyntitilauksen materiaaleista laskutettu
@@ -4991,7 +5064,7 @@
 DocType: Item,Reorder level based on Warehouse,Varastoon perustuva täydennystilaustaso
 DocType: Activity Cost,Billing Rate,Laskutus taso
 ,Qty to Deliver,Toimitettava yksikkömäärä
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Luo maksumääräys
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Luo maksumääräys
 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,Operations cannot be left blank,Toimintaa ei voi jättää tyhjäksi
@@ -5025,6 +5098,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Poista ulkoisten integraatioiden linkki
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Valitse vastaava maksu
 DocType: Pricing Rule,Item Code,Nimikekoodi
+DocType: Loan Disbursement,Pending Amount For Disbursal,Maksamatta oleva summa
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Takuun / ylläpidon lisätiedot
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Valitse opiskelijat manuaalisesti Toiminto perustuu ryhmän
@@ -5048,6 +5122,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Määrä yhteensä
 DocType: Landed Cost Item,Receipt Document,kuitti Document
 DocType: Employee Education,School/University,Koulu/Yliopisto
+DocType: Loan Security Pledge,Loan  Details,Lainan yksityiskohdat
 DocType: Sales Invoice Item,Available Qty at Warehouse,saatava varaston yksikkömäärä
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,laskutettu
 DocType: Share Transfer,(including),(mukaan lukien)
@@ -5071,6 +5146,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,ryhmät
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,tilin ryhmä
 DocType: Purchase Invoice,Hold Invoice,Pidä lasku
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Pantin tila
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Valitse Työntekijä
 DocType: Sales Order,Fully Delivered,täysin toimitettu
 DocType: Promotional Scheme Price Discount,Min Amount,Min määrä
@@ -5080,7 +5156,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Maksettu summa ei voi olla suurempi kuin lainan määrä {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rivi {0} # Sallittu määrä {1} ei voi olla suurempi kuin lunastamaton summa {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Ostotilauksen numero vaaditaan tuotteelle {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,siirrä välitetyt poistumiset
@@ -5108,6 +5183,7 @@
 DocType: Pick List Item,Serial No and Batch,Sarjanumero ja erä
 DocType: Warranty Claim,From Company,Yrityksestä
 DocType: GSTR 3B Report,January,tammikuu
+DocType: Loan Repayment,Principal Amount Paid,Maksettu päämäärä
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summa Kymmeniä Arviointikriteerit on oltava {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Aseta varattujen poistojen määrä
 DocType: Supplier Scorecard Period,Calculations,Laskelmat
@@ -5133,6 +5209,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Tietoja yrityksestänne
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Näytä osakekannan ikääntötiedot
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit tilin on oltava tase tili
+DocType: Loan Repayment,Penalty Amount,Rangaistuksen määrä
 DocType: Donor,Donor,luovuttaja
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Päivitä kohteiden verot
 DocType: Global Defaults,Disable In Words,Poista In Sanat
@@ -5163,6 +5240,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kustannuskeskus ja budjetointi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Avaa oman pääoman tase
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Osittainen maksettu pääsy
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Aseta maksuaikataulu
 DocType: Pick List,Items under this warehouse will be suggested,Tämän varaston alla olevia tuotteita ehdotetaan
 DocType: Purchase Invoice,N,N
@@ -5196,7 +5274,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ei löydy kohdasta {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Arvon on oltava välillä {0} - {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Näytä Inclusive Tax In Print
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Viesti lähetetty
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Huomioon lapsen solmuja ei voida asettaa Ledger
 DocType: C-Form,II,II
@@ -5210,6 +5287,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Ota automaattinen uudelleenjärjestys käyttöön
 DocType: Stock Settings,Item Naming By,tuotteen nimeäjä
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},toinen jakson sulkukirjaus {0} on tehty {1} jälkeen
+DocType: Proposed Pledge,Proposed Pledge,Ehdotettu lupaus
 DocType: Work Order,Material Transferred for Manufacturing,Tuotantoon siirretyt materiaalit
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Tiliä {0} ei löydy
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Valitse kanta-asiakasohjelma
@@ -5220,7 +5298,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Tapahtuma asetettu arvoon {0}, koska myyntihenkilöön liitetty työntekijä ei omista käyttäjätunnusta {1}"
 DocType: Timesheet,Billing Details,Laskutustiedot
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Lähde ja kohde varasto on oltava eri
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Asenna Työntekijöiden nimeämisjärjestelmä kohtaan Henkilöstöresurssit&gt; HR-asetukset
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Maksu epäonnistui. Tarkista GoCardless-tilisi tarkempia tietoja
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ei ole sallittua päivittää yli {0} vanhoja varastotapahtumia
 DocType: Stock Entry,Inspection Required,tarkistus vaaditaan
@@ -5233,6 +5310,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Toimitus varasto tarvitaan varastonimike {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"Pakkauksen bruttopaino, yleensä tuotteen nettopaino + pakkausmateriaalin paino  (tulostukseen)"
 DocType: Assessment Plan,Program,Ohjelmoida
+DocType: Unpledge,Against Pledge,Lupaus vastaan
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Roolin omaavat käyttäjät voivat jäädyttää tilejä, sekä luoda ja muokata kirjanpidon kirjauksia jäädytettyillä tileillä"
 DocType: Plaid Settings,Plaid Environment,Plaid Ympäristö
 ,Project Billing Summary,Projektin laskutusyhteenveto
@@ -5284,6 +5362,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,erissä
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Päivämäärä voidaan varata etukäteen
 DocType: Article,LMS User,LMS-käyttäjä
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Lainan vakuus on pakollinen vakuudelle
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Toimituspaikka (osavaltio / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Varastoyksikkö
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Ostotilaus {0} ei ole vahvistettu
@@ -5358,6 +5437,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Luo työkortti
 DocType: Quotation,Referral Sales Partner,Suosittelumyyntikumppani
 DocType: Quality Procedure Process,Process Description,Prosessin kuvaus
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Ei voi luopua, lainan vakuusarvo on suurempi kuin takaisin maksettu summa"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Asiakas {0} luodaan.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,"Tällä hetkellä ei varastossa,"
 ,Payment Period Based On Invoice Date,Maksuaikaa perustuu laskun päiväykseen
@@ -5378,7 +5458,7 @@
 DocType: Asset,Insurance Details,vakuutus Lisätiedot
 DocType: Account,Payable,Maksettava
 DocType: Share Balance,Share Type,Osaketyyppi
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Anna takaisinmaksuajat
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Anna takaisinmaksuajat
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Velalliset ({0})
 DocType: Pricing Rule,Margin,Marginaali
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Uudet asiakkaat
@@ -5387,6 +5467,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Muuta POS-profiilia
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Määrä tai määrä on pakollinen lainan vakuudelle
 DocType: Bank Reconciliation Detail,Clearance Date,tilityspäivä
 DocType: Delivery Settings,Dispatch Notification Template,Lähetysilmoitusmalli
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Arviointikertomus
@@ -5422,6 +5503,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Osakekirja
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Myynti lasku {0} luotiin
 DocType: Employee,Confirmation Date,Työsopimuksen vahvistamispäivä
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Poista työntekijä <a href=""#Form/Employee/{0}"">{0}</a> \ peruuttaaksesi tämän asiakirjan"
 DocType: Inpatient Occupancy,Check Out,Tarkista
 DocType: C-Form,Total Invoiced Amount,Kokonaislaskutus arvomäärä
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,min yksikkömäärä ei voi olla suurempi kuin max yksikkömäärä
@@ -5435,7 +5518,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Matkustusrahoitus
 DocType: Employee Skill,Proficiency,Pätevyys
-DocType: Loan Application,Required by Date,Vaaditaan Date
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Ostokuittitiedot
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Linkki kaikkiin kohteisiin, joissa viljely kasvaa"
 DocType: Lead,Lead Owner,Liidin vastuullinen
@@ -5454,7 +5536,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,nykyinen BOM ja uusi BOM ei voi olla samoja
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Palkka Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Eläkkeellesiirtymispäivän on oltava työsuhteen aloituspäivää myöhemmin
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Toimittaja&gt; Toimittajan tyyppi
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Useita vaihtoehtoja
 DocType: Sales Invoice,Against Income Account,tulotilin kodistus
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% toimitettu
@@ -5487,7 +5568,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Arvotyypin maksuja ei voi merkata sisältyviksi
 DocType: POS Profile,Update Stock,Päivitä varasto
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Maksutiedot
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM taso
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Lähetettyjen tiedostojen lukeminen
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Pysäytettyä työjärjestystä ei voi peruuttaa, keskeyttää se ensin peruuttamalla"
@@ -5522,6 +5603,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Eränumero on pakollinen tuotteelle {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Lainan enimmäisarvo
 ,Stock Ledger,Varastokirjanpidon tilikirja
 DocType: Company,Exchange Gain / Loss Account,valuutanvaihtojen voitto/tappiotili
 DocType: Amazon MWS Settings,MWS Credentials,MWS-todistukset
@@ -5529,6 +5611,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Tapahtuman on oltava jokin {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Täytä muoto ja tallenna se
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Yhteisön Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Työntekijälle ei ole allokoitu lehtiä: {0} lomityypille: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Varsinainen kpl varastossa
 DocType: Homepage,"URL for ""All Products""","""Kaikki tuotteet"" - sivun WWW-osoite"
 DocType: Leave Application,Leave Balance Before Application,Vapaan määrä ennen
@@ -5630,7 +5713,6 @@
 DocType: Fee Schedule,Fee Schedule,Fee aikataulu
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Sarakkeen etiketit:
 DocType: Bank Transaction,Settled,ratkaistu
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Maksupäivä ei voi olla lainan takaisinmaksun alkamispäivän jälkeen
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,parametrit
 DocType: Company,Create Chart Of Accounts Based On,Luo tilikartta perustuu
@@ -5650,6 +5732,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Luottoraja ja maksuehdot
 DocType: Loyalty Program,Collection Rules,Kokoelman säännöt
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Nimike 3
+DocType: Loan Security Shortfall,Shortfall Time,Puute aika
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Tilauksen merkintä
 DocType: Purchase Order,Customer Contact Email,Asiakas Sähköpostiosoite
 DocType: Warranty Claim,Item and Warranty Details,Kohta ja takuu Tietoja
@@ -5669,12 +5752,14 @@
 DocType: Sales Person,Sales Person Name,Myyjän nimi
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Syötä taulukkoon vähintään yksi lasku
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Ei Lab Testaa luotu
+DocType: Loan Security Shortfall,Security Value ,Turva-arvo
 DocType: POS Item Group,Item Group,Tuoteryhmä
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Opiskelijaryhmä:
 DocType: Depreciation Schedule,Finance Book Id,Rahoitustunnus Id
 DocType: Item,Safety Stock,Varmuusvarasto
 DocType: Healthcare Settings,Healthcare Settings,Terveydenhuollon asetukset
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Kokonaisrajaiset lehdet
+DocType: Appointment Letter,Appointment Letter,Nimityskirje
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Progress% tehtävään ei voi olla enemmän kuin 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Ennen täsmäytystä
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},{0}:lle
@@ -5729,6 +5814,7 @@
 DocType: Stock Entry,From BOM,Osaluettelolta
 DocType: Assessment Code,Assessment Code,arviointi koodi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,perustiedot
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Asiakkaiden ja työntekijöiden lainahakemukset.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ennen {0} rekisteröidyt varastotapahtumat on jäädytetty
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"klikkaa ""muodosta aikataulu"""
 DocType: Job Card,Current Time,Tämänhetkinen aika
@@ -5755,7 +5841,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Myöntää
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ei opiskelijaryhmille luotu.
 DocType: Purchase Invoice Item,Serial No,Sarjanumero
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Kuukauden lyhennyksen määrä ei voi olla suurempi kuin Lainamäärä
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Kuukauden lyhennyksen määrä ei voi olla suurempi kuin Lainamäärä
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Syötä ylläpidon lisätiedot ensin
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rivi # {0}: Odotettu toimituspäivä ei voi olla ennen ostotilauspäivää
 DocType: Purchase Invoice,Print Language,käytettävä tulosteiden kieli
@@ -5769,6 +5855,7 @@
 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,All Territories,Kaikki alueet
+DocType: Plaid Settings,development,kehitys
 DocType: Lost Reason Detail,Lost Reason Detail,Kadonnut syy
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Valittujen asiakkaiden ja kohteiden virheellinen peittojärjestys
@@ -5831,12 +5918,14 @@
 DocType: Staffing Plan Detail,Current Openings,Nykyiset avaukset
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,LIIKETOIMINNAN RAHAVIRTA
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST-määrä
+DocType: Vehicle Log,Current Odometer value ,Nykyinen matkamittarin arvo
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Luo opiskelija
 DocType: Asset Movement Item,Asset Movement Item,Omaisuuden liikkeen kohde
 DocType: Purchase Invoice,Shipping Rule,Toimitustapa
 DocType: Patient Relation,Spouse,puoliso
 DocType: Lab Test Groups,Add Test,Lisää testi
 DocType: Manufacturer,Limited to 12 characters,Rajattu 12 merkkiin
+DocType: Appointment Letter,Closing Notes,Loppuilmoitukset
 DocType: Journal Entry,Print Heading,Tulosteen otsikko
 DocType: Quality Action Table,Quality Action Table,Laadunhallintataulukko
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Yhteensä ei voi olla nolla
@@ -5903,6 +5992,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),yhteensä (summa)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Tunnista / luo tili (ryhmä) tyypille - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,edustus & vapaa-aika
+DocType: Loan Security,Loan Security,Lainan vakuus
 ,Item Variant Details,Tuote varianttien tiedot
 DocType: Quality Inspection,Item Serial No,Nimikkeen sarjanumero
 DocType: Payment Request,Is a Subscription,Onko tilaus
@@ -5915,7 +6005,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Viimeisin ikä
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Ajoitettujen ja hyväksyttyjen päivämäärien ei voi olla vähemmän kuin tänään
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,materiaalisiirto toimittajalle
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"uusi sarjanumero voi olla varastossa, sarjanumero muodoruu varaston kirjauksella tai ostokuitilla"
 DocType: Lead,Lead Type,vihjeen tyyppi
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,tee tarjous
@@ -5933,7 +6022,6 @@
 DocType: Leave Allocation,Leave Period,Jätä aika
 DocType: Item,Default Material Request Type,Oletus hankintapyynnön tyyppi
 DocType: Supplier Scorecard,Evaluation Period,Arviointijakso
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Asiakas&gt; Asiakasryhmä&gt; Alue
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Tuntematon
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Työjärjestystä ei luotu
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6017,7 +6105,8 @@
 ,Customer-wise Item Price,Asiakaskohtainen tuotehinta
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Rahavirtalaskelma
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Materiaalihakua ei ole luotu
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lainamäärä voi ylittää suurin lainamäärä on {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lainamäärä voi ylittää suurin lainamäärä on {0}
+DocType: Loan,Loan Security Pledge,Lainan vakuuslupaus
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,lisenssi
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6035,6 +6124,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Hintaalennusjärjestelmä
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Huoltotila on peruutettava tai tehtävä lähetettäväksi
 DocType: Amazon MWS Settings,US,MEILLE
+DocType: Loan Security Pledge,Pledged,Pantatut
 DocType: Holiday List,Add Weekly Holidays,Lisää viikonloppu
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Raportoi esine
 DocType: Staffing Plan Detail,Vacancies,Työpaikkailmoitukset
@@ -6053,7 +6143,6 @@
 DocType: Production Plan Item,Planned Start Date,Suunniteltu aloituspäivä
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Valitse BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Käytti ITC: n integroitua veroa
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Luo takaisinmaksu
 DocType: Purchase Order Item,Blanket Order Rate,Peittojärjestysnopeus
 ,Customer Ledger Summary,Asiakaskirjan yhteenveto
 apps/erpnext/erpnext/hooks.py,Certification,sertifiointi
@@ -6074,6 +6163,7 @@
 DocType: Appraisal Template,Appraisal Template Title,arvioinnin otsikko
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,kaupallinen
 DocType: Patient,Alcohol Current Use,Alkoholi nykyinen käyttö
+DocType: Loan,Loan Closure Requested,Pyydetty lainan sulkeminen
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Talon vuokra maksamismäärä
 DocType: Student Admission Program,Student Admission Program,Opiskelijavalintaohjelma
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Verovapautusluokka
@@ -6097,6 +6187,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Myynti
 DocType: Stock Entry Detail,Basic Amount,Perusmäärät
 DocType: Training Event,Exam,Koe
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Prosessilainan turvavaje
 DocType: Email Campaign,Email Campaign,Sähköposti-kampanja
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Marketplace Error
 DocType: Complaint,Complaint,Valitus
@@ -6176,6 +6267,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Lähetä tämä, jos haluat luoda työntekijän tietueen"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Lainan vakuushinta päällekkäin {0} kanssa
 DocType: Item Default,Item Default,Oletusarvo
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Valtioiden sisäiset tarvikkeet
 DocType: Chapter Member,Leave Reason,Jätä syy
@@ -6202,6 +6294,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Käytetty kuponki on {1}. Sallittu määrä on käytetty loppuun
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Haluatko lähettää materiaalipyynnön?
 DocType: Job Offer,Awaiting Response,Odottaa vastausta
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Laina on pakollinen
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Yläpuolella
 DocType: Support Search Source,Link Options,Linkin asetukset
@@ -6214,6 +6307,7 @@
 DocType: Training Event Employee,Optional,Valinnainen
 DocType: Salary Slip,Earning & Deduction,ansio & vähennys
 DocType: Agriculture Analysis Criteria,Water Analysis,Veden analyysi
+DocType: Pledge,Post Haircut Amount,Postitusleikkauksen määrä
 DocType: Sales Order,Skip Delivery Note,Ohita toimitusilmoitus
 DocType: Price List,Price Not UOM Dependent,Hinta ei ole riippuvainen UOM: sta
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} muunnoksia luotu.
@@ -6240,6 +6334,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Hae nimikkeet tuotepaketista
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Takaisinmaksutapa on pakollinen lainoille
 DocType: Asset,Straight Line,Suora viiva
 DocType: Project User,Project User,Projektikäyttäjä
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Jakaa
@@ -6284,7 +6379,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,rooli voi jäädyttää- sekä muokata jäädytettyjä kirjauksia
 DocType: Supplier Scorecard Scoring Variable,Path,polku
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"kustannuspaikasta ei voi siirtää tilikirjaan, sillä kustannuspaikalla on alasidoksia"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-muuntokerrointa ({0} -&gt; {1}) ei löydy tuotteelle: {2}
 DocType: Production Plan,Total Planned Qty,Suunniteltu kokonaismäärä
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Tapahtumat palautettiin jo lausunnosta
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Opening Arvo
@@ -6293,11 +6387,8 @@
 DocType: Material Request Plan Item,Required Quantity,Vaadittu määrä
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Tilikausi päällekkäin {0} kanssa
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Toimittaja&gt; Toimittajan tyyppi
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Myynti tili
 DocType: Purchase Invoice Item,Total Weight,Kokonaispaino
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Poista työntekijä <a href=""#Form/Employee/{0}"">{0}</a> \ peruuttaaksesi tämän asiakirjan"
 DocType: Pick List Item,Pick List Item,Valitse luettelon kohde
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,provisio myynti
 DocType: Job Offer Term,Value / Description,Arvo / Kuvaus
@@ -6344,6 +6435,7 @@
 DocType: Patient Encounter,Encounter Date,Kohtaamispäivä
 DocType: Work Order,Update Consumed Material Cost In Project,Päivitä projektin kuluneet materiaalikustannukset
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Tili: {0} kanssa valuutta: {1} ei voi valita
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Asiakkaille ja työntekijöille annetut lainat.
 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
@@ -6412,7 +6504,6 @@
 DocType: Contract,Signed On,Allekirjoitettu
 DocType: Bank Account,Party Type,Osapuoli tyyppi
 DocType: Discounted Invoice,Discounted Invoice,Alennettu lasku
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkitse läsnäolo nimellä <b></b>
 DocType: Payment Schedule,Payment Schedule,Maksuaikataulu
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ei annettua työntekijäkentän arvoa. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Lyhenne
@@ -6484,6 +6575,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,luotonantajat
 DocType: Assessment Plan,Assessment Name,arviointi Name
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Rivi # {0}: Sarjanumero on pakollinen
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Määrä {0} vaaditaan lainan lopettamiseen
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,"tuote työkalu, verotiedot"
 DocType: Employee Onboarding,Job Offer,Työtarjous
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute lyhenne
@@ -6507,7 +6599,6 @@
 DocType: Purchase Order,To Receive,Saavuta
 DocType: Leave Period,Holiday List for Optional Leave,Lomalista vapaaehtoiseen lomaan
 DocType: Item Tax Template,Tax Rates,Verokannat
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Tuotekoodi&gt; Tuoteryhmä&gt; Tuotemerkki
 DocType: Asset,Asset Owner,Omaisuuden omistaja
 DocType: Item,Website Content,Verkkosivun sisältö
 DocType: Bank Account,Integration ID,Integrointitunnus
@@ -6523,6 +6614,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synkronointitilaukset
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,tuotantoon luovutetut tilaukset
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Valitse tilikausi ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Valitse lainatyyppi yritykselle {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS profiili vaatii POS kirjauksen
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6551,6 +6643,7 @@
 DocType: Customer,Mention if non-standard receivable account,Mainitse jos ei-standardi velalliset
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Lisää jäljellä olevat edut {0} mihin tahansa olemassa olevaan komponenttiin
+DocType: Bank Account,Is Default Account,On oletustili
 DocType: Journal Entry Account,If Income or Expense,Mikäli tulot tai kustannukset
 DocType: Course Topic,Course Topic,Kurssin aihe
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS-sulkukupongin toista päivämäärä on olemassa {0} päivämäärän {1} ja {2} välillä.
@@ -6563,7 +6656,7 @@
 DocType: Disease,Treatment Task,Hoitotyö
 DocType: Payment Order Reference,Bank Account Details,Pankkitilin tiedot
 DocType: Purchase Order Item,Blanket Order,Peittojärjestys
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Takaisinmaksusumman on oltava suurempi kuin
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Takaisinmaksusumman on oltava suurempi kuin
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,"Vero, vastaavat"
 DocType: BOM Item,BOM No,BOM nro
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Päivitä yksityiskohdat
@@ -6619,6 +6712,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce-tuotteet
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Syntaksivirhe kaavassa tai tila: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Nimike {0} ohitetaan sillä se ei ole varastotuote
+,Loan Security Status,Lainan turvataso
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",Kaikki sovellettavat hinnoittelusäännöt tulee poistaa käytöstä ettei hinnoittelusääntöjä käytetä tähän tapahtumaan
 DocType: Payment Term,Day(s) after the end of the invoice month,Päivä (ä) laskutuskuukauden päättymisen jälkeen
 DocType: Assessment Group,Parent Assessment Group,Parent Assessment Group
@@ -6633,7 +6727,6 @@
 DocType: Stock Entry Detail,Additional Cost,Muita Kustannukset
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",ei voi suodattaa tositenumero pohjalta mikäli tosite on ryhmässä
 DocType: Quality Inspection,Incoming,saapuva
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Asenna läsnäolosuhteiden numerointisarjat kohdasta Asetukset&gt; Numerointisarja
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Myynnin ja ostoksen oletusmaksumalleja luodaan.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Arviointi Tulosrekisteri {0} on jo olemassa.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Esimerkki: ABCD. #####. Jos sarja on asetettu ja eränumeroa ei ole mainittu liiketoimissa, automaattinen eränumero luodaan tämän sarjan perusteella. Jos haluat aina mainita erikseen tämän erän erät, jätä tämä tyhjäksi. Huomaa: tämä asetus on etusijalla Naming-sarjan etuliitteen asetuksissa."
@@ -6644,8 +6737,10 @@
 DocType: Contract,Party User,Party-käyttäjä
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,"Omaisuutta, jota ei ole luotu <b>{0}</b> . Omaisuus on luotava manuaalisesti."
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Aseta Yritysfiltteri tyhjäksi jos Ryhmittelyperuste on &#39;yritys&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Asiakas&gt; Asiakasryhmä&gt; Alue
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Kirjoittamisen päivämäärä ei voi olla tulevaisuudessa
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Rivi # {0}: Sarjanumero {1} ei vastaa {2} {3}
+DocType: Loan Repayment,Interest Payable,Maksettava korko
 DocType: Stock Entry,Target Warehouse Address,Kohdevaraston osoite
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,tavallinen poistuminen
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Aika ennen vuoron alkamisaikaa, jonka aikana työntekijän lähtöselvitystä pidetään läsnäolona."
@@ -6774,6 +6869,7 @@
 DocType: Issue,Reset Service Level Agreement,Palauta palvelutasosopimus
 ,Sales Person-wise Transaction Summary,"Myyjän työkalu,  tapahtuma yhteenveto"
 DocType: Training Event,Contact Number,Yhteysnumero
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Lainan määrä on pakollinen
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6822,6 +6918,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,taseyksikkömäärä
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Ehtoja sovelletaan kaikkiin valittuihin kohteisiin yhdistettynä.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Tavoitteet voi olla tyhjä
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Väärä varasto
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Ilmoittautuminen opiskelijoille
 DocType: Item Group,Parent Item Group,Päätuoteryhmä
 DocType: Appointment Type,Appointment Type,Nimitystyyppi
@@ -6875,10 +6972,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Keskimääräinen hinta
 DocType: Appointment,Appointment With,Nimitys
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksun kokonaissumman summan on vastattava suurta / pyöristettyä summaa
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkitse läsnäolo nimellä <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Asiakkaan toimittamalla tuotteella&quot; ei voi olla arviointiastetta
 DocType: Subscription Plan Detail,Plan,Suunnitelma
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Tiliote tasapaino kohti Pääkirja
-DocType: Job Applicant,Applicant Name,hakijan nimi
+DocType: Appointment Letter,Applicant Name,hakijan nimi
 DocType: Authorization Rule,Customer / Item Name,Asiakas / Nimikkeen nimi
 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**. 
 
@@ -6928,11 +7026,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,toimitus
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Työntekijän tilaa ei voida asettaa Vasemmalle, koska seuraavat työntekijät raportoivat tällä työntekijällä:"
-DocType: Journal Entry Account,Loan,Lainata
+DocType: Loan Repayment,Amount Paid,maksettu summa
+DocType: Loan Security Shortfall,Loan,Lainata
 DocType: Expense Claim Advance,Expense Claim Advance,Kulujen ennakkovaatimus
 DocType: Lab Test,Report Preference,Ilmoita suosikeista
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Vapaaehtoiset tiedot.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Projektihallinta
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Ryhmittele asiakas
 ,Quoted Item Comparison,Noteeratut Kohta Vertailu
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,lähetys
@@ -6952,6 +7052,7 @@
 DocType: Material Request Plan Item,Material Issue,materiaali aihe
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Ilmaista tuotetta ei ole asetettu hinnasäännössä {0}
 DocType: Employee Education,Qualification,Pätevyys
+DocType: Loan Security Shortfall,Loan Security Shortfall,Lainavakuus
 DocType: Item Price,Item Price,Nimikkeen hinta
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Saippua & pesuaine
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Työntekijä {0} ei kuulu yritykseen {1}
@@ -6974,6 +7075,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Nimityksen yksityiskohdat
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Valmis tuote
 DocType: Warehouse,Warehouse Name,Varaston nimi
+DocType: Loan Security Pledge,Pledge Time,Pantti aika
 DocType: Naming Series,Select Transaction,Valitse tapahtuma
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Anna hyväksyminen rooli tai hyväksyminen Käyttäjä
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Palvelutasosopimus entiteettityypin {0} ja kokonaisuuden {1} kanssa on jo olemassa.
@@ -6981,7 +7083,6 @@
 DocType: BOM,Rate Of Materials Based On,Materiaalilaskenta perustuen
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jos tämä on käytössä, kentän akateeminen termi on Pakollinen ohjelman rekisteröintityökalussa."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Verottomien, nollaan luokiteltujen ja muiden kuin GST-sisäisten tarvikkeiden arvot"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Asiakas&gt; Asiakasryhmä&gt; Alue
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Yritys</b> on pakollinen suodatin.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Poista kaikki
 DocType: Purchase Taxes and Charges,On Item Quantity,Tuotteen määrä
@@ -7026,7 +7127,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Vajaa määrä
 DocType: Purchase Invoice,Input Service Distributor,Tulopalvelun jakelija
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Tuote variantti {0} ovat olemassa samoja ominaisuuksia
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Asenna ohjaajien nimeämisjärjestelmä kohtaan Koulutus&gt; Koulutusasetukset
 DocType: Loan,Repay from Salary,Maksaa maasta Palkka
 DocType: Exotel Settings,API Token,API-tunnus
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Maksupyynnön vastaan {0} {1} määräksi {2}
@@ -7046,6 +7146,7 @@
 DocType: Salary Slip,Total Interest Amount,Kokonaiskorkojen määrä
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Saapuminen Datetime
 DocType: Tax Rule,Billing Zipcode,Laskutuksen postinumero
@@ -7232,6 +7333,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,tuntia
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Sinulle on luotu uusi tapaaminen {0}
 DocType: Project,Expected Start Date,odotettu aloituspäivä
+DocType: Work Order,This is a location where raw materials are available.,Tässä on raaka-aineita saatavana.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korjaus laskussa
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,"Työjärjestys on luotu kaikille kohteille, joissa on BOM"
 DocType: Bank Account,Party Details,Juhlatiedot
@@ -7250,6 +7352,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Lainaukset:
 DocType: Contract,Partially Fulfilled,Osittain täytetty
 DocType: Maintenance Visit,Fully Completed,täysin valmis
+DocType: Loan Security,Loan Security Name,Lainan arvopaperi
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Erikoismerkit paitsi &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Ja &quot;}&quot; eivät ole sallittuja nimeämissarjoissa"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Ei ole luokiteltu tai vapautettu
 DocType: Employee,Educational Qualification,koulutusksen arviointi
@@ -7306,6 +7409,7 @@
 DocType: Program,Is Featured,On esillä
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Haetaan ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Maatalous-käyttäjä
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Voimassa oleva päivämäärä ei voi olla ennen tapahtumapäivää
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7382,8 +7486,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Työntekijä {0} on lähdössä {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Journal entries ei ole palautettu takaisin
 DocType: Purchase Invoice,GST Category,GST-luokka
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Ehdotetut lupaukset ovat pakollisia vakuudellisille lainoille
 DocType: Payment Reconciliation,From Invoice Date,Alkaen Laskun päiväys
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,budjetit
 DocType: Invoice Discounting,Disbursed,maksettu
@@ -7441,14 +7545,13 @@
 DocType: Restaurant,Active Menu,Aktiivinen valikko
 DocType: Accounting Dimension Detail,Default Dimension,Oletusulottuvuus
 DocType: Target Detail,Target Qty,Tavoite yksikkömäärä
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Lainaan: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Kassalle Asetukset
 DocType: Student Attendance,Present,Nykyinen
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Lähete {0} ei saa olla vahvistettu
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Työntekijälle sähköpostitse lähetetty palkkakuitti on suojattu salasanalla, salasana luodaan salasanakäytännön perusteella."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Matkamittari
 DocType: Production Plan Item,Ordered Qty,tilattu yksikkömäärä
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Nimike {0} on poistettu käytöstä
 DocType: Stock Settings,Stock Frozen Upto,varasto jäädytetty asti
@@ -7505,7 +7608,6 @@
 DocType: Serial No,Delivery Document Type,Toimitus Dokumenttityyppi
 DocType: Sales Order,Partly Delivered,Osittain toimitettu
 DocType: Item Variant Settings,Do not update variants on save,Älä päivitä tallennustilaa
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Asiakasryhmä
 DocType: Email Digest,Receivables,Saatavat
 DocType: Lead Source,Lead Source,Liidin alkuperä
 DocType: Customer,Additional information regarding the customer.,Lisätietoja asiakas.
@@ -7601,6 +7703,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,kiinteä määrä
 DocType: Appointment,Skype ID,Skype tunnus
 DocType: Restaurant Menu,Restaurant Manager,Ravintolapäällikkö
+DocType: Loan,Penalty Income Account,Rangaistustulotili
 DocType: Call Log,Call Log,Puheluloki
 DocType: Authorization Rule,Customerwise Discount,asiakaskohtainen alennus
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Tehtävien tuntilomake.
@@ -7688,6 +7791,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Tuotteiden alennusjärjestelmä
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Soittaja ei ole esittänyt asiaa.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Ryhmittele toimittajan mukaan
 DocType: Restaurant Reservation,Waitlisted,Jonossa
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Poikkeusluokka
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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.
@@ -7698,7 +7802,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,konsultointi
 DocType: Subscription Plan,Based on price list,Perustuu hinnastoon
 DocType: Customer Group,Parent Customer Group,Pääasiakasryhmä
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON voidaan luoda vain myyntilaskusta
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Tämän tietokilpailun enimmäisyritykset saavutettu!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,tilaus
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Maksun luominen vireillä
@@ -7716,6 +7819,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Ennakkohuolto
 DocType: Delivery Note Item,Against Sales Invoice,myyntilaskun kohdistus
 DocType: Purchase Invoice,07-Others,07-Muut
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Tarjouksen määrä
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Anna sarjanumeroita serialized erä
 DocType: Bin,Reserved Qty for Production,Varattu Määrä for Production
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Jätä valitsematta jos et halua pohtia erän samalla tietenkin toimiviin ryhmiin.
@@ -7823,6 +7927,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Maksukuitin Huomautus
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Tämä perustuu asiakasta koskeviin tapahtumiin. Katso lisätietoja ao. aikajanalta
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Luo materiaalipyyntö
+DocType: Loan Interest Accrual,Pending Principal Amount,Odottaa pääomaa
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Aloitus- ja lopetuspäivät eivät ole voimassa olevassa palkka-aikajaksossa, ei voi laskea {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7866,6 +7971,7 @@
 											to fullfill Sales Order {2}","Lähetyksen {1} sarjanumero {0} ei voida antaa, koska se on varattu \ täyttääksesi myyntitilauksen {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Toimittaja noteeraus {0} luotu
+DocType: Loan Security Unpledge,Unpledge Type,Todistuksen tyyppi
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Loppu vuosi voi olla ennen Aloitusvuosi
 DocType: Employee Benefit Application,Employee Benefits,työntekijä etuudet
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,henkilöstökortti
@@ -7948,6 +8054,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kurssikoodi:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Syötä kustannustili
 DocType: Quality Action Resolution,Problem,Ongelma
+DocType: Loan Security Type,Loan To Value Ratio,Lainan ja arvon suhde
 DocType: Account,Stock,Varasto
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7965,6 +8072,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Pankkitilin tapahtumaloki
 DocType: Sales Invoice Item,Discount and Margin,Alennus ja marginaali
 DocType: Lab Test,Prescription,Resepti
+DocType: Process Loan Security Shortfall,Update Time,Päivitä aika
 DocType: Import Supplier Invoice,Upload XML Invoices,Lataa XML-laskut
 DocType: Company,Default Deferred Revenue Account,Viivästetty tulotili
 DocType: Project,Second Email,Toinen sähköposti
@@ -7978,7 +8086,7 @@
 DocType: Quality Action,Preventive,ehkäisevä
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Rekisteröimättömille henkilöille tehdyt tarvikkeet
 DocType: Company,Date of Incorporation,Valmistuspäivä
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,verot yhteensä
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,verot yhteensä
 DocType: Manufacturing Settings,Default Scrap Warehouse,Romun oletusvarasto
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Viimeinen ostohinta
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,yksikkömäärään (valmistettu yksikkömäärä) vaaditaan
@@ -7997,6 +8105,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Aseta oletusmoodi
 DocType: Stock Entry Detail,Against Stock Entry,Varastointia vastaan
 DocType: Grant Application,Withdrawn,peruutettu
+DocType: Loan Repayment,Regular Payment,Säännöllinen maksu
 DocType: Support Search Source,Support Search Source,Tukipalvelun lähde
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,bruttokate %
@@ -8009,8 +8118,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Ilman veroa
 DocType: BOM Operation,BOM Operation,BOM käyttö
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Edellisen rivin arvomäärä
+DocType: Student,Home Address,Kotiosoite
 DocType: Options,Is Correct,On oikein
 DocType: Item,Has Expiry Date,On vanhentunut
+DocType: Loan Repayment,Paid Accrual Entries,Maksetut suoriteperusteet
+DocType: Loan Security,Loan Security Type,Lainan vakuustyyppi
 apps/erpnext/erpnext/config/support.py,Issue Type.,Julkaisutyyppi.
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Tapahtuman nimi
@@ -8022,6 +8134,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","kausivaihtelu asetukset esim, budjettiin, tavoitteisiin jne"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Ei arvoja
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Muuttujan nimi
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Valitse sovittava pankkitili.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Nimike {0} on mallipohja, valitse yksi sen variaatioista"
 DocType: Purchase Invoice Item,Deferred Expense,Viivästyneet kulut
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Takaisin viesteihin
@@ -8073,7 +8186,6 @@
 DocType: GL Entry,To Rename,Nimeä uudelleen
 DocType: Stock Entry,Repack,Pakkaa uudelleen
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Lisää sarjanumero valitsemalla.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Asenna ohjaajien nimeämisjärjestelmä kohtaan Koulutus&gt; Koulutusasetukset
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Aseta verokoodi asiakkaalle% s
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Valitse ensin yritys
 DocType: Item Attribute,Numeric Values,Numeroarvot
@@ -8097,6 +8209,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Hae FIFO: n perusteella
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,kantaa ei voi muokata
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Lainan vakuusarvo
 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
@@ -8143,6 +8256,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Ole hyvä ja valitse Luokka ensin
 apps/erpnext/erpnext/config/projects.py,Project master.,projekti valvonta
 DocType: Contract,Contract Terms,Sopimusehdot
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sanktioitu rajoitus
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Jatka määritystä
 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,Maximum benefit amount of component {0} exceeds {1},Komponentin {0} maksimimäärä on suurempi kuin {1}
@@ -8175,6 +8289,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Näytä puheluloki
 DocType: BOM Operation,Operating Cost(Company Currency),Käyttökustannukset (Company valuutta)
 DocType: Loan Application,Rate of Interest,Kiinnostuksen taso
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Lainan vakuudellinen pantti jo luottotunnukselta {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Hyväksyttävä määrä
 DocType: Item,Shelf Life In Days,Säilyvyys päivinä
 DocType: GL Entry,Is Opening,on avaus
@@ -8188,3 +8303,4 @@
 DocType: Account,Cash,Käteinen
 DocType: Sales Invoice,Unpaid and Discounted,Makseton ja alennettu
 DocType: Employee,Short biography for website and other publications.,Lyhyt historiikki verkkosivuille ja muihin julkaisuihin
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,"Rivi # {0}: Toimittajavarastoa ei voida valita, kun raaka-aineet toimitetaan alihankkijoille"
diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv
index c63c949..4bb6eaac 100644
--- a/erpnext/translations/fr.csv
+++ b/erpnext/translations/fr.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Raison perdue
 DocType: Patient Appointment,Check availability,Voir les Disponibilités
 DocType: Retention Bonus,Bonus Payment Date,Date de paiement du bonus
-DocType: Employee,Job Applicant,Demandeur d'Emploi
+DocType: Appointment Letter,Job Applicant,Demandeur d'Emploi
 DocType: Job Card,Total Time in Mins,Temps total en minutes
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Informations de contact
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Rechercher n&#39;importe quoi ...
 ,Stock and Account Value Comparison,Comparaison de la valeur des actions et des comptes
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Le montant décaissé ne peut pas être supérieur au montant du prêt
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Intéressé
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Ouverture
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programme:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,La période de validité doit être inférieure à la durée de validité.
 DocType: Item,Copy From Item Group,Copier Depuis un Groupe d'Articles
 DocType: Journal Entry,Opening Entry,Écriture d'Ouverture
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Compte Bénéficiaire Seulement
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Echelon
 DocType: Restaurant Table,No of Seats,Nombre de Sièges
+DocType: Loan Type,Grace Period in Days,Délai de grâce en jours
 DocType: Sales Invoice,Overdue and Discounted,En retard et à prix réduit
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},L&#39;élément {0} n&#39;appartient pas au dépositaire {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Appel déconnecté
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procédures prescrites
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Afficher uniquement les points de vente
 DocType: Supplier Group,Supplier Group Name,Nom du groupe de fournisseurs
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marquer la présence comme <b></b>
 DocType: Driver,Driving License Categories,Catégories de permis de conduire
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Entrez la Date de Livraison
 DocType: Depreciation Schedule,Make Depreciation Entry,Créer une Écriture d'Amortissement
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Détails des opérations effectuées.
 DocType: Asset Maintenance Log,Maintenance Status,Statut d'Entretien
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Montant de la taxe incluse dans la valeur
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Désengagement de garantie de prêt
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Détails de l&#39;adhésion
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1} : Un Fournisseur est requis pour le Compte Créditeur {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Articles et Prix
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Nombre total d'heures : {0}
+DocType: Loan,Loan Manager,Gestionnaire de prêts
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},La Date Initiale doit être dans l'Exercice Fiscal. En supposant Date Initiale = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervalle
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Mis à jour via 'Journal du Temps'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Veuillez sélectionner le client ou le fournisseur.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Le code de pays dans le fichier ne correspond pas au code de pays configuré dans le système
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Compte {0} n'appartient pas à la société {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Sélectionnez une seule priorité par défaut.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Laisser Verrouillé
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Écritures Bancaires
-DocType: Customer,Is Internal Customer,Est un client interne
+DocType: Sales Invoice,Is Internal Customer,Est un client interne
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Demande de Matériel
 DocType: Bank Reconciliation,Update Clearance Date,Mettre à Jour la Date de Compensation
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Quantité de paquet
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Impossible de créer un prêt tant que la demande n&#39;est pas approuvée
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Correct
 DocType: Student Guardian,Mother,Mère
 DocType: Restaurant Reservation,Reservation End Time,Heure de fin de la réservation
+DocType: Salary Slip Loan,Loan Repayment Entry,Entrée de remboursement de prêt
 DocType: Crop,Biennial,Biennal
 ,BOM Variance Report,Rapport de variance par liste de matériaux (LDM)
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Commandes confirmées des clients.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Paiement pour {0} {1} ne peut pas être supérieur à Encours {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Tous les services de soins de santé
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Sur l&#39;opportunité de conversion
+DocType: Loan,Total Principal Paid,Total du capital payé
 DocType: Bank Account,Address HTML,Adresse HTML
 DocType: Lead,Mobile No.,N° Mobile.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Mode de paiement
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Solde en devise de base
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Note Maximale
 DocType: Email Digest,New Quotations,Nouveaux Devis
+DocType: Loan Interest Accrual,Loan Interest Accrual,Accumulation des intérêts sur les prêts
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Présence de {0} non soumise car {1} est en congés.
 DocType: Journal Entry,Payment Order,Ordre de paiement
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Vérifier les courriels
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Revenu provenant d&#39;autres sources
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Si ce champ est vide, le compte d’entrepôt parent ou la valeur par défaut de la société sera considéré."
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Envoi des fiches de paie à l'employé par Email en fonction de l'email sélectionné dans la fiche Employé
+DocType: Work Order,This is a location where operations are executed.,Il s&#39;agit d&#39;un emplacement où les opérations sont exécutées.
 DocType: Tax Rule,Shipping County,Comté de Livraison
 DocType: Currency Exchange,For Selling,A la vente
 apps/erpnext/erpnext/config/desktop.py,Learn,Apprendre
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Code de coupon appliqué
 DocType: Asset,Next Depreciation Date,Date de l’Amortissement Suivant
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Coût de l'Activité par Employé
+DocType: Loan Security,Haircut %,La Coupe de cheveux %
 DocType: Accounts Settings,Settings for Accounts,Paramètres des Comptes
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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/crm.py,Manage Sales Person Tree.,Gérer l'Arborescence des Vendeurs.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Veuillez définir le tarif de la chambre d'hôtel le {}
 DocType: Journal Entry,Multi Currency,Multi-Devise
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Type de Facture
+DocType: Loan,Loan Security Details,Détails de la sécurité du prêt
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,La date de début de validité doit être inférieure à la date de validité
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Une exception s&#39;est produite lors de la réconciliation {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Définir le magasin accepté
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Nécessite l'Approbation du Test de Laboratoire
 DocType: Attendance,Working Hours,Heures de Travail
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total en suspens
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Facteur de conversion UdM ({0} -&gt; {1}) introuvable pour l&#39;article: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Changer le numéro initial/actuel d'une série existante.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Pourcentage vous êtes autorisé à facturer plus par rapport au montant commandé. Par exemple: Si la valeur de la commande est de 100 USD pour un article et que la tolérance est définie sur 10%, vous êtes autorisé à facturer 110 USD."
 DocType: Dosage Strength,Strength,Force
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Date du Véhicule
 DocType: Campaign Email Schedule,Campaign Email Schedule,Calendrier des e-mails de campagne
 DocType: Student Log,Medical,Médical
+DocType: Work Order,This is a location where scraped materials are stored.,Il s&#39;agit d&#39;un emplacement où les matériaux raclés sont stockés.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,S&#39;il vous plaît sélectionnez Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Le Responsable du Prospect ne peut pas être identique au Prospect
 DocType: Announcement,Receiver,Récepteur
@@ -886,7 +898,7 @@
 DocType: Driver,Applicable for external driver,Applicable pour pilote externe
 DocType: Sales Order Item,Used for Production Plan,Utilisé pour Plan de Production
 DocType: BOM,Total Cost (Company Currency),Coût total (devise de l&#39;entreprise)
-DocType: Loan,Total Payment,Paiement Total
+DocType: Repayment Schedule,Total Payment,Paiement Total
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO déjà créé pour tous les postes de commande client
@@ -913,6 +925,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avertir lors de Bons de Commande
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Loué à partir du
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Pièces Suffisantes pour Construire
+DocType: Loan Security,Loan Security Code,Code de sécurité du prêt
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,S&#39;il vous plaît enregistrer en premier
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Les articles sont nécessaires pour extraire les matières premières qui lui sont associées.
 DocType: POS Profile User,POS Profile User,Utilisateur du profil PDV
@@ -969,6 +982,7 @@
 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,Stock Entries already created for Work Order ,Ecritures de stock déjà créées pour l'ordre de travail
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Code article&gt; Groupe d&#39;articles&gt; Marque
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Voir les commandes passées
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversations
 DocType: Vital Signs,Respiratory rate,Fréquence Respiratoire
@@ -1001,7 +1015,6 @@
 DocType: Company,Delete Company Transactions,Supprimer les Transactions de la Société
 DocType: Production Plan Item,Quantity and Description,Quantité et description
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Le N° de Référence et la Date de Référence sont nécessaires pour une Transaction Bancaire
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Veuillez définir la série de noms pour {0} via Configuration&gt; Paramètres&gt; Série de noms
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ajouter / Modifier Taxes et Charges
 DocType: Payment Entry Reference,Supplier Invoice No,N° de Facture du Fournisseur
 DocType: Territory,For reference,Pour référence
@@ -1032,6 +1045,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Compte de taxation à la source
 DocType: Pricing Rule,Sales Partner,Partenaire Commercial
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Toutes les Fiches d'Évaluation Fournisseurs.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Montant de la commande
+DocType: Loan,Disbursed Amount,Montant décaissé
 DocType: Buying Settings,Purchase Receipt Required,Reçu d’Achat Requis
 DocType: Sales Invoice,Rail,Rail
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Prix actuel
@@ -1072,6 +1087,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Connecté à QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Veuillez identifier / créer un compte (grand livre) pour le type - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Comptes Créditeurs
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Le compte est obligatoire pour obtenir les entrées de paiement
 DocType: Payment Entry,Type of Payment,Type de Paiement
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,La date de la demi-journée est obligatoire
 DocType: Sales Order,Billing and Delivery Status,Facturation et Statut de Livraison
@@ -1110,7 +1126,7 @@
 DocType: Purchase Order Item,Billed Amt,Mnt Facturé
 DocType: Training Result Employee,Training Result Employee,Résultat de la Formation – Employé
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un Entrepôt logique dans lequel les entrées en stock sont faites.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Montant Principal
+DocType: Repayment Schedule,Principal Amount,Montant Principal
 DocType: Loan Application,Total Payable Interest,Total des Intérêts Créditeurs
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total en Attente: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Contact ouvert
@@ -1124,6 +1140,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Vos articles
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Fournisseur&gt; Type de fournisseur
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Rédaction de Propositions
 DocType: Payment Entry Deduction,Payment Entry Deduction,Déduction d’Écriture de Paiement
 DocType: Service Level Priority,Service Level Priority,Priorité de niveau de service
@@ -1156,6 +1173,7 @@
 DocType: Batch,Batch Description,Description du Lot
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Créer des groupes d&#39;étudiants
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Le Compte Passerelle de Paiement n’existe pas, veuillez en créer un manuellement."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Les entrepôts de groupe ne peuvent pas être utilisés dans les transactions. Veuillez modifier la valeur de {0}
 DocType: Supplier Scorecard,Per Year,Par An
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Non admissible à l'admission dans ce programme d'après sa date de naissance
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Ligne # {0}: impossible de supprimer l&#39;article {1} affecté à la commande d&#39;achat du client.
@@ -1278,7 +1296,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Lors de la création du compte pour la société enfant {0}, le compte parent {1} est introuvable. Veuillez créer le compte parent dans le COA correspondant."
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Diviser le ticket
 DocType: Student Attendance,Student Attendance,Présence des Étudiants
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Aucune donnée à exporter
 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
@@ -1291,6 +1308,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Fournisseur
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Date de livraison réelle
 DocType: Lab Test,Test Template,Modèle de Test
+DocType: Loan Security Pledge,Securities,Titres
 DocType: Restaurant Order Entry Item,Served,Servi
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informations sur le chapitre
 DocType: Account,Accounts,Comptes
@@ -1384,6 +1402,7 @@
 DocType: Inpatient Record,O Negative,O Négatif
 DocType: Work Order Operation,Planned End Time,Heure de Fin Prévue
 DocType: POS Profile,Only show Items from these Item Groups,Afficher uniquement les éléments de ces groupes d&#39;éléments
+DocType: Loan,Is Secured Loan,Est un prêt garanti
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,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
@@ -1420,6 +1439,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Obtenez de la rencontre du patient
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Facteur de conversion UdM ({0} -&gt; {1}) introuvable pour l&#39;article: {2}
 DocType: Subscriber,Subscriber,Abonné
 DocType: Item Attribute Value,Item Attribute Value,Valeur de l'Attribut de l'Article
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Le taux de change doit être applicable à l'achat ou la vente.
@@ -1519,6 +1539,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Aucune Autorisation
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Liste de vérification de l&#39;exécution des contrats
 DocType: Vital Signs,Heart Rate / Pulse,Fréquence Cardiaque / Pouls
+DocType: Customer,Default Company Bank Account,Compte bancaire d&#39;entreprise par défaut
 DocType: Supplier,Default Bank Account,Compte Bancaire par Défaut
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Pour filtrer en fonction du Tiers, sélectionnez d’abord le Type de Tiers"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'Mettre à Jour le Stock' ne peut pas être coché car les articles ne sont pas livrés par {0}
@@ -1636,7 +1657,6 @@
 DocType: Sales Team,Incentives,Incitations
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valeurs désynchronisées
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valeur de différence
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Veuillez configurer la série de numérotation pour l&#39;assistance via Configuration&gt; Série de numérotation
 DocType: SMS Log,Requested Numbers,Numéros Demandés
 DocType: Volunteer,Evening,Soir
 DocType: Quiz,Quiz Configuration,Configuration du quiz
@@ -1656,6 +1676,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Le Total de la Rangée Précédente
 DocType: Purchase Invoice Item,Rejected Qty,Qté Rejetée
 DocType: Setup Progress Action,Action Field,Champ d'Action
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Type de prêt pour les taux d&#39;intérêt et de pénalité
 DocType: Healthcare Settings,Manage Customer,Gestion Client
 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
@@ -1667,6 +1688,7 @@
 ,Final Assessment Grades,Notes d'évaluation finale
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Le nom de l'entreprise pour laquelle vous configurez ce système.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Inclure les vacances dans le nombre total de Jours Ouvrés
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Du grand total
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Configurez votre institut dans ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analyse des plantes
 DocType: Task,Timeline,Chronologie
@@ -1674,9 +1696,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Article alternatif
 DocType: Shopify Log,Request Data,Données de la requête
 DocType: Employee,Date of Joining,Date d'Embauche
+DocType: Delivery Note,Inter Company Reference,Référence inter-entreprise
 DocType: Naming Series,Update Series,Mettre à Jour les Séries
 DocType: Supplier Quotation,Is Subcontracted,Est sous-traité
 DocType: Restaurant Table,Minimum Seating,Sièges Minimum
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,La question ne peut pas être dupliquée
 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,Purchase Receipt,Reçu d’Achat
@@ -1778,6 +1802,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synchroniser les Factures hors-ligne
 DocType: Payment Request,Paid,Payé
 DocType: Service Level,Default Priority,Priorité par défaut
+DocType: Pledge,Pledge,Gage
 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."
@@ -1791,6 +1816,7 @@
 DocType: Guardian,Guardian Name,Nom du Tuteur
 DocType: Cheque Print Template,Has Print Format,A un Format d'Impression
 DocType: Support Settings,Get Started Sections,Sections d'aide
+,Loan Repayment and Closure,Remboursement et clôture de prêts
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,Sanctionné
 ,Base Amount,Montant de base
@@ -1801,10 +1827,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Ville (Origine)
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Le montant du prêt ne peut pas être supérieur à {0}
 DocType: Student Admission,Publish on website,Publier sur le site web
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Fournisseur Date de la Facture du Fournisseur ne peut pas être postérieure à Date de Publication
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Code article&gt; Groupe d&#39;articles&gt; Marque
 DocType: Subscription,Cancelation Date,Date d&#39;annulation
 DocType: Purchase Invoice Item,Purchase Order Item,Article du Bon de Commande
 DocType: Agriculture Task,Agriculture Task,Tâche d&#39;agriculture
@@ -1823,7 +1849,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Pourcentage de réduction supplémentaire
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Afficher la liste de toutes les vidéos d'aide
 DocType: Agriculture Analysis Criteria,Soil Texture,Texture du sol
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Sélectionner le compte principal de la banque où le chèque a été déposé.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Autoriser l'utilisateur l'édition de la Liste des Prix lors des transactions
 DocType: Pricing Rule,Max Qty,Qté Max
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimer le rapport
@@ -1955,7 +1980,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Une fois définie, cette facture sera mise en attente jusqu'à la date fixée"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Montant de Vente
-DocType: Repayment Schedule,Interest Amount,Montant d'Intérêts
+DocType: Loan Interest Accrual,Interest Amount,Montant d'Intérêts
 DocType: Job Card,Time Logs,Time Logs
 DocType: Sales Invoice,Loyalty Amount,Montant de fidélité
 DocType: Employee Transfer,Employee Transfer Detail,Détail du transfert des employés
@@ -1970,6 +1995,7 @@
 DocType: Cashier Closing,Returns,Retours
 DocType: Job Card,WIP Warehouse,Entrepôt (Travaux en Cours)
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},N° de Série {0} est sous contrat de maintenance jusqu'à {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Montant sanctionné dépassé pour {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Recrutement
 DocType: Lead,Organization Name,Nom de l'Organisation
 DocType: Support Settings,Show Latest Forum Posts,Afficher les derniers messages du forum
@@ -1996,7 +2022,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Articles de commandes d&#39;achat en retard
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Code Postal
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Commande Client {0} est {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Faire des Écritures de Stock
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,"Impossible de promouvoir  un employé avec le statut ""Parti"""
@@ -2080,7 +2105,6 @@
 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,Start Year,Année de Début
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Créer un prêt
 DocType: Purchase Invoice,Start date of current invoice's period,Date de début de la période de facturation en cours
 DocType: Shift Type,Process Attendance After,Processus de présence après
 ,IRS 1099,IRS 1099
@@ -2101,6 +2125,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Sélectionnez vos domaines
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Fournisseur Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Articles de la facture de paiement
+DocType: Repayment Schedule,Is Accrued,Est accumulé
 DocType: Payroll Entry,Employee Details,Détails des employés
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Traitement des fichiers XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2132,6 +2157,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Entrée de point de fidélité
 DocType: Employee Checkin,Shift End,Fin de quart
 DocType: Stock Settings,Default Item Group,Groupe d'Éléments par Défaut
+DocType: Loan,Partially Disbursed,Partiellement Décaissé
 DocType: Job Card Time Log,Time In Mins,Time In Mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Informations concernant les bourses.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Cette action dissociera ce compte de tout service externe intégrant ERPNext avec vos comptes bancaires. Ça ne peut pas être défait. Êtes-vous sûr ?
@@ -2147,6 +2173,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Clôture du prêt
 DocType: Call Log,Lead,Prospect
 DocType: Email Digest,Payables,Dettes
 DocType: Amazon MWS Settings,MWS Auth Token,Jeton d&#39;authentification MWS
@@ -2179,6 +2206,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON ne peut être généré qu&#39;à partir d&#39;un document soumis
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Impôt et avantages sociaux des employés
 DocType: Bank Guarantee,Validity in Days,Validité en Jours
+DocType: Unpledge,Haircut,la Coupe de cheveux
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Formulaire-C n'est pas applicable pour la Facture: {0}
 DocType: Certified Consultant,Name of Consultant,Nom du consultant
 DocType: Payment Reconciliation,Unreconciled Payment Details,Détails des Paiements Non Réconciliés
@@ -2231,7 +2259,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Reste du Monde
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,L'Article {0} ne peut être en Lot
 DocType: Crop,Yield UOM,UOM de rendement
+DocType: Loan Security Pledge,Partially Pledged,Partiellement promis
 ,Budget Variance Report,Rapport d’Écarts de Budget
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Montant du prêt sanctionné
 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,Get Items from Healthcare Services,Obtenir des articles des services de santé
@@ -2266,6 +2296,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nouvelle procédure qualité
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Solde pour le compte {0} doit toujours être {1}
 DocType: Patient Appointment,More Info,Plus d&#39;infos
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,La date de naissance ne peut pas être supérieure à la date d&#39;adhésion.
 DocType: Supplier Scorecard,Scorecard Actions,Actions de la Fiche d'Évaluation
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Fournisseur {0} introuvable dans {1}
 DocType: Purchase Invoice,Rejected Warehouse,Entrepôt Rejeté
@@ -2362,6 +2393,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,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,Doc Type,Type de document
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Engagement de garantie de prêt créé: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Rendez-vous et consultations patients
@@ -2417,6 +2449,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Nombre de rendez-vous simultanés
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Commencer
 DocType: Purchase Invoice,Taxes and Charges Calculation,Calcul des Frais et Taxes
+DocType: Loan Interest Accrual,Payable Principal Amount,Montant du capital payable
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Comptabiliser les Entrées de Dépréciation d'Actifs Automatiquement
 DocType: BOM Operation,Workstation,Station de travail
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Fournisseur de l'Appel d'Offre
@@ -2453,7 +2486,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Alimentation
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Balance Agée 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Détail du bon de clôture du PDV
-DocType: Bank Account,Is the Default Account,Est le compte par défaut
 DocType: Shopify Log,Shopify Log,Log Shopify
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Aucune communication trouvée.
 DocType: Inpatient Occupancy,Check In,Arrivée
@@ -2511,12 +2543,14 @@
 DocType: Sales Order Item,Planned Quantity,Quantité Planifiée
 DocType: Water Analysis,Water Analysis Criteria,Critères d&#39;analyse de l&#39;eau
 DocType: Item,Maintain Stock,Maintenir Stock
+DocType: Loan Security Unpledge,Unpledge Time,Désengager le temps
 DocType: Terms and Conditions,Applicable Modules,Modules Applicables
 DocType: Employee,Prefered Email,Email Préféré
 DocType: Student Admission,Eligibility and Details,Admissibilité et Détails
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inclus dans le bénéfice brut
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Variation Nette des Actifs Immobilisés
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Qté obligatoire
+DocType: Work Order,This is a location where final product stored.,Il s&#39;agit d&#39;un emplacement où le produit final est stocké.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max : {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,A partir du (Date et Heure)
@@ -2557,8 +2591,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garantie / Statut AMC
 ,Accounts Browser,Navigateur des Comptes
 DocType: Procedure Prescription,Referral,Référence
+,Territory-wise Sales,Ventes par territoire
 DocType: Payment Entry Reference,Payment Entry Reference,Référence d’Écriture de Paiement
 DocType: GL Entry,GL Entry,Écriture GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Ligne # {0}: l&#39;entrepôt accepté et l&#39;entrepôt fournisseur ne peuvent pas être identiques
 DocType: Support Search Source,Response Options,Options de réponse
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Appliquer plusieurs règles de tarification
 DocType: HR Settings,Employee Settings,Paramètres des Employés
@@ -2618,6 +2654,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Agriculture (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Bordereau de Colis
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Veuillez définir la série de noms pour {0} via Configuration&gt; Paramètres&gt; Série de noms
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Loyer du Bureau
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Configuration de la passerelle SMS
 DocType: Disease,Common Name,Nom commun
@@ -2634,6 +2671,7 @@
 DocType: Item,Sales Details,Détails Ventes
 DocType: Coupon Code,Used,Utilisé
 DocType: Opportunity,With Items,Avec Articles
+DocType: Vehicle Log,last Odometer Value ,dernière valeur du compteur kilométrique
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',La campagne &#39;{0}&#39; existe déjà pour le {1} &#39;{2}&#39;.
 DocType: Asset Maintenance,Maintenance Team,Équipe de maintenance
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Ordre dans lequel les sections doivent apparaître. 0 est le premier, 1 est le deuxième et ainsi de suite."
@@ -2644,7 +2682,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Note de Frais {0} existe déjà pour l'Indémnité Kilométrique
 DocType: Asset Movement Item,Source Location,Localisation source
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nom de l&#39;Institut
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Veuillez entrer le Montant de remboursement
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Veuillez entrer le Montant de remboursement
 DocType: Shift Type,Working Hours Threshold for Absent,Seuil des heures de travail pour absent
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Il peut y avoir plusieurs facteurs de collecte hiérarchisés en fonction du total dépensé. Mais le facteur de conversion pour l'échange sera toujours le même pour tous les niveaux.
 apps/erpnext/erpnext/config/help.py,Item Variants,Variantes de l'Article
@@ -2668,6 +2706,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} doit être inférieur à {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Veuillez d&#39;abord sélectionner le type de demandeur
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Sélectionner une nomenclature, une quantité et un entrepôt"
 DocType: GST HSN Code,GST HSN Code,Code GST HSN
 DocType: Employee External Work History,Total Experience,Expérience Totale
@@ -2758,7 +2797,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Aucune nomenclature active trouvée pour l&#39;article {0}. La livraison par \ Serial No ne peut être assurée
 DocType: Sales Partner,Sales Partner Target,Objectif du Partenaire Commercial
-DocType: Loan Type,Maximum Loan Amount,Montant Max du Prêt
+DocType: Loan Application,Maximum Loan Amount,Montant Max du Prêt
 DocType: Coupon Code,Pricing Rule,Règle de Tarification
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Numéro de liste en double pour l'élève {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Demande de Matériel au Bon de Commande
@@ -2781,6 +2820,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Congés Attribués avec Succès pour {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Pas d’Articles à emballer
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Seuls les fichiers .csv et .xlsx sont actuellement pris en charge.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,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
 DocType: Shipping Rule Condition,From Value,De la Valeur
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Quantité de production obligatoire
 DocType: Loan,Repayment Method,Méthode de Remboursement
@@ -2864,6 +2904,7 @@
 DocType: Customer,Customer POS Id,ID PDV du Client
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Étudiant avec le courrier électronique {0} n&#39;existe pas
 DocType: Account,Account Name,Nom du Compte
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Le montant du prêt sanctionné existe déjà pour {0} contre l&#39;entreprise {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,La Date Initiale ne peut pas être postérieure à la Date Finale
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,N° de série {0} quantité {1} ne peut pas être une fraction
 DocType: Pricing Rule,Apply Discount on Rate,Appliquer une réduction sur le taux
@@ -2935,6 +2976,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Bénéfice net
 DocType: Purchase Invoice,Eligibility For ITC,Eligibilité à un ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-YYYY.-
+DocType: Loan Security Pledge,Unpledged,Non promis
 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,Net Change in Accounts Payable,Variation Nette des Comptes Créditeurs
@@ -2946,6 +2988,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Périphérique d&#39;assistance (identifiant d&#39;étiquette biométrique / RF)
 DocType: Quotation,Term Details,Détails du Terme
 DocType: Item,Over Delivery/Receipt Allowance (%),Surlivrance / indemnité de réception (%)
+DocType: Appointment Letter,Appointment Letter Template,Modèle de lettre de nomination
 DocType: Employee Incentive,Employee Incentive,Intéressement des employés
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Total (hors taxes)
@@ -2968,6 +3011,7 @@
 					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
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Délier Paiement à l'Annulation de la Facture
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Traitement des intérêts courus sur les prêts
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Le Compteur(kms) Actuel entré devrait être plus grand que le Compteur(kms) initial du Véhicule {0}
 ,Purchase Order Items To Be Received or Billed,Postes de commande à recevoir ou à facturer
 DocType: Restaurant Reservation,No Show,Non Présenté
@@ -3053,6 +3097,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1} : Un Centre de Coûts est requis pour le compte ""Pertes et Profits"" {2}.Veuillez mettre en place un centre de coûts par défaut pour la Société."
 DocType: Payment Schedule,Payment Term,Terme de paiement
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Un Groupe de Clients existe avec le même nom, veuillez changer le nom du Client ou renommer le Groupe de Clients"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,La date de fin d&#39;admission doit être supérieure à la date de début d&#39;admission.
 DocType: Location,Area,Région
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nouveau Contact
 DocType: Company,Company Description,Description de l&#39;entreprise
@@ -3127,6 +3172,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Données mappées
 DocType: Purchase Order Item,Warehouse and Reference,Entrepôt et Référence
 DocType: Payroll Period Date,Payroll Period Date,Date de la période de paie
+DocType: Loan Disbursement,Against Loan,Contre le prêt
 DocType: Supplier,Statutory info and other general information about your Supplier,Informations légales et autres informations générales au sujet de votre Fournisseur
 DocType: Item,Serial Nos and Batches,N° de Série et Lots
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Force du Groupe d'Étudiant
@@ -3193,6 +3239,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Sélectionnez une entreprise
 DocType: Delivery Settings,Delivery Settings,Paramètres de livraison
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Récupérer des données
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Impossible de retirer plus de {0} quantité de {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},La durée maximale autorisée pour le type de congé {0} est {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publier 1 élément
 DocType: SMS Center,Create Receiver List,Créer une Liste de Réception
@@ -3341,6 +3388,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Montant de Base (Devise de la Société)
 DocType: Purchase Invoice,Registered Regular,Enregistré régulier
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Matières premières
+DocType: Plaid Settings,sandbox,bac à sable
 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é
@@ -3353,12 +3401,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Type de transaction
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Critères d'Acceptation
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Montant Total Créditeur
 DocType: Task,Expected Time (in hours),Durée Prévue (en heures)
 DocType: Item Reorder,Check in (group),Enregistrement (groupe)
 DocType: Soil Texture,Silt,Limon
@@ -3389,6 +3436,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Déduire la taxe pour toute preuve d'exemption de taxe non soumise
 DocType: Volunteer,Anytime,À tout moment
 DocType: Bank Account,Bank Account No,No de compte bancaire
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Décaissement et remboursement
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Soumission d'une preuve d'exemption de taxe
 DocType: Patient,Surgical History,Antécédents Chirurgicaux
 DocType: Bank Statement Settings Item,Mapped Header,En-tête mappé
@@ -3452,6 +3500,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Créer des tests de laboratoire sur la facture de vente
 DocType: Serial No,Invoice Details,Détails de la Facture
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,La structure salariale doit être soumise avant la soumission de la déclaration d&#39;émigration fiscale
+DocType: Loan Application,Proposed Pledges,Engagements proposés
 DocType: Grant Application,Show on Website,Afficher sur le site Web
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Démarrer
 DocType: Hub Tracked Item,Hub Category,Catégorie du Hub
@@ -3463,7 +3512,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Classement de la Fiche d'Évaluation Fournisseur
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ligne {0} : Liste de Matériaux non trouvée pour l’Article {1}
 DocType: Contract Fulfilment Checklist,Requirement,Obligations
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Veuillez configurer le système de dénomination des employés dans Ressources humaines&gt; Paramètres RH
 DocType: Journal Entry,Accounts Receivable,Comptes Débiteurs
 DocType: Quality Goal,Objectives,Objectifs
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rôle autorisé à créer une demande de congé antidatée
@@ -3476,6 +3524,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Inclure les Écritures Réconciliées
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Le montant total alloué ({0}) est supérieur au montant payé ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuer les Charges sur la Base de
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Le montant payé ne peut pas être inférieur à {0}
 DocType: Projects Settings,Timesheets,Feuilles de Temps
 DocType: HR Settings,HR Settings,Paramètres RH
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Maîtres Comptables
@@ -3621,6 +3670,7 @@
 DocType: Employee,Health Insurance,Assurance santé
 DocType: Asset Repair,Manufacturing Manager,Responsable de Production
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},N° de Série {0} est sous garantie jusqu'au {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Le montant du prêt dépasse le montant maximal du prêt de {0} selon les titres proposés
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valeur minimale autorisée
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,L&#39;utilisateur {0} existe déjà
 apps/erpnext/erpnext/hooks.py,Shipments,Livraisons
@@ -3664,7 +3714,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Type de commerce
 DocType: Sales Invoice,Consumer,Consommateur
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Veuillez sélectionner le Montant Alloué, le Type de Facture et le Numéro de Facture dans au moins une ligne"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Veuillez définir la série de noms pour {0} via Configuration&gt; Paramètres&gt; Série de noms
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Coût du Nouvel Achat
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Commande Client requise pour l'Article {0}
 DocType: Grant Application,Grant Description,Description de la subvention
@@ -3673,6 +3722,7 @@
 DocType: Subscription,Discounts,Réductions
 DocType: Bank Transaction,Unallocated Amount,Montant Non Alloué
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Veuillez activer les options : Applicable sur la base des bons de commande d'achat et Applicable sur la base des bons de commande d'achat
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} n&#39;est pas un compte bancaire d&#39;entreprise
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Impossible de trouver un article similaire. Veuillez sélectionner une autre valeur pour {0}.
 DocType: POS Profile,Taxes and Charges,Taxes et Frais
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un Produit ou un Service qui est acheté, vendu ou conservé en stock."
@@ -3721,6 +3771,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,La date de début de validité doit être inférieure à la date de mise en service valide.
 DocType: Employee Skill,Evaluation Date,Date d&#39;évaluation
 DocType: Quotation Item,Stock Balance,Solde du Stock
+DocType: Loan Security Pledge,Total Security Value,Valeur de sécurité totale
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,De la Commande Client au Paiement
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,PDG
 DocType: Purchase Invoice,With Payment of Tax,Avec Paiement de Taxe
@@ -3733,6 +3784,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Le compte {0} n&#39;existe pas dans le graphique du tableau de bord {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Afficher les attributs de variante
@@ -3814,6 +3866,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Taux de Valorisation Actuel
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Le nombre de comptes root ne peut pas être inférieur à 4
 DocType: Training Event,Advance,Avance
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Contre le prêt:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Paramètres de la passerelle de paiement GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Profits / Pertes sur Change
 DocType: Opportunity,Lost Reason,Raison de la Perte
@@ -3897,8 +3950,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Sélectionnez le N° de Lot
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Invalide {0} : {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Ligne {0}: la date de naissance du frère ou de la sœur ne peut pas être supérieure à celle d&#39;aujourd&#39;hui.
 DocType: Fee Validity,Reference Inv,Facture de Référence
 DocType: Sales Invoice Advance,Advance Amount,Montant de l'Avance
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Taux d&#39;intérêt de pénalité (%) par jour
 DocType: Manufacturing Settings,Capacity Planning,Planification de Capacité
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Arrondi (Devise Société)
 DocType: Asset,Policy number,Numéro de politique
@@ -3914,7 +3969,9 @@
 DocType: Normal Test Items,Require Result Value,Nécessite la Valeur du Résultat
 DocType: Purchase Invoice,Pricing Rules,Règles de tarification
 DocType: Item,Show a slideshow at the top of the page,Afficher un diaporama en haut de la page
+DocType: Appointment Letter,Body,Corps
 DocType: Tax Withholding Rate,Tax Withholding Rate,Taux de retenue d&#39;impôt
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,La date de début de remboursement est obligatoire pour les prêts à terme
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Listes de Matériaux
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Magasins
@@ -3934,7 +3991,7 @@
 DocType: Call Log,Received By,Reçu par
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durée du rendez-vous (en minutes)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Détails du Modèle de Mapping des Flux de Trésorerie
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestion des prêts
+DocType: Loan,Loan Management,Gestion des prêts
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Suivre séparément les Produits et Charges pour les gammes de produits.
 DocType: Rename Tool,Rename Tool,Outil de Renommage
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Mettre à jour le Coût
@@ -3942,6 +3999,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Mode de transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Afficher la Fiche de Salaire
+DocType: Loan,Is Term Loan,Est un prêt à terme
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfert de Matériel
 DocType: Fees,Send Payment Request,Envoyer une Demande de Paiement
 DocType: Travel Request,Any other details,Tout autre détail
@@ -3959,6 +4017,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Flux de Trésorerie du Financement
 DocType: Budget Account,Budget Account,Compte de Budget
 DocType: Quality Inspection,Verified By,Vérifié Par
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Ajouter une garantie de prêt
 DocType: Travel Request,Name of Organizer,Nom de l&#39;organisateur
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Impossible de changer la devise par défaut de la société, parce qu'il y a des opérations existantes. Les transactions doivent être annulées pour changer la devise par défaut."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Est une dette d'impôt sur le revenu
@@ -4009,6 +4068,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Requis Pour
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Si coché, masque et désactive le champ Total arrondi dans les fiches de salaire"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Il s&#39;agit du décalage par défaut (jours) pour la date de livraison dans les commandes client. La compensation de repli est de 7 jours à compter de la date de passation de la commande.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Veuillez configurer la série de numérotation pour l&#39;assistance via Configuration&gt; Série de numérotation
 DocType: Rename Tool,File to Rename,Fichier à Renommer
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Vérifier les mises à jour des abonnements
@@ -4021,6 +4081,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Numéros de série créés
 DocType: POS Profile,Applicable for Users,Applicable aux Utilisateurs
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.AAAA.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,La date de début et la date de fin sont obligatoires
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Définir le projet et toutes les tâches sur le statut {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Set Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Aucun ordre de travail créé
@@ -4030,6 +4091,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Articles par
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Coût des Articles Achetés
 DocType: Employee Separation,Employee Separation Template,Modèle de départ des employés
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Zéro quantité de {0} promise sur le prêt {0}
 DocType: Selling Settings,Sales Order Required,Commande Client Requise
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Devenir vendeur
 ,Procurement Tracker,Suivi des achats
@@ -4127,11 +4189,12 @@
 ,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,Total Absent,Total des Absences
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Montant payable
+DocType: Loan Repayment,Payable Amount,Montant payable
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Opportunité
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,La force maximale ne peut pas être inférieure à zéro.
 DocType: Options,Option,Option
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Vous ne pouvez pas créer d&#39;écritures comptables dans la période comptable clôturée {0}.
 DocType: Operation,Default Workstation,Station de Travail par Défaut
@@ -4173,6 +4236,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Le montant des intérêts est obligatoire
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Prochaines Étapes
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Articles sauvegardés
@@ -4243,8 +4307,6 @@
 DocType: Grant Application,Grant Application Details ,Détails de la demande de subvention
 DocType: Employee Separation,Employee Separation,Départ des employés
 DocType: BOM Item,Original Item,Article original
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Date du document
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Archive d'Honoraires Créée - {0}
 DocType: Asset Category Account,Asset Category Account,Compte de Catégorie d'Actif
@@ -4280,6 +4342,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,L&#39;élément de test en laboratoire {0} existe déjà
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} est un jour férié pour la société
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Heures facturables
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Le taux d&#39;intérêt de pénalité est prélevé quotidiennement sur le montant des intérêts en attente en cas de retard de remboursement
+DocType: Appointment Letter content,Appointment Letter content,Contenu de la lettre de nomination
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Notification de statut des congés
 DocType: Patient Appointment,Procedure Prescription,Prescription de la procédure
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Meubles et Accessoires
@@ -4299,7 +4363,7 @@
 DocType: Opportunity,Customer / Lead Name,Nom du Client / Prospect
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Date de Compensation non indiquée
 DocType: Payroll Period,Taxable Salary Slabs,Paliers de salaire imposables
-DocType: Job Card,Production,Production
+DocType: Plaid Settings,Production,Production
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN invalide! L&#39;entrée que vous avez entrée ne correspond pas au format de GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valeur du compte
 DocType: Guardian,Occupation,Occupation
@@ -4443,6 +4507,7 @@
 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,Student {0} does not belong to group {1},L&#39;élève {0} n&#39;appartient pas au groupe {1}
+DocType: Appointment Letter,Appointment Date,Date de rendez-vous
 DocType: Budget,Cost Center,Centre de Coûts
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Référence #
 DocType: Tax Rule,Shipping Country,Pays de Livraison
@@ -4513,6 +4578,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dimension comptable
 ,Profit and Loss Statement,Compte de Résultat
 DocType: Bank Reconciliation Detail,Cheque Number,Numéro de Chèque
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Le montant payé ne peut pas être nul
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,L&#39;élément référencé par {0} - {1} est déjà facturé
 ,Sales Browser,Navigateur des Ventes
 DocType: Journal Entry,Total Credit,Total Crédit
@@ -4629,6 +4695,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Ajouter / Modifier les conditions du coupon
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Compte de Charge / d'Écart ({0}) doit être un Compte «de Résultat»
 DocType: Stock Entry Detail,Stock Entry Child,Entrée de stock enfant
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Loan Security Pledge Company et Loan Company doivent être identiques
 DocType: Project,Copied From,Copié Depuis
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Facture déjà créée pour toutes les heures facturées
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Erreur de Nom: {0}
@@ -4636,6 +4703,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Est un coût financier
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,La présence de l'employé {0} est déjà marquée
 DocType: Packing Slip,If more than one package of the same type (for print),Si plus d'un paquet du même type (pour l'impression)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Veuillez configurer le système de dénomination de l&#39;instructeur dans Éducation&gt; Paramètres de l&#39;éducation
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,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: Company,Default warehouse for Sales Return,Magasin par défaut pour retour de vente
@@ -4680,7 +4748,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Numéro de série actuel
 DocType: Employee,Attendance and Leave Details,Détails de présence et de congés
 ,BOM Comparison Tool,Outil de comparaison de nomenclature
-,Requested,Demandé
+DocType: Loan Security Pledge,Requested,Demandé
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4692,7 +4760,6 @@
 DocType: Drug Prescription,Drug Prescription,Prescription Médicale
 DocType: Service Level,Support and Resolution,Support et résolution
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Le code d&#39;article gratuit n&#39;est pas sélectionné
-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
@@ -4726,6 +4793,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Vous avez déjà évalué les critères d&#39;évaluation {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Montant du déficit
 DocType: Vehicle Service,Engine Oil,Huile Moteur
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Ordres de travail créés: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Veuillez définir un identifiant de messagerie pour le prospect {0}.
@@ -4744,6 +4812,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Le compte n&#39;est pas défini pour le graphique du tableau de bord {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Appliquer une Remise Supplémentaire Sur
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Sélectionner le Type...
+DocType: Loan Interest Accrual,Amounts,Les montants
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vos billets
 DocType: Account,Root Type,Type de Racine
 DocType: Item,FIFO,"FIFO (Premier entré, Premier sorti)"
@@ -4751,6 +4820,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Ligne # {0} : Vous ne pouvez pas retourner plus de {1} pour l’Article {2}
 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: Loan Security Price,Loan Security Price,Prix de la sécurité du prêt
 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,Target warehouse is mandatory for row {0},L’Entrepôt cible est obligatoire pour la ligne {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Opérations de détail
@@ -4889,6 +4959,7 @@
 DocType: Coupon Code,Coupon Description,Description du coupon
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Le lot est obligatoire dans la ligne {0}
 DocType: Company,Default Buying Terms,Conditions d&#39;achat par défaut
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Déboursement de l&#39;emprunt
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Articles Fournis du Reçus d’Achat
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Activer la synchronisation programmée
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,À la Date
@@ -4917,6 +4988,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Entrez une valeur entre {0} et {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Entrez le nom de la campagne si la source de l'enquête est une campagne
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Éditeurs de Journaux
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Aucun prix de garantie de <b>prêt</b> valide trouvé pour {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Dates futures non autorisées
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,La Date de Livraison Prévue doit être après la Date indiquée sur le Bon de Commande de Vente
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Niveau de Réapprovisionnement
@@ -4983,6 +5055,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Proposition / devis
 DocType: Antibiotic,Healthcare,Santé
 DocType: Target Detail,Target Detail,Détail Cible
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Processus de prêt
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Variante unique
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Tous les Emplois
 DocType: Sales Order,% of materials billed against this Sales Order,% de matériaux facturés pour cette Commande Client
@@ -5045,7 +5118,7 @@
 DocType: Item,Reorder level based on Warehouse,Niveau de réapprovisionnement basé sur l’Entrepôt
 DocType: Activity Cost,Billing Rate,Taux de Facturation
 ,Qty to Deliver,Quantité à Livrer
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Créer une entrée de décaissement
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Créer une entrée de décaissement
 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,Operations cannot be left blank,Les opérations ne peuvent pas être laissées vides
@@ -5079,6 +5152,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Dissocier les intégrations externes
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Choisissez un paiement correspondant
 DocType: Pricing Rule,Item Code,Code de l'Article
+DocType: Loan Disbursement,Pending Amount For Disbursal,Montant en attente de décaissement
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garantie / Détails AMC
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Sélectionner les élèves manuellement pour un Groupe basé sur l'Activité
@@ -5102,6 +5176,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Quantité totale
 DocType: Landed Cost Item,Receipt Document,Reçu
 DocType: Employee Education,School/University,École/Université
+DocType: Loan Security Pledge,Loan  Details,Détails du prêt
 DocType: Sales Invoice Item,Available Qty at Warehouse,Qté Disponible à l'Entrepôt
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Montant Facturé
 DocType: Share Transfer,(including),(compris)
@@ -5125,6 +5200,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Groupes
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grouper par Compte
 DocType: Purchase Invoice,Hold Invoice,Facture en attente
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Statut de mise en gage
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Veuillez sélectionner un employé
 DocType: Sales Order,Fully Delivered,Entièrement Livré
 DocType: Promotional Scheme Price Discount,Min Amount,Montant minimum
@@ -5134,7 +5210,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Le Montant Remboursé ne peut pas être supérieur au Montant du Prêt {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},La ligne {0} # Montant alloué {1} ne peut pas être supérieure au montant non réclamé {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Numéro de Bon de Commande requis pour l'Article {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Effectuer Feuilles Transmises
@@ -5162,6 +5237,7 @@
 DocType: Pick List Item,Serial No and Batch,N° de Série et lot
 DocType: Warranty Claim,From Company,De la Société
 DocType: GSTR 3B Report,January,janvier
+DocType: Loan Repayment,Principal Amount Paid,Montant du capital payé
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Somme des Scores de Critères d'Évaluation doit être {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Veuillez définir le Nombre d’Amortissements Comptabilisés
 DocType: Supplier Scorecard Period,Calculations,Calculs
@@ -5187,6 +5263,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,À propos de votre entreprise
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Afficher les données sur le vieillissement des stocks
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Le compte À Créditer doit être un compte de Bilan
+DocType: Loan Repayment,Penalty Amount,Montant de la pénalité
 DocType: Donor,Donor,Donneur
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Mettre à jour les taxes pour les articles
 DocType: Global Defaults,Disable In Words,"Désactiver ""En Lettres"""
@@ -5217,6 +5294,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centre de coûts et budgétisation
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Ouverture de la Balance des Capitaux Propres
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Entrée payée partielle
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Veuillez définir le calendrier de paiement
 DocType: Pick List,Items under this warehouse will be suggested,Les articles sous cet entrepôt seront suggérés
 DocType: Purchase Invoice,N,N
@@ -5250,7 +5328,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} introuvable pour l&#39;élément {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},La valeur doit être comprise entre {0} et {1}.
 DocType: Accounts Settings,Show Inclusive Tax In Print,Afficher la taxe inclusive en impression
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Message Envoyé
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5264,6 +5341,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Activer la re-commande automatique
 DocType: Stock Settings,Item Naming By,Nomenclature d'Article Par
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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: Proposed Pledge,Proposed Pledge,Engagement proposé
 DocType: Work Order,Material Transferred for Manufacturing,Matériel Transféré pour la Production
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Le compte {0} n'existe pas
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Sélectionner un programme de fidélité
@@ -5274,7 +5352,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Définir les Événements à {0}, puisque l'employé attaché au Commercial ci-dessous n'a pas d'ID Utilisateur {1}"
 DocType: Timesheet,Billing Details,Détails de la Facturation
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Entrepôt source et destination doivent être différents
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Veuillez configurer le système de dénomination des employés dans Ressources humaines&gt; Paramètres RH
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Le paiement a échoué. Veuillez vérifier votre compte GoCardless pour plus de détails
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Non autorisé à mettre à jour les transactions du stock antérieures à {0}
 DocType: Stock Entry,Inspection Required,Inspection obligatoire
@@ -5287,6 +5364,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Entrepôt de Livraison requis pour article du stock {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Le poids brut du colis. Habituellement poids net + poids du matériau d'emballage. (Pour l'impression)
 DocType: Assessment Plan,Program,Programme
+DocType: Unpledge,Against Pledge,Contre l&#39;engagement
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Les utilisateurs ayant ce rôle sont autorisés à définir les comptes gelés et à créer / modifier des écritures comptables sur des comptes gelés
 DocType: Plaid Settings,Plaid Environment,Environnement écossais
 ,Project Billing Summary,Récapitulatif de facturation du projet
@@ -5338,6 +5416,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lots
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Nombre de jours de rendez-vous peuvent être réservés à l&#39;avance
 DocType: Article,LMS User,Utilisateur LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,La garantie de prêt est obligatoire pour un prêt garanti
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Lieu d&#39;approvisionnement (State / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,UDM du Stock
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Le Bon de Commande {0} n’est pas soumis
@@ -5412,6 +5491,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Créer une carte de travail
 DocType: Quotation,Referral Sales Partner,Partenaire commercial de référence
 DocType: Quality Procedure Process,Process Description,Description du processus
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Impossible de désengager, la valeur de la garantie de prêt est supérieure au montant remboursé"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Le client {0} est créé.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5432,7 +5512,7 @@
 DocType: Asset,Insurance Details,Détails Assurance
 DocType: Account,Payable,Créditeur
 DocType: Share Balance,Share Type,Type de partage
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Veuillez entrer les Périodes de Remboursement
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Veuillez entrer les Périodes de Remboursement
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Débiteurs ({0})
 DocType: Pricing Rule,Margin,Marge
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nouveaux Clients
@@ -5441,6 +5521,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Opportunités par source de plomb
 DocType: Appraisal Goal,Weightage (%),Poids (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Modifier le profil POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,La quantité ou le montant est obligatoire pour la garantie de prêt
 DocType: Bank Reconciliation Detail,Clearance Date,Date de Compensation
 DocType: Delivery Settings,Dispatch Notification Template,Modèle de notification d&#39;expédition
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Rapport d'Évaluation
@@ -5476,6 +5557,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Registre des actions
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Facture de Vente {0} créée
 DocType: Employee,Confirmation Date,Date de Confirmation
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"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: Inpatient Occupancy,Check Out,Départ
 DocType: C-Form,Total Invoiced Amount,Montant Total Facturé
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Qté Min ne peut pas être supérieure à Qté Max
@@ -5489,7 +5572,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID Quickbooks de la société
 DocType: Travel Request,Travel Funding,Financement du déplacement
 DocType: Employee Skill,Proficiency,Compétence
-DocType: Loan Application,Required by Date,Requis à cette Date
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Détail du reçu d&#39;achat
 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
 DocType: Lead,Lead Owner,Responsable du Prospect
@@ -5508,7 +5590,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,La LDM actuelle et la nouvelle LDM ne peuvent être pareilles
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID Fiche de Paie
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,La Date de Départ à la Retraite doit être supérieure à Date d'Embauche
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Fournisseur&gt; Type de fournisseur
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variantes multiples
 DocType: Sales Invoice,Against Income Account,Pour le Compte de Produits
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Livré
@@ -5541,7 +5622,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Frais de type valorisation ne peuvent pas être marqués comme inclus
 DocType: POS Profile,Update Stock,Mettre à Jour le Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Détails de paiement
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Taux LDM
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Lecture du fichier téléchargé
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5576,6 +5657,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Valeur maximale du prêt
 ,Stock Ledger,Livre d'Inventaire
 DocType: Company,Exchange Gain / Loss Account,Compte de Profits / Pertes sur Change
 DocType: Amazon MWS Settings,MWS Credentials,Informations d&#39;identification MWS
@@ -5583,6 +5665,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},L'Objet doit être parmi {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Remplissez et enregistrez le formulaire
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Forum de la Communauté
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Aucun congé attribué à l&#39;employé: {0} pour le type de congé: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Qté réelle en stock
 DocType: Homepage,"URL for ""All Products""","URL pour ""Tous les Produits"""
 DocType: Leave Application,Leave Balance Before Application,Solde de Congés Avant Demande
@@ -5684,7 +5767,6 @@
 DocType: Fee Schedule,Fee Schedule,Barème d'Honoraires
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Étiquettes de colonne:
 DocType: Bank Transaction,Settled,Colonisé
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,La date de décaissement ne peut pas être postérieure à la date de début du remboursement du prêt
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cesser
 DocType: Quality Feedback,Parameters,Paramètres
 DocType: Company,Create Chart Of Accounts Based On,Créer un Plan Comptable Basé Sur
@@ -5704,6 +5786,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Limite de crédit et conditions de paiement
 DocType: Loyalty Program,Collection Rules,Règles de collecte
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Article 3
+DocType: Loan Security Shortfall,Shortfall Time,Temps de déficit
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Saisie de Commande
 DocType: Purchase Order,Customer Contact Email,Email Contact Client
 DocType: Warranty Claim,Item and Warranty Details,Détails de l'Article et de la Garantie
@@ -5723,12 +5806,14 @@
 DocType: Sales Person,Sales Person Name,Nom du Vendeur
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Veuillez entrer au moins 1 facture dans le tableau
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Aucun test de laboratoire créé
+DocType: Loan Security Shortfall,Security Value ,Valeur de sécurité
 DocType: POS Item Group,Item Group,Groupe d'Article
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Groupe d&#39;étudiants:
 DocType: Depreciation Schedule,Finance Book Id,Identifiant du livre comptable
 DocType: Item,Safety Stock,Stock de Sécurité
 DocType: Healthcare Settings,Healthcare Settings,Paramètres de Santé
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Total des congés alloués
+DocType: Appointment Letter,Appointment Letter,Lettre de nomination
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,% de Progression pour une tâche ne peut pas être supérieur à 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Avant la réconciliation
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},À {0}
@@ -5783,6 +5868,7 @@
 DocType: Stock Entry,From BOM,De LDM
 DocType: Assessment Code,Assessment Code,Code de l'Évaluation
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,de Base
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Demandes de prêt des clients et des employés.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Les transactions du stock avant {0} sont gelées
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Veuillez cliquer sur ""Générer calendrier''"
 DocType: Job Card,Current Time,Heure actuelle
@@ -5809,7 +5895,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Subvention
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Aucun Groupe d'Étudiants créé.
 DocType: Purchase Invoice Item,Serial No,N° de Série
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Montant du Remboursement Mensuel ne peut pas être supérieur au Montant du Prêt
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Montant du Remboursement Mensuel ne peut pas être supérieur au Montant du Prêt
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Veuillez d’abord entrer les Détails de Maintenance
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Ligne {0}: la date de livraison prévue ne peut pas être avant la date de commande
 DocType: Purchase Invoice,Print Language,Langue d’Impression
@@ -5823,6 +5909,7 @@
 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,All Territories,Tous les Territoires
+DocType: Plaid Settings,development,développement
 DocType: Lost Reason Detail,Lost Reason Detail,Motif perdu
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Commande avec limites non valide pour le client et l'article sélectionnés
@@ -5885,12 +5972,14 @@
 DocType: Staffing Plan Detail,Current Openings,Offres actuelles
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flux de Trésorerie provenant des Opérations
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Montant CGST
+DocType: Vehicle Log,Current Odometer value ,Valeur actuelle du compteur kilométrique
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Créer un étudiant
 DocType: Asset Movement Item,Asset Movement Item,Élément de mouvement d&#39;actif
 DocType: Purchase Invoice,Shipping Rule,Règle de Livraison
 DocType: Patient Relation,Spouse,Époux
 DocType: Lab Test Groups,Add Test,Ajouter un Test
 DocType: Manufacturer,Limited to 12 characters,Limité à 12 caractères
+DocType: Appointment Letter,Closing Notes,Notes de clôture
 DocType: Journal Entry,Print Heading,Imprimer Titre
 DocType: Quality Action Table,Quality Action Table,Tableau d&#39;action de qualité
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Total ne peut pas être zéro
@@ -5957,6 +6046,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Mnt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Veuillez identifier / créer un compte (groupe) pour le type - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Divertissement et Loisir
+DocType: Loan Security,Loan Security,Sécurité des prêts
 ,Item Variant Details,Détails de la variante de l&#39;article
 DocType: Quality Inspection,Item Serial No,No de Série de l'Article
 DocType: Payment Request,Is a Subscription,Est un abonnement
@@ -5969,7 +6059,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Dernier âge
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Les dates prévues et admises ne peuvent être inférieures à celles d&#39;aujourd&#39;hui
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfert de matériel au fournisseur
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Les Nouveaux N° de Série ne peuvent avoir d'entrepot. L'Entrepôt doit être établi par Écriture de Stock ou Reçus d'Achat
 DocType: Lead,Lead Type,Type de Prospect
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,créer offre
@@ -5987,7 +6076,6 @@
 DocType: Leave Allocation,Leave Period,Période de congé
 DocType: Item,Default Material Request Type,Type de Requête de Matériaux par Défaut
 DocType: Supplier Scorecard,Evaluation Period,Période d'Évaluation
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Client&gt; Groupe de clients&gt; Territoire
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Inconnu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordre de travail non créé
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6071,7 +6159,8 @@
 ,Customer-wise Item Price,Prix de l&#39;article par client
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,États des Flux de Trésorerie
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Aucune demande de matériel créée
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,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}
+DocType: Loan,Loan Security Pledge,Garantie de prêt
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licence
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6089,6 +6178,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Schéma de remise de prix
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Le statut de maintenance doit être annulé ou complété pour pouvoir être envoyé
 DocType: Amazon MWS Settings,US,États-Unis d'Amérique
+DocType: Loan Security Pledge,Pledged,Promis
 DocType: Holiday List,Add Weekly Holidays,Ajouter des vacances hebdomadaires
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Elément de rapport
 DocType: Staffing Plan Detail,Vacancies,Postes vacants
@@ -6107,7 +6197,6 @@
 DocType: Production Plan Item,Planned Start Date,Date de Début Prévue
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,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
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Créer une entrée de remboursement
 DocType: Purchase Order Item,Blanket Order Rate,Prix unitaire de commande avec limites
 ,Customer Ledger Summary,Récapitulatif client
 apps/erpnext/erpnext/hooks.py,Certification,Certification
@@ -6128,6 +6217,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Titre du modèle d'évaluation
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial
 DocType: Patient,Alcohol Current Use,Consommation Actuelle d'Alcool
+DocType: Loan,Loan Closure Requested,Clôture du prêt demandée
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Montant du loyer payé
 DocType: Student Admission Program,Student Admission Program,Programme d&#39;admission des étudiants
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Catégorie d'exonération fiscale
@@ -6151,6 +6241,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Ventes
 DocType: Stock Entry Detail,Basic Amount,Montant de Base
 DocType: Training Event,Exam,Examen
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Insuffisance de la sécurité des prêts de processus
 DocType: Email Campaign,Email Campaign,Campagne Email
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Erreur du marché
 DocType: Complaint,Complaint,Plainte
@@ -6230,6 +6321,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Soumettre pour créer la fiche employé
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Le prix du titre de crédit se chevauche avec {0}
 DocType: Item Default,Item Default,Paramètre par défaut de l'article
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Fournitures intra-étatiques
 DocType: Chapter Member,Leave Reason,Raison du départ
@@ -6256,6 +6348,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,Le {0} coupon utilisé est {1}. La quantité autorisée est épuisée
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Voulez-vous soumettre la demande de matériel
 DocType: Job Offer,Awaiting Response,Attente de Réponse
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Le prêt est obligatoire
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.AAAA.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Au-dessus
 DocType: Support Search Source,Link Options,Options du lien
@@ -6268,6 +6361,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
+DocType: Pledge,Post Haircut Amount,Montant de la coupe de cheveux
 DocType: Sales Order,Skip Delivery Note,Ignorer le bon de livraison
 DocType: Price List,Price Not UOM Dependent,Prix non dépendant de l&#39;UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} variantes créées.
@@ -6294,6 +6388,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Obtenir les Articles du Produit Groupé
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,La méthode de remboursement est obligatoire pour les prêts à terme
 DocType: Asset,Straight Line,Linéaire
 DocType: Project User,Project User,Utilisateur du Projet
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Fractionner
@@ -6338,7 +6433,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rôle Autorisé à Geler des Comptes & à Éditer des Écritures Gelées
 DocType: Supplier Scorecard Scoring Variable,Path,Chemin
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Conversion impossible du Centre de Coûts en livre car il possède des nœuds enfants
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Facteur de conversion UdM ({0} -&gt; {1}) introuvable pour l&#39;article: {2}
 DocType: Production Plan,Total Planned Qty,Quantité totale prévue
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transactions déjà extraites de la déclaration
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valeur d'Ouverture
@@ -6347,11 +6441,8 @@
 DocType: Material Request Plan Item,Required Quantity,Quantité requise
 DocType: Lab Test Template,Lab Test Template,Modèle de test de laboratoire
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},La période comptable chevauche avec {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Fournisseur&gt; Type de fournisseur
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Compte de vente
 DocType: Purchase Invoice Item,Total Weight,Poids total
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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: Pick List Item,Pick List Item,Élément de la liste de choix
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Commission sur les Ventes
 DocType: Job Offer Term,Value / Description,Valeur / Description
@@ -6398,6 +6489,7 @@
 DocType: Patient Encounter,Encounter Date,Date de consultation
 DocType: Work Order,Update Consumed Material Cost In Project,Mettre à jour le coût des matières consommées dans le projet
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Compte : {0} avec la devise : {1} ne peut pas être sélectionné
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Prêts accordés aux clients et aux employés.
 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
@@ -6466,7 +6558,6 @@
 DocType: Contract,Signed On,Signé le
 DocType: Bank Account,Party Type,Type de Tiers
 DocType: Discounted Invoice,Discounted Invoice,Facture à prix réduit
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marquer la présence comme <b></b>
 DocType: Payment Schedule,Payment Schedule,Calendrier de paiement
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Aucun employé trouvé pour la valeur de champ d&#39;employé donnée. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Abréviation
@@ -6538,6 +6629,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Créditeurs
 DocType: Assessment Plan,Assessment Name,Nom de l'Évaluation
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ligne # {0} : N° de série est obligatoire
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Un montant de {0} est requis pour la clôture du prêt
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Détail des Taxes par Article
 DocType: Employee Onboarding,Job Offer,Offre d&#39;emploi
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abréviation de l'Institut
@@ -6561,7 +6653,6 @@
 DocType: Purchase Order,To Receive,À Recevoir
 DocType: Leave Period,Holiday List for Optional Leave,Liste de jours fériés pour congé facultatif
 DocType: Item Tax Template,Tax Rates,Les taux d&#39;imposition
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Code article&gt; Groupe d&#39;articles&gt; Marque
 DocType: Asset,Asset Owner,Propriétaire de l'Actif
 DocType: Item,Website Content,Contenu du site Web
 DocType: Bank Account,Integration ID,ID d&#39;intégration
@@ -6577,6 +6668,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Commandes de synchronisation
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Commandes validées pour la production.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Sélectionner Exercice ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Veuillez sélectionner le type de prêt pour la société {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6605,6 +6697,7 @@
 DocType: Customer,Mention if non-standard receivable account,Mentionner si le compte débiteur n'est pas standard
 DocType: Bank,Plaid Access Token,Jeton d&#39;accès plaid
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Veuillez ajouter les prestations restantes {0} à l'un des composants existants
+DocType: Bank Account,Is Default Account,Est un compte par défaut
 DocType: Journal Entry Account,If Income or Expense,Si Produits ou Charges
 DocType: Course Topic,Course Topic,Sujet du cours
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Le bon de fermeture du point de vente existe déjà pour {0} entre la date {1} et le {2}
@@ -6617,7 +6710,7 @@
 DocType: Disease,Treatment Task,Tâche de traitement
 DocType: Payment Order Reference,Bank Account Details,Détails de compte en banque
 DocType: Purchase Order Item,Blanket Order,Commande avec limites
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Le montant du remboursement doit être supérieur à
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Le montant du remboursement doit être supérieur à
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Actifs d'Impôts
 DocType: BOM Item,BOM No,N° LDM
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Détails de mise à jour
@@ -6673,6 +6766,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Produits WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Erreur de syntaxe dans la formule ou condition : {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,L'article {0} est ignoré puisqu'il n'est pas en stock
+,Loan Security Status,État de la sécurité du prêt
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Pour ne pas appliquer la Règle de Tarification dans une transaction particulière, toutes les Règles de Tarification applicables doivent être désactivées."
 DocType: Payment Term,Day(s) after the end of the invoice month,Jour (s) après la fin du mois de facture
 DocType: Assessment Group,Parent Assessment Group,Groupe d’Évaluation Parent
@@ -6687,7 +6781,6 @@
 DocType: Stock Entry Detail,Additional Cost,Frais Supplémentaire
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Impossible de filtrer sur la base du N° de Coupon, si les lignes sont regroupées par Coupon"
 DocType: Quality Inspection,Incoming,Entrant
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Veuillez configurer la série de numérotation pour l&#39;assistance via Configuration&gt; Série de numérotation
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Les modèles de taxe par défaut pour les ventes et les achats sont créés.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Le Résultat d'Évaluation {0} existe déjà.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemple: ABCD. #####. Si la série est définie et que le numéro de lot n'est pas mentionné dans les transactions, un numéro de lot sera automatiquement créé en avec cette série. Si vous préferez mentionner explicitement et systématiquement le numéro de lot pour cet article, laissez ce champ vide. Remarque: ce paramètre aura la priorité sur le préfixe de la série dans les paramètres de stock."
@@ -6698,8 +6791,10 @@
 DocType: Contract,Party User,Utilisateur tiers
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Éléments non créés pour <b>{0}</b> . Vous devrez créer l&#39;actif manuellement.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Veuillez laisser le filtre de la Société vide si Group By est 'Société'
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Client&gt; Groupe de clients&gt; Territoire
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,La Date de Publication ne peut pas être une date future
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Ligne # {0} : N° de série {1} ne correspond pas à {2} {3}
+DocType: Loan Repayment,Interest Payable,Intérêts payables
 DocType: Stock Entry,Target Warehouse Address,Adresse de l&#39;entrepôt cible
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Congé Occasionnel
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Heure avant l&#39;heure de début du quart pendant laquelle l&#39;enregistrement des employés est pris en compte pour la présence.
@@ -6828,6 +6923,7 @@
 DocType: Issue,Reset Service Level Agreement,Réinitialiser l&#39;accord de niveau de service
 ,Sales Person-wise Transaction Summary,Résumé des Transactions par Commerciaux
 DocType: Training Event,Contact Number,Numéro de Contact
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Le montant du prêt est obligatoire
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6876,6 +6972,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Solde de la Qté
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Des conditions seront appliquées sur tous les éléments sélectionnés combinés.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Les objectifs ne peuvent pas être vides
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Entrepôt incorrect
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Inscription des étudiants
 DocType: Item Group,Parent Item Group,Groupe d’Articles Parent
 DocType: Appointment Type,Appointment Type,Type de Rendez-Vous
@@ -6929,10 +7026,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prix moyen
 DocType: Appointment,Appointment With,Rendez-vous avec
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Le montant total du paiement dans l'échéancier doit être égal au Total Général / Total Arrondi
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marquer la présence comme <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Un ""article fourni par un client"" ne peut pas avoir de taux de valorisation"
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,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
+DocType: Appointment Letter,Applicant Name,Nom du Candidat
 DocType: Authorization Rule,Customer / Item Name,Nom du Client / de l'Article
 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**. 
 
@@ -6977,11 +7075,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribution
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Le statut d&#39;employé ne peut pas être défini sur &#39;Gauche&#39; car les employés suivants sont actuellement rattachés à cet employé:
-DocType: Journal Entry Account,Loan,Prêt
+DocType: Loan Repayment,Amount Paid,Montant Payé
+DocType: Loan Security Shortfall,Loan,Prêt
 DocType: Expense Claim Advance,Expense Claim Advance,Avance sur Note de Frais
 DocType: Lab Test,Report Preference,Préférence de Rapport
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informations sur le bénévolat
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Chef de Projet
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Regrouper par client
 ,Quoted Item Comparison,Comparaison d'Article Soumis
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Envoi
@@ -7001,6 +7101,7 @@
 DocType: Material Request Plan Item,Material Issue,Sortie de Matériel
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Article gratuit non défini dans la règle de tarification {0}
 DocType: Employee Education,Qualification,Qualification
+DocType: Loan Security Shortfall,Loan Security Shortfall,Insuffisance de la sécurité des prêts
 DocType: Item Price,Item Price,Prix de l'Article
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Savons & Détergents
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},L&#39;employé {0} n&#39;appartient pas à l&#39;entreprise {1}
@@ -7023,6 +7124,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Détails du rendez-vous
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produit fini
 DocType: Warehouse,Warehouse Name,Nom de l'Entrepôt
+DocType: Loan Security Pledge,Pledge Time,Pledge Time
 DocType: Naming Series,Select Transaction,Sélectionner la Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Veuillez entrer un Rôle Approbateur ou un Rôle Utilisateur
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,L&#39;accord de niveau de service avec le type d&#39;entité {0} et l&#39;entité {1} existe déjà.
@@ -7030,7 +7132,6 @@
 DocType: BOM,Rate Of Materials Based On,Prix des Matériaux Basé sur
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si cette option est activée, le champ Période académique sera obligatoire dans l&#39;outil d&#39;inscription au programme."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valeurs des fournitures importées exonérées, assorties d&#39;une cote zéro et non liées à la TPS"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Client&gt; Groupe de clients&gt; Territoire
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>La société</b> est un filtre obligatoire.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Décocher tout
 DocType: Purchase Taxes and Charges,On Item Quantity,Sur quantité d&#39;article
@@ -7075,7 +7176,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Qté de Pénurie
 DocType: Purchase Invoice,Input Service Distributor,Distributeur de service d&#39;entrée
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,La variante de l'article {0} existe avec les mêmes caractéristiques
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Veuillez configurer le système de dénomination de l&#39;instructeur dans Éducation&gt; Paramètres de l&#39;éducation
 DocType: Loan,Repay from Salary,Rembourser avec le Salaire
 DocType: Exotel Settings,API Token,Jeton d&#39;API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Demande de Paiement pour {0} {1} pour le montant {2}
@@ -7095,6 +7195,7 @@
 DocType: Salary Slip,Total Interest Amount,Montant total de l&#39;intérêt
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Désengager
 DocType: Accounts Settings,Stale Days,Journées Passées
 DocType: Travel Itinerary,Arrival Datetime,Date/Heure d'arrivée
 DocType: Tax Rule,Billing Zipcode,Code postal de facturation
@@ -7281,6 +7382,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Heures
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Un nouveau rendez-vous a été créé pour vous avec {0}
 DocType: Project,Expected Start Date,Date de Début Prévue
+DocType: Work Order,This is a location where raw materials are available.,C&#39;est un endroit où les matières premières sont disponibles.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correction dans la facture
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordre de travail déjà créé pour tous les articles avec une LDM
 DocType: Bank Account,Party Details,Parti Détails
@@ -7299,6 +7401,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Devis :
 DocType: Contract,Partially Fulfilled,Partiellement rempli
 DocType: Maintenance Visit,Fully Completed,Entièrement Complété
+DocType: Loan Security,Loan Security Name,Nom de la sécurité du prêt
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caractères spéciaux sauf &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Et &quot;}&quot; non autorisés dans les séries de nommage"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Est nul ou exempté
 DocType: Employee,Educational Qualification,Qualification pour l'Éducation
@@ -7355,6 +7458,7 @@
 DocType: Program,Is Featured,Est en vedette
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Aller chercher...
 DocType: Agriculture Analysis Criteria,Agriculture User,Agriculteur
+DocType: Loan Security Shortfall,America/New_York,Amérique / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,La date de validité ne peut pas être avant la date de transaction
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7432,8 +7536,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},L'employé {0} est en congés le {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Aucun remboursement sélectionné pour l'écriture de journal
 DocType: Purchase Invoice,GST Category,Catégorie de la TPS
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Les engagements proposés sont obligatoires pour les prêts garantis
 DocType: Payment Reconciliation,From Invoice Date,De la Date de la Facture
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budgets
 DocType: Invoice Discounting,Disbursed,Décaissé
@@ -7491,14 +7595,13 @@
 DocType: Restaurant,Active Menu,Menu Actif
 DocType: Accounting Dimension Detail,Default Dimension,Dimension par défaut
 DocType: Target Detail,Target Qty,Qté Cible
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Pour le prêt: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Paramètres de Caisse
 DocType: Student Attendance,Present,Présent
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Bon de Livraison {0} ne doit pas être soumis
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",La fiche de salaire envoyée à l&#39;employé par courrier électronique sera protégée par un mot de passe. Le mot de passe sera généré en fonction de la politique de mot de passe.
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Odomètre
 DocType: Production Plan Item,Ordered Qty,Qté Commandée
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Article {0} est désactivé
 DocType: Stock Settings,Stock Frozen Upto,Stock Gelé Jusqu'au
@@ -7555,7 +7658,6 @@
 DocType: Serial No,Delivery Document Type,Type de Document de Livraison
 DocType: Sales Order,Partly Delivered,Livré en Partie
 DocType: Item Variant Settings,Do not update variants on save,Ne pas mettre à jour les variantes lors de la sauvegarde
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Groupe de clients
 DocType: Email Digest,Receivables,Créances
 DocType: Lead Source,Lead Source,Source du Prospect
 DocType: Customer,Additional information regarding the customer.,Informations supplémentaires concernant le client.
@@ -7651,6 +7753,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Réel
 DocType: Appointment,Skype ID,ID Skype
 DocType: Restaurant Menu,Restaurant Manager,Gérant de restaurant
+DocType: Loan,Penalty Income Account,Compte de revenu de pénalité
 DocType: Call Log,Call Log,Journal d&#39;appel
 DocType: Authorization Rule,Customerwise Discount,Remise en fonction du Client
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Feuille de Temps pour les tâches.
@@ -7738,6 +7841,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Schéma de remise de produit
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Aucun problème n&#39;a été soulevé par l&#39;appelant.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Regrouper par fournisseur
 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,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
@@ -7748,7 +7852,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consultant
 DocType: Subscription Plan,Based on price list,Sur la base de la liste de prix
 DocType: Customer Group,Parent Customer Group,Groupe Client Parent
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON peut uniquement être généré à partir de la facture client
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Nombre maximal de tentatives pour ce quiz atteint!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Création d'honoraires en attente
@@ -7766,6 +7869,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Maintenance préventive
 DocType: Delivery Note Item,Against Sales Invoice,Pour la Facture de Vente
 DocType: Purchase Invoice,07-Others,07-Autres
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Montant du devis
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Veuillez entrer les numéros de série pour l'élément sérialisé
 DocType: Bin,Reserved Qty for Production,Qté Réservée pour la Production
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Laisser désactivé si vous ne souhaitez pas considérer les lots en faisant des groupes basés sur les cours.
@@ -7873,6 +7977,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Bon de Réception du Paiement
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Créer une demande de matériel
+DocType: Loan Interest Accrual,Pending Principal Amount,Montant du capital en attente
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Les dates de début et de fin ne faisant pas partie d&#39;une période de paie valide, impossible de calculer {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7916,6 +8021,7 @@
 											to fullfill Sales Order {2}",Ne peut pas livrer le numéro de série {0} de l&#39;article {1} car il est réservé \ à la commande client complète {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-. AAAA.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Devis Fournisseur {0} créé
+DocType: Loan Security Unpledge,Unpledge Type,Type de désengagement
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,L'Année de Fin ne peut pas être avant l'Année de Début
 DocType: Employee Benefit Application,Employee Benefits,Avantages de l'Employé
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Numéro d&#39;employé
@@ -7998,6 +8104,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Code du Cours:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Veuillez entrer un Compte de Charges
 DocType: Quality Action Resolution,Problem,Problème
+DocType: Loan Security Type,Loan To Value Ratio,Ratio prêt / valeur
 DocType: Account,Stock,Stock
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8015,6 +8122,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Transaction bancaire
 DocType: Sales Invoice Item,Discount and Margin,Remise et Marge
 DocType: Lab Test,Prescription,Ordonnance
+DocType: Process Loan Security Shortfall,Update Time,Temps de mise à jour
 DocType: Import Supplier Invoice,Upload XML Invoices,Télécharger des factures XML
 DocType: Company,Default Deferred Revenue Account,Compte de produits comptabilisés d'avance par défaut
 DocType: Project,Second Email,Deuxième Email
@@ -8028,7 +8136,7 @@
 DocType: Quality Action,Preventive,Préventif
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Fournitures faites à des personnes non inscrites
 DocType: Company,Date of Incorporation,Date de constitution
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total des Taxes
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total des Taxes
 DocType: Manufacturing Settings,Default Scrap Warehouse,Entrepôt de rebut par défaut
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Dernier prix d&#39;achat
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Pour Quantité (Qté Produite) est obligatoire
@@ -8047,6 +8155,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Définir le mode de paiement par défaut
 DocType: Stock Entry Detail,Against Stock Entry,Contre entrée de stock
 DocType: Grant Application,Withdrawn,Retiré
+DocType: Loan Repayment,Regular Payment,Paiement régulier
 DocType: Support Search Source,Support Search Source,Source de la recherche du support
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Marge Brute %
@@ -8059,8 +8168,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Sans Paiement de Taxe
 DocType: BOM Operation,BOM Operation,Opération LDM
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Le Montant de la Rangée Précédente
+DocType: Student,Home Address,Adresse du Domicile
 DocType: Options,Is Correct,Est correct
 DocType: Item,Has Expiry Date,A une date d'expiration
+DocType: Loan Repayment,Paid Accrual Entries,Entrées de régularisation payées
+DocType: Loan Security,Loan Security Type,Type de garantie de prêt
 apps/erpnext/erpnext/config/support.py,Issue Type.,Type de probleme.
 DocType: POS Profile,POS Profile,Profil PDV
 DocType: Training Event,Event Name,Nom de l'Événement
@@ -8072,6 +8184,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Saisonnalité de l'établissement des budgets, des objectifs, etc."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Pas de valeurs
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nom de la Variable
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Sélectionnez le compte bancaire à rapprocher.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","L'article {0} est un modèle, veuillez sélectionner l'une de ses variantes"
 DocType: Purchase Invoice Item,Deferred Expense,Frais différés
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Retour aux messages
@@ -8123,7 +8236,6 @@
 DocType: GL Entry,To Rename,Renommer
 DocType: Stock Entry,Repack,Ré-emballer
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Sélectionnez pour ajouter un numéro de série.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Veuillez configurer le système de dénomination de l&#39;instructeur dans Éducation&gt; Paramètres de l&#39;éducation
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Veuillez définir le code fiscal du client &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Veuillez sélectionner la Société en premier
 DocType: Item Attribute,Numeric Values,Valeurs Numériques
@@ -8147,6 +8259,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Fetch basé sur FIFO
 DocType: Soil Texture,Clay Loam,Terreau d&#39;argile
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,La Racine ne peut pas être modifiée.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Valeur de la sécurité du prêt
 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
@@ -8193,6 +8306,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Veuillez d’abord sélectionner une Catégorie
 apps/erpnext/erpnext/config/projects.py,Project master.,Données de Base du Projet.
 DocType: Contract,Contract Terms,Termes du contrat
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Limite de montant sanctionnée
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Continuer la configuration
 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,Maximum benefit amount of component {0} exceeds {1},La quantité maximale de prestations sociales du composant {0} dépasse {1}
@@ -8225,6 +8339,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Voir le journal des appels
 DocType: BOM Operation,Operating Cost(Company Currency),Coût d'Exploitation (Devise Société)
 DocType: Loan Application,Rate of Interest,Taux d'Intérêt
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Le nantissement de la garantie de prêt a déjà été promis contre le prêt {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Montant Approuvé
 DocType: Item,Shelf Life In Days,Durée de conservation en jours
 DocType: GL Entry,Is Opening,Écriture d'Ouverture
@@ -8238,3 +8353,4 @@
 DocType: Account,Cash,Espèces
 DocType: Sales Invoice,Unpaid and Discounted,Non payé et à prix réduit
 DocType: Employee,Short biography for website and other publications.,Courte biographie pour le site web et d'autres publications.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Ligne # {0}: Impossible de sélectionner l&#39;entrepôt fournisseur lors de la fourniture de matières premières au sous-traitant
diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv
index 1ff8d69..dacd8ea 100644
--- a/erpnext/translations/gu.csv
+++ b/erpnext/translations/gu.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,તકો ગુમાવેલ કારણ
 DocType: Patient Appointment,Check availability,ઉપલબ્ધતા તપાસો
 DocType: Retention Bonus,Bonus Payment Date,બોનસ ચુકવણી તારીખ
-DocType: Employee,Job Applicant,જોબ અરજદાર
+DocType: Appointment Letter,Job Applicant,જોબ અરજદાર
 DocType: Job Card,Total Time in Mins,મિનિટનો કુલ સમય
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,આ પુરવઠોકર્તા સામે વ્યવહારો પર આધારિત છે. વિગતો માટે નીચે જુઓ ટાઇમલાઇન
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,વર્ક ઓર્ડર માટે વધુ ઉત્પાદનની ટકાવારી
@@ -183,6 +183,7 @@
 DocType: Delivery Stop,Contact Information,સંપર્ક માહિતી
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,કંઈપણ માટે શોધ કરો ...
 ,Stock and Account Value Comparison,સ્ટોક અને એકાઉન્ટ મૂલ્યની તુલના
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,વહેંચાયેલ રકમ લોનની રકમ કરતા વધારે ન હોઇ શકે
 DocType: Company,Phone No,ફોન કોઈ
 DocType: Delivery Trip,Initial Email Notification Sent,પ્રારંભિક ઇમેઇલ સૂચન મોકલ્યું
 DocType: Bank Statement Settings,Statement Header Mapping,નિવેદન હેડર મેપિંગ
@@ -287,6 +288,7 @@
 DocType: Lead,Interested,રસ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,ખુલી
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,કાર્યક્રમ:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,માન્યથી ભાવ સમય સુધી માન્ય કરતા ઓછા હોવા જોઈએ.
 DocType: Item,Copy From Item Group,વસ્તુ ગ્રુપ નકલ
 DocType: Journal Entry,Opening Entry,ખુલી એન્ટ્રી
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,એકાઉન્ટ પે માત્ર
@@ -334,6 +336,7 @@
 DocType: Student,B-,બી
 DocType: Assessment Result,Grade,ગ્રેડ
 DocType: Restaurant Table,No of Seats,બેઠકોની સંખ્યા
+DocType: Loan Type,Grace Period in Days,દિવસોમાં ગ્રેસ પીરિયડ
 DocType: Sales Invoice,Overdue and Discounted,ઓવરડ્યુ અને ડિસ્કાઉન્ટેડ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},સંપત્તિ {0} કસ્ટોડિયન {1} ની નથી
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ક Callલ ડિસ્કનેક્ટેડ
@@ -384,7 +387,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,નિયત કાર્યવાહી
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,માત્ર POS બતાવો
 DocType: Supplier Group,Supplier Group Name,પુરવઠોકર્તા ગ્રુપનું નામ
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,તરીકે હાજરી માર્ક કરો <b></b>
 DocType: Driver,Driving License Categories,ડ્રાઇવિંગ લાઈસન્સ શ્રેણીઓ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ડિલિવરી તારીખ દાખલ કરો
 DocType: Depreciation Schedule,Make Depreciation Entry,અવમૂલ્યન પ્રવેશ કરો
@@ -401,10 +403,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,કામગીરી વિગતો બહાર કરવામાં આવે છે.
 DocType: Asset Maintenance Log,Maintenance Status,જાળવણી સ્થિતિ
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,મૂલ્યમાં શામેલ આઇટમ કરની રકમ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,લોન સુરક્ષા અનપ્લેજ
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,સભ્યપદ વિગતો
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: પુરવઠોકર્તા ચૂકવવાપાત્ર એકાઉન્ટ સામે જરૂરી છે {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,વસ્તુઓ અને પ્રાઇસીંગ
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},કુલ સમય: {0}
+DocType: Loan,Loan Manager,લોન મેનેજર
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},તારીખ થી નાણાકીય વર્ષ અંદર પ્રયત્ન કરીશું. તારીખ થી એમ ધારી રહ્યા છીએ = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,એચએલસી-પી.એમ.આર.-વાય. વાયવાયવાય.-
 DocType: Drug Prescription,Interval,અંતરાલ
@@ -463,6 +467,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',&#39;સમય લોગ&#39; મારફતે સુધારાશે
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ગ્રાહક અથવા સપ્લાયર પસંદ કરો.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ફાઇલમાં કન્ટ્રી કોડ સિસ્ટમમાં સેટ કરેલા દેશ કોડ સાથે મેળ ખાતો નથી
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},એકાઉન્ટ {0} કંપની ને અનુલક્ષતું નથી {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ડિફaultલ્ટ તરીકે ફક્ત એક પ્રાધાન્યતા પસંદ કરો.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},એડવાન્સ રકમ કરતાં વધારે ન હોઈ શકે {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","સમયનો સ્લોટ skiped, સ્લોટ {0} થી {1} માટે એક્સલીઝીંગ સ્લોટ ઓવરલેપ {2} થી {3}"
@@ -538,7 +543,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,છોડો અવરોધિત
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},વસ્તુ {0} પર તેના જીવનના અંતે પહોંચી ગયું છે {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,બેન્ક પ્રવેશો
-DocType: Customer,Is Internal Customer,આંતરિક ગ્રાહક છે
+DocType: Sales Invoice,Is Internal Customer,આંતરિક ગ્રાહક છે
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,સેલ્સ ભરતિયું કોઈ
@@ -562,6 +567,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,સામગ્રી વિનંતી
 DocType: Bank Reconciliation,Update Clearance Date,સુધારા ક્લિયરન્સ તારીખ
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,બંડલ ક્યુટી
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,એપ્લિકેશન મંજૂર થાય ત્યાં સુધી લોન બનાવી શકાતી નથી
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ખરીદી માટે &#39;કાચો માલ પાડેલ&#39; ટેબલ મળી નથી વસ્તુ {0} {1}
 DocType: Salary Slip,Total Principal Amount,કુલ મુખ્ય રકમ
@@ -569,6 +575,7 @@
 DocType: Quiz Result,Correct,સુધારો
 DocType: Student Guardian,Mother,મધર
 DocType: Restaurant Reservation,Reservation End Time,આરક્ષણ અંત સમય
+DocType: Salary Slip Loan,Loan Repayment Entry,લોન ચુકવણીની એન્ટ્રી
 DocType: Crop,Biennial,દ્વિવાર્ષિક
 ,BOM Variance Report,બોમ વેરિઅન્સ રીપોર્ટ
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,ગ્રાહકો પાસેથી પુષ્ટિ ઓર્ડર.
@@ -589,6 +596,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},સામે ચુકવણી {0} {1} બાકી રકમ કરતાં વધારે ન હોઈ શકે {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,બધા હેલ્થકેર સેવા એકમો
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,પરિવર્તનશીલ તકો પર
+DocType: Loan,Total Principal Paid,કુલ આચાર્ય ચૂકવેલ
 DocType: Bank Account,Address HTML,સરનામું HTML
 DocType: Lead,Mobile No.,મોબાઇલ નંબર
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,ચૂકવણીની પદ્ધતિ
@@ -607,12 +615,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,બેઝ કરન્સીમાં બેલેન્સ
 DocType: Supplier Scorecard Scoring Standing,Max Grade,મેક્સ ગ્રેડ
 DocType: Email Digest,New Quotations,ન્યૂ સુવાકયો
+DocType: Loan Interest Accrual,Loan Interest Accrual,લોન ઇન્ટરેસ્ટ એક્યુઅલ
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,રજા પર {1} તરીકે {1} તરીકેની હાજરી નથી.
 DocType: Journal Entry,Payment Order,ચુકવણી ઓર્ડર
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ઇમેઇલ ચકાસો
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,અન્ય સ્રોતોમાંથી આવક
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","જો ખાલી હોય, તો પેરેંટ વેરહાઉસ એકાઉન્ટ અથવા કંપની ડિફોલ્ટ ધ્યાનમાં લેવામાં આવશે"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,કર્મચારી માટે ઇમેઇલ્સ પગાર સ્લિપ કર્મચારી પસંદગી મનપસંદ ઇમેઇલ પર આધારિત
+DocType: Work Order,This is a location where operations are executed.,આ તે સ્થાન છે જ્યાં કામગીરી ચલાવવામાં આવે છે.
 DocType: Tax Rule,Shipping County,શીપીંગ કાઉન્ટી
 DocType: Currency Exchange,For Selling,વેચાણ માટે
 apps/erpnext/erpnext/config/desktop.py,Learn,જાણો
@@ -621,6 +631,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,લાગુ કુપન કોડ
 DocType: Asset,Next Depreciation Date,આગળ અવમૂલ્યન તારીખ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,કર્મચારી દીઠ પ્રવૃત્તિ કિંમત
+DocType: Loan Security,Haircut %,હેરકટ%
 DocType: Accounts Settings,Settings for Accounts,એકાઉન્ટ્સ માટે સુયોજનો
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},પુરવઠોકર્તા ભરતિયું બોલ પર કોઈ ખરીદી ભરતિયું અસ્તિત્વમાં {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,વેચાણ વ્યક્તિ વૃક્ષ મેનેજ કરો.
@@ -659,6 +670,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{} પર હોટેલ રૂમ રેટ સેટ કરો
 DocType: Journal Entry,Multi Currency,મલ્ટી કરન્સી
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ભરતિયું પ્રકાર
+DocType: Loan,Loan Security Details,લોન સુરક્ષા વિગતો
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,તારીખથી માન્ય માન્ય તારીખથી ઓછી હોવી જોઈએ
 DocType: Purchase Invoice,Set Accepted Warehouse,સ્વીકૃત વેરહાઉસ સેટ કરો
 DocType: Employee Benefit Claim,Expense Proof,ખર્ચ પુરાવો
@@ -759,7 +771,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,લેબ ટેસ્ટ મંજૂરીની આવશ્યકતા છે
 DocType: Attendance,Working Hours,કામ નાં કલાકો
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,કુલ ઉત્કૃષ્ટ
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -&gt; {1}) મળ્યું નથી: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,હાલની શ્રેણી શરૂ / વર્તમાન ક્રમ નંબર બદલો.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"ઓર્ડર કરેલી રકમની સરખામણીએ તમને વધુ બિલ આપવાની મંજૂરી છે. ઉદાહરણ તરીકે: જો કોઈ આઇટમ માટે orderર્ડર મૂલ્ય is 100 છે અને સહિષ્ણુતા 10% તરીકે સેટ કરેલી છે, તો તમને $ 110 માટે બિલ આપવાની મંજૂરી છે."
 DocType: Dosage Strength,Strength,સ્ટ્રેન્થ
@@ -776,6 +787,7 @@
 DocType: Purchase Receipt,Vehicle Date,વાહન તારીખ
 DocType: Campaign Email Schedule,Campaign Email Schedule,ઝુંબેશ ઇમેઇલ સૂચિ
 DocType: Student Log,Medical,મેડિકલ
+DocType: Work Order,This is a location where scraped materials are stored.,આ તે સ્થાન છે જ્યાં સ્ક્રેપ કરેલી સામગ્રી સંગ્રહિત છે.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,ડ્રગ પસંદ કરો
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,અગ્ર માલિક લીડ તરીકે જ ન હોઈ શકે
 DocType: Announcement,Receiver,રીસીવર
@@ -871,7 +883,7 @@
 DocType: Driver,Applicable for external driver,બાહ્ય ડ્રાઇવર માટે લાગુ
 DocType: Sales Order Item,Used for Production Plan,ઉત્પાદન યોજના માટે વપરાય છે
 DocType: BOM,Total Cost (Company Currency),કુલ ખર્ચ (કંપની કરન્સી)
-DocType: Loan,Total Payment,કુલ ચુકવણી
+DocType: Repayment Schedule,Total Payment,કુલ ચુકવણી
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO બધા વેચાણની ઓર્ડર વસ્તુઓ માટે બનાવેલ છે
@@ -896,6 +908,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ખરીદ ઓર્ડર ચેતવો
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,તારીખથી ભાડેથી
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,પૂરતી ભાગો બિલ્ડ કરવા માટે
+DocType: Loan Security,Loan Security Code,લોન સુરક્ષા કોડ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,કૃપા કરીને પહેલા બચાવો
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,તેની સાથે સંકળાયેલ કાચા માલને ખેંચવા માટે આઇટમ્સ જરૂરી છે.
 DocType: POS Profile User,POS Profile User,POS પ્રોફાઇલ વપરાશકર્તા
@@ -951,6 +964,7 @@
 DocType: Patient,Risk Factors,જોખમ પરિબળો
 DocType: Patient,Occupational Hazards and Environmental Factors,વ્યવસાય જોખમો અને પર્યાવરણીય પરિબળો
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,સ્ટોક્સ એન્ટ્રીઝ પહેલેથી જ વર્ક ઓર્ડર માટે બનાવેલ છે
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,આઇટમ કોડ&gt; આઇટમ જૂથ&gt; બ્રાન્ડ
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,પાછલા ઓર્ડર જુઓ
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} વાતચીત
 DocType: Vital Signs,Respiratory rate,શ્વસન દર
@@ -1013,6 +1027,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,ટેક્સ રોકવાનો એકાઉન્ટ
 DocType: Pricing Rule,Sales Partner,વેચાણ ભાગીદાર
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,બધા પુરવઠોકર્તા સ્કોરકાર્ડ્સ.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ઓર્ડર રકમ
+DocType: Loan,Disbursed Amount,વિતરિત રકમ
 DocType: Buying Settings,Purchase Receipt Required,ખરીદી રસીદ જરૂરી
 DocType: Sales Invoice,Rail,રેલ
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,વાસ્તવિક કિંમત
@@ -1051,6 +1067,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,ક્વિકબુક્સ સાથે જોડાયેલ
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},કૃપા કરીને પ્રકાર માટે એકાઉન્ટ બનાવો (એકાઉન્ટ (લેજર)) બનાવો - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,ચૂકવવાપાત્ર એકાઉન્ટ
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,ચુકવણી પ્રવેશો મેળવવા માટે એકાઉન્ટ ફરજિયાત છે
 DocType: Payment Entry,Type of Payment,ચુકવણી પ્રકાર
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,અર્ધ દિવસની તારીખ ફરજિયાત છે
 DocType: Sales Order,Billing and Delivery Status,બિલિંગ અને ડ લવર સ્થિતિ
@@ -1089,7 +1106,7 @@
 DocType: Purchase Order Item,Billed Amt,ચાંચ એએમટી
 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,Principal Amount,મુખ્ય રકમ
+DocType: Repayment Schedule,Principal Amount,મુખ્ય રકમ
 DocType: Loan Application,Total Payable Interest,કુલ ચૂકવવાપાત્ર વ્યાજ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},કુલ ઉત્કૃષ્ટ: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,સંપર્ક ખોલો
@@ -1102,6 +1119,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,અપડેટ પ્રક્રિયા દરમિયાન ભૂલ આવી
 DocType: Restaurant Reservation,Restaurant Reservation,રેસ્ટોરન્ટ રિઝર્વેશન
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,તમારી આઇટમ્સ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,સપ્લાયર&gt; સપ્લાયર પ્રકાર
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,દરખાસ્ત લેખન
 DocType: Payment Entry Deduction,Payment Entry Deduction,ચુકવણી એન્ટ્રી કપાત
 DocType: Service Level Priority,Service Level Priority,સેવા સ્તરની પ્રાધાન્યતા
@@ -1253,7 +1271,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),મૂળભૂત દર (કંપની ચલણ)
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,સ્પ્લિટ ઇશ્યૂ
 DocType: Student Attendance,Student Attendance,વિદ્યાર્થી એટેન્ડન્સ
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,નિકાસ કરવા માટે કોઈ ડેટા નથી
 DocType: Sales Invoice Timesheet,Time Sheet,સમય પત્રક
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush કાચો માલ પર આધારિત
 DocType: Sales Invoice,Port Code,પોર્ટ કોડ
@@ -1266,6 +1283,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,અસલ વિતરણ તારીખ
 DocType: Lab Test,Test Template,ટેસ્ટ ઢાંચો
+DocType: Loan Security Pledge,Securities,સિક્યોરિટીઝ
 DocType: Restaurant Order Entry Item,Served,સેવા આપી
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,પ્રકરણની માહિતી.
 DocType: Account,Accounts,એકાઉન્ટ્સ
@@ -1359,6 +1377,7 @@
 DocType: Inpatient Record,O Negative,ઓ નકારાત્મક
 DocType: Work Order Operation,Planned End Time,આયોજિત સમાપ્તિ સમય
 DocType: POS Profile,Only show Items from these Item Groups,ફક્ત આ આઇટમ જૂથોમાંથી આઇટમ્સ બતાવો
+DocType: Loan,Is Secured Loan,સુરક્ષિત લોન છે
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,હાલની વ્યવહાર સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,મેમ્બરશિપ ટીપ વિગત
 DocType: Delivery Note,Customer's Purchase Order No,ગ્રાહક ખરીદી ઓર્ડર કોઈ
@@ -1395,6 +1414,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,પ્રવેશ મેળવવા માટેની કંપની અને પોસ્ટિંગ તારીખ પસંદ કરો
 DocType: Asset,Maintenance,જાળવણી
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,પેશન્ટ એન્કાઉન્ટરમાંથી મેળવો
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -&gt; {1}) મળ્યું નથી: {2}
 DocType: Subscriber,Subscriber,ઉપભોક્તા
 DocType: Item Attribute Value,Item Attribute Value,વસ્તુ કિંમત એટ્રીબ્યુટ
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ખરીદ અથવા વેચાણ માટે કરન્સી એક્સચેન્જ લાગુ હોવું આવશ્યક છે.
@@ -1474,6 +1494,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,પરવાનગી નથી
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,કોન્ટ્ર્ક્ટ ફલ્ફિલમેન્ટ ચેકલિસ્ટ
 DocType: Vital Signs,Heart Rate / Pulse,હાર્ટ રેટ / પલ્સ
+DocType: Customer,Default Company Bank Account,ડિફોલ્ટ કંપની બેંક એકાઉન્ટ
 DocType: Supplier,Default Bank Account,મૂળભૂત બેન્ક એકાઉન્ટ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","પાર્ટી પર આધારિત ફિલ્ટર કરવા માટે, પસંદ પાર્ટી પ્રથમ પ્રકાર"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'અદ્યતન સ્ટોક' ચેક ના કરી શકાય કારણ કે વસ્તુઓ {0}મારફતે વિતરિત કરેલ નથી
@@ -1588,7 +1609,6 @@
 DocType: Sales Team,Incentives,ઇનસેન્ટીવ્સ
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,સમન્વયનના મૂલ્યો
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,તફાવત મૂલ્ય
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,કૃપા કરીને સેટઅપ&gt; નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો
 DocType: SMS Log,Requested Numbers,વિનંતી નંબર્સ
 DocType: Volunteer,Evening,સાંજ
 DocType: Quiz,Quiz Configuration,ક્વિઝ રૂપરેખાંકન
@@ -1608,6 +1628,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Next અગાઉના આગળ રો કુલ પર
 DocType: Purchase Invoice Item,Rejected Qty,નકારેલું Qty
 DocType: Setup Progress Action,Action Field,એક્શન ફિલ્ડ
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,વ્યાજ અને દંડ દરો માટે લોનનો પ્રકાર
 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,ડિલિવરી સ્ટોપ્સ
@@ -1619,6 +1640,7 @@
 ,Final Assessment Grades,અંતિમ મૂલ્યાંકન ગ્રેડ
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,તમારી કંપનીના નામ કે જેના માટે તમે આ સિસ્ટમ સુયોજિત કરી રહ્યા હોય.
 DocType: HR Settings,Include holidays in Total no. of Working Days,કોઈ કુલ રજાઓ સમાવેશ થાય છે. દિવસની
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,ગ્રાન્ડ કુલનો%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext માં તમારા ઇન્સ્ટિટ્યૂટને સેટ કરો
 DocType: Agriculture Analysis Criteria,Plant Analysis,પ્લાન્ટ એનાલિસિસ
 DocType: Task,Timeline,સમયરેખા
@@ -1626,9 +1648,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,વૈકલ્પિક વસ્તુ
 DocType: Shopify Log,Request Data,વિનંતી ડેટા
 DocType: Employee,Date of Joining,જોડાયા તારીખ
+DocType: Delivery Note,Inter Company Reference,ઇન્ટર કંપની સંદર્ભ
 DocType: Naming Series,Update Series,સુધારા સિરીઝ
 DocType: Supplier Quotation,Is Subcontracted,Subcontracted છે
 DocType: Restaurant Table,Minimum Seating,ન્યુનત્તમ બેઠક
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,પ્રશ્ન ડુપ્લિકેટ કરી શકાતો નથી
 DocType: Item Attribute,Item Attribute Values,વસ્તુ એટ્રીબ્યુટ મૂલ્યો
 DocType: Examination Result,Examination Result,પરીક્ષા પરિણામ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ખરીદી રસીદ
@@ -1729,6 +1753,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ
 DocType: Payment Request,Paid,ચૂકવેલ
 DocType: Service Level,Default Priority,ડિફોલ્ટ પ્રાધાન્યતા
+DocType: Pledge,Pledge,પ્રતિજ્ .ા
 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; ટેબલ પુનઃપેદા કરશે. તે તમામ બીઓએમમાં નવીનતમ ભાવ પણ અપડેટ કરે છે."
@@ -1742,6 +1767,7 @@
 DocType: Guardian,Guardian Name,ગાર્ડિયન નામ
 DocType: Cheque Print Template,Has Print Format,પ્રિન્ટ ફોર્મેટ છે
 DocType: Support Settings,Get Started Sections,શરૂ વિભાગો
+,Loan Repayment and Closure,લોન ચુકવણી અને બંધ
 DocType: Lead,CRM-LEAD-.YYYY.-,સીઆરએમ- LEAD -YYYY.-
 DocType: Invoice Discounting,Sanctioned,મંજૂર
 ,Base Amount,આધાર રકમ
@@ -1755,7 +1781,6 @@
 DocType: Student Admission,Publish on website,વેબસાઇટ પર પ્રકાશિત
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,પુરવઠોકર્તા ભરતિયું તારીખ પોસ્ટ તારીખ કરતાં વધારે ન હોઈ શકે
 DocType: Installation Note,MAT-INS-.YYYY.-,મેટ-આઈએનએસ - .YYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,આઇટમ કોડ&gt; આઇટમ જૂથ&gt; બ્રાન્ડ
 DocType: Subscription,Cancelation Date,રદ કરવાની તારીખ
 DocType: Purchase Invoice Item,Purchase Order Item,ઓર્ડર વસ્તુ ખરીદી
 DocType: Agriculture Task,Agriculture Task,કૃષિ કાર્ય
@@ -1774,7 +1799,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,વધારાના ડિસ્કાઉન્ટ ટકાવારી
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,તમામ મદદ વિડિઓઝ યાદી જુઓ
 DocType: Agriculture Analysis Criteria,Soil Texture,માટી સંરચના
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ચેક જમા કરવામાં આવી હતી જ્યાં બેન્ક ઓફ પસંદ એકાઉન્ટ વડા.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,વપરાશકર્તા વ્યવહારો ભાવ યાદી દર ફેરફાર કરવા માટે પરવાનગી આપે છે
 DocType: Pricing Rule,Max Qty,મેક્સ Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,રિપોર્ટ કાર્ડ છાપો
@@ -1905,7 +1929,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","સેટ થઈ ગયા પછી, આ ભરતિયું સેટ તારીખ સુધી પકડવામાં આવશે"
 DocType: Cashier Closing,POS-CLO-,પોસ-સીએલઓ-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,વેચાણ રકમ
-DocType: Repayment Schedule,Interest Amount,વ્યાજ રકમ
+DocType: Loan Interest Accrual,Interest Amount,વ્યાજ રકમ
 DocType: Job Card,Time Logs,સમય લોગ
 DocType: Sales Invoice,Loyalty Amount,વફાદારી રકમ
 DocType: Employee Transfer,Employee Transfer Detail,કર્મચારી ટ્રાન્સફર વિગત
@@ -1920,6 +1944,7 @@
 DocType: Cashier Closing,Returns,રિટર્ન્સ
 DocType: Job Card,WIP Warehouse,WIP વેરહાઉસ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},સીરીયલ કોઈ {0} સુધી જાળવણી કરાર હેઠળ છે {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},મંજૂરી રકમની મર્યાદા {0} {1} માટે ઓળંગી ગઈ
 apps/erpnext/erpnext/config/hr.py,Recruitment,ભરતી
 DocType: Lead,Organization Name,સંસ્થા નામ
 DocType: Support Settings,Show Latest Forum Posts,તાજેતરની ફોરમ પોસ્ટ્સ બતાવો
@@ -1945,7 +1970,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ખરીદી ઓર્ડર આઈટમ્સ ઓવરડ્યુ
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,પિન કોડ
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},વેચાણ ઓર્ડર {0} છે {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},લોનમાં વ્યાજની આવકનું એકાઉન્ટ પસંદ કરો {0}
 DocType: Opportunity,Contact Info,સંપર્ક માહિતી
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,સ્ટોક પ્રવેશો બનાવે
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,કર્મચારીને દરજ્જા સાથે બઢતી ન આપી શકે
@@ -2028,7 +2052,6 @@
 DocType: Salary Slip,Deductions,કપાત
 DocType: Setup Progress Action,Action Name,ક્રિયા નામ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,પ્રારંભ વર્ષ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,લોન બનાવો
 DocType: Purchase Invoice,Start date of current invoice's period,વર્તમાન ભરતિયું માતાનો સમયગાળા તારીખ શરૂ
 DocType: Shift Type,Process Attendance After,પ્રક્રિયાની હાજરી પછી
 ,IRS 1099,આઈઆરએસ 1099
@@ -2049,6 +2072,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,તમારા ડોમેન્સ પસંદ કરો
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify પુરવઠોકર્તા
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ચુકવણી ભરતિયું આઈટમ્સ
+DocType: Repayment Schedule,Is Accrued,સંચિત થાય છે
 DocType: Payroll Entry,Employee Details,કર્મચારીનું વિગતો
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ફાઇલો પર પ્રક્રિયા કરી રહ્યું છે
 DocType: Amazon MWS Settings,CN,CN
@@ -2079,6 +2103,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,લોયલ્ટી પોઇન્ટ એન્ટ્રી
 DocType: Employee Checkin,Shift End,શિફ્ટ એન્ડ
 DocType: Stock Settings,Default Item Group,મૂળભૂત વસ્તુ ગ્રુપ
+DocType: Loan,Partially Disbursed,આંશિક વિતરિત
 DocType: Job Card Time Log,Time In Mins,મિનિટમાં સમય
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,માહિતી આપો
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,આ ક્રિયા તમારા ખાતા સાથે ERPNext ને એકીકૃત કરતી કોઈપણ બાહ્ય સેવાથી આ એકાઉન્ટને અનલિંક કરશે. તે પૂર્વવત્ કરી શકાતું નથી. તમે ચોક્કસ છો?
@@ -2094,6 +2119,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,એ જ વસ્તુ ઘણી વખત દાખલ કરી શકાતી નથી.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","વધુ એકાઉન્ટ્સ જૂથો હેઠળ કરી શકાય છે, પરંતુ પ્રવેશો બિન-જૂથો સામે કરી શકાય છે"
+DocType: Loan Repayment,Loan Closure,લોન બંધ
 DocType: Call Log,Lead,લીડ
 DocType: Email Digest,Payables,ચૂકવણીના
 DocType: Amazon MWS Settings,MWS Auth Token,MWS AUTH ટોકન
@@ -2125,6 +2151,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ઇ-વે બિલ જેએસઓન ફક્ત સબમિટ કરેલા દસ્તાવેજમાંથી જ પેદા કરી શકાય છે
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,કર્મચારી કર અને લાભ
 DocType: Bank Guarantee,Validity in Days,દિવસો વૈધતાને
+DocType: Unpledge,Haircut,હેરકટ
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},સી ફોર્મ ભરતિયું માટે લાગુ પડતી નથી: {0}
 DocType: Certified Consultant,Name of Consultant,સલાહકારનું નામ
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled ચુકવણી વિગતો
@@ -2177,7 +2204,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,બાકીનું વિશ્વ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,આ આઇટમ {0} બેચ હોઈ શકે નહિં
 DocType: Crop,Yield UOM,યોગ UOM
+DocType: Loan Security Pledge,Partially Pledged,આંશિક પ્રતિજ્ .ા
 ,Budget Variance Report,બજેટ ફેરફાર રિપોર્ટ
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,મંજૂરી લોન રકમ
 DocType: Salary Slip,Gross Pay,કુલ પે
 DocType: Item,Is Item from Hub,હબથી આઇટમ છે
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,હેલ્થકેર સેવાઓમાંથી વસ્તુઓ મેળવો
@@ -2212,6 +2241,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,નવી ગુણવત્તા પ્રક્રિયા
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},એકાઉન્ટ માટે બેલેન્સ {0} હંમેશા હોવી જ જોઈએ {1}
 DocType: Patient Appointment,More Info,વધુ માહિતી
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,જન્મની તારીખ જોડાવાની તારીખ કરતા મોટી હોઇ શકે નહીં.
 DocType: Supplier Scorecard,Scorecard Actions,સ્કોરકાર્ડ ક્રિયાઓ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},સપ્લાયર {0} {1} માં મળી નથી
 DocType: Purchase Invoice,Rejected Warehouse,નકારેલું વેરહાઉસ
@@ -2305,6 +2335,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,આઇટમ કોડને પહેલા સેટ કરો
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ડૉક પ્રકાર
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},લોન સુરક્ષા પ્રતિજ્ Creા બનાવેલ: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,નિમણૂંકો અને પેશન્ટ એન્કાઉન્ટર
@@ -2359,6 +2390,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,સહવર્તી નિમણૂકોની સંખ્યા
 apps/erpnext/erpnext/config/desktop.py,Getting Started,પ્રારંભ
 DocType: Purchase Invoice,Taxes and Charges Calculation,કર અને ખર્ચ ગણતરી
+DocType: Loan Interest Accrual,Payable Principal Amount,ચૂકવવાપાત્ર પ્રિન્સિપાલ રકમ
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,બુક એસેટ ઘસારો એન્ટ્રી આપમેળે
 DocType: BOM Operation,Workstation,વર્કસ્ટેશન
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,અવતરણ પુરવઠોકર્તા માટે વિનંતી
@@ -2394,7 +2426,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ફૂડ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,એઇજીંગનો રેન્જ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS ક્લોઝિંગ વાઉચર વિગતો
-DocType: Bank Account,Is the Default Account,ડિફોલ્ટ એકાઉન્ટ છે
 DocType: Shopify Log,Shopify Log,Shopify લોગ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,કોઈ વાતચીત મળી નથી.
 DocType: Inpatient Occupancy,Check In,ચેક ઇન કરો
@@ -2448,12 +2479,14 @@
 DocType: Sales Order Item,Planned Quantity,આયોજિત જથ્થો
 DocType: Water Analysis,Water Analysis Criteria,પાણી વિશ્લેષણ માપદંડ
 DocType: Item,Maintain Stock,સ્ટોક જાળવો
+DocType: Loan Security Unpledge,Unpledge Time,અનપ્લેજ સમય
 DocType: Terms and Conditions,Applicable Modules,લાગુ મોડ્યુલો
 DocType: Employee,Prefered Email,prefered ઇમેઇલ
 DocType: Student Admission,Eligibility and Details,લાયકાત અને વિગતો
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,કુલ નફામાં સમાવિષ્ટ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,સ્થિર એસેટ કુલ ફેરફાર
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,રેક્યુડ જથ્થો
+DocType: Work Order,This is a location where final product stored.,આ તે સ્થાન છે જ્યાં અંતિમ ઉત્પાદન સંગ્રહિત છે.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},મહત્તમ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,તારીખ સમય પ્રતિ
@@ -2493,8 +2526,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,વોરંટી / એએમસી સ્થિતિ
 ,Accounts Browser,એકાઉન્ટ્સ બ્રાઉઝર
 DocType: Procedure Prescription,Referral,રેફરલ
+,Territory-wise Sales,પ્રદેશ મુજબના વેચાણ
 DocType: Payment Entry Reference,Payment Entry Reference,ચુકવણી એન્ટ્રી સંદર્ભ
 DocType: GL Entry,GL Entry,ઓપનજીએલ એન્ટ્રી
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,પંક્તિ # {0}: સ્વીકૃત વેરહાઉસ અને સપ્લાયર વેરહાઉસ સમાન હોઈ શકતા નથી
 DocType: Support Search Source,Response Options,પ્રતિભાવ વિકલ્પો
 DocType: Pricing Rule,Apply Multiple Pricing Rules,બહુવિધ પ્રાઇસીંગ નિયમો લાગુ કરો
 DocType: HR Settings,Employee Settings,કર્મચારીનું સેટિંગ્સ
@@ -2568,6 +2603,7 @@
 DocType: Item,Sales Details,સેલ્સ વિગતો
 DocType: Coupon Code,Used,વપરાયેલ
 DocType: Opportunity,With Items,વસ્તુઓ સાથે
+DocType: Vehicle Log,last Odometer Value ,છેલ્લું ઓડોમીટર મૂલ્ય
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',ઝુંબેશ &#39;{0}&#39; પહેલાથી જ {1} &#39;{2}&#39; માટે અસ્તિત્વમાં છે
 DocType: Asset Maintenance,Maintenance Team,જાળવણી ટીમ
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","ક્રમમાં કે જેમાં વિભાગો દેખાવા જોઈએ. 0 પ્રથમ છે, 1 બીજું છે અને તેથી વધુ."
@@ -2578,7 +2614,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ખર્ચ દાવો {0} પહેલાથી જ વાહન પ્રવેશ અસ્તિત્વમાં
 DocType: Asset Movement Item,Source Location,સ્રોત સ્થાન
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,સંસ્થાનું નામ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ચુકવણી રકમ દાખલ કરો
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,ચુકવણી રકમ દાખલ કરો
 DocType: Shift Type,Working Hours Threshold for Absent,ગેરહાજર રહેવા માટે વર્કિંગ અવર્સ થ્રેશોલ્ડ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,કુલ ખર્ચવામાં આવેલા કુલ પર આધારિત બહુવિધ ટાયર્ડ સંગ્રહ પરિબળ હોઇ શકે છે. પરંતુ રીડેમ્પશન માટેના રૂપાંતરણ પરિબળ હંમેશા તમામ ટાયર માટે સમાન હશે.
 apps/erpnext/erpnext/config/help.py,Item Variants,વસ્તુ ચલો
@@ -2601,6 +2637,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,આ ચુકવણી ટેબલ માં શોધી કોઈ રેકોર્ડ
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},આ {0} સાથે તકરાર {1} માટે {2} {3}
 DocType: Student Attendance Tool,Students HTML,વિદ્યાર્થીઓ HTML
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,કૃપા કરીને પહેલા અરજદાર પ્રકાર પસંદ કરો
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty અને વેરહાઉસ માટે પસંદ કરો"
 DocType: GST HSN Code,GST HSN Code,જીએસટી HSN કોડ
 DocType: Employee External Work History,Total Experience,કુલ અનુભવ
@@ -2688,7 +2725,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",આઇટમ {0} માટે કોઈ સક્રિય BOM મળી નથી. \ Serial No દ્વારા ડિલિવરીની ખાતરી કરી શકાતી નથી
 DocType: Sales Partner,Sales Partner Target,વેચાણ ભાગીદાર લક્ષ્યાંક
-DocType: Loan Type,Maximum Loan Amount,મહત્તમ લોન રકમ
+DocType: Loan Application,Maximum Loan Amount,મહત્તમ લોન રકમ
 DocType: Coupon Code,Pricing Rule,પ્રાઇસીંગ નિયમ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},વિદ્યાર્થી માટે ડુપ્લિકેટ રોલ નંબર {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,ઓર્ડર ખરીદી સામગ્રી વિનંતી
@@ -2711,6 +2748,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},માટે સફળતાપૂર્વક સોંપાયેલ પાંદડાઓ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,કોઈ વસ્તુઓ પૅક કરવા માટે
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,હાલમાં ફક્ત .csv અને .xlsx ફાઇલો સપોર્ટેડ છે
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,કૃપા કરીને માનવ સંસાધન&gt; એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો
 DocType: Shipping Rule Condition,From Value,ભાવ પ્રતિ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,ઉત્પાદન જથ્થો ફરજિયાત છે
 DocType: Loan,Repayment Method,ચુકવણી પદ્ધતિ
@@ -2858,6 +2896,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,ચોખ્ખો નફો
 DocType: Purchase Invoice,Eligibility For ITC,આઈટીસી માટે પાત્રતા
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP- .YYYY.-
+DocType: Loan Security Pledge,Unpledged,બિનહરીફ
 DocType: Journal Entry,Entry Type,એન્ટ્રી પ્રકાર
 ,Customer Credit Balance,ગ્રાહક ક્રેડિટ બેલેન્સ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ચૂકવવાપાત્ર હિસાબ નેટ બદલો
@@ -2869,6 +2908,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),હાજરી ઉપકરણ ID (બાયોમેટ્રિક / આરએફ ટ tagગ ID)
 DocType: Quotation,Term Details,શબ્દ વિગતો
 DocType: Item,Over Delivery/Receipt Allowance (%),ઓવર ડિલિવરી / રસીદ ભથ્થું (%)
+DocType: Appointment Letter,Appointment Letter Template,નિમણૂક પત્ર Templateાંચો
 DocType: Employee Incentive,Employee Incentive,કર્મચારી પ્રોત્સાહન
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} આ વિદ્યાર્થી જૂથ માટે વિદ્યાર્થીઓ કરતાં વધુ નોંધણી કરી શકતા નથી.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),કુલ (કર વગર)
@@ -2891,6 +2931,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",સીરીયલ નંબર દ્વારા ડિલિવરીની ખાતરી કરી શકાતી નથી કારણ કે \ Item {0} સાથે \ Serial No
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ભરતિયું રદ પર ચુકવણી નાપસંદ
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,પ્રોસેસ લોન ઇન્ટરેસ્ટ એક્યુઅલ
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},વર્તમાન ઑડોમીટર વાંચન દાખલ પ્રારંભિક વાહન ઑડોમીટર કરતાં મોટી હોવી જોઈએ {0}
 ,Purchase Order Items To Be Received or Billed,પ્રાપ્ત કરવા અથવા બીલ કરવા માટે ખરીદી ઓર્ડર આઇટમ્સ
 DocType: Restaurant Reservation,No Show,બતાવો નહીં
@@ -2973,6 +3014,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: આ કિંમત કેન્દ્ર &#39;નફો અને નુકસાનનું&#39; એકાઉન્ટ માટે જરૂરી છે {2}. કૃપા કરીને કંપની માટે મૂળભૂત કિંમત કેન્દ્ર સુયોજિત કરો.
 DocType: Payment Schedule,Payment Term,ચુકવણી ની શરતો
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,એક ગ્રાહક જૂથ જ નામ સાથે હાજર ગ્રાહક નામ બદલી અથવા ગ્રાહક જૂથ નામ બદલી કૃપા કરીને
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,પ્રવેશ સમાપ્તિ તારીખ પ્રવેશ પ્રારંભ તારીખ કરતા મોટી હોવી જોઈએ.
 DocType: Location,Area,વિસ્તાર
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,ન્યૂ સંપર્ક
 DocType: Company,Company Description,કંપની વર્ણન
@@ -3045,6 +3087,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,મેપ થયેલ ડેટા
 DocType: Purchase Order Item,Warehouse and Reference,વેરહાઉસ અને સંદર્ભ
 DocType: Payroll Period Date,Payroll Period Date,પેરોલ સમયગાળો તારીખ
+DocType: Loan Disbursement,Against Loan,લોનની સામે
 DocType: Supplier,Statutory info and other general information about your Supplier,તમારા સપ્લાયર વિશે વૈધાિનક માહિતી અને અન્ય સામાન્ય માહિતી
 DocType: Item,Serial Nos and Batches,સીરીયલ સંખ્યા અને બૅચેસ
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,વિદ્યાર્થીઓની જૂથ સ્ટ્રેન્થ
@@ -3252,6 +3295,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),મૂળ રકમ (કંપની ચલણ)
 DocType: Purchase Invoice,Registered Regular,નિયમિત રજીસ્ટર થયેલ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,કાચો માલ
+DocType: Plaid Settings,sandbox,સેન્ડબોક્સ
 DocType: Payment Reconciliation Payment,Reference Row,સંદર્ભ રો
 DocType: Installation Note,Installation Time,સ્થાપન સમયે
 DocType: Sales Invoice,Accounting Details,હિસાબી વિગતો
@@ -3264,12 +3308,11 @@
 DocType: Leave Ledger Entry,Transaction Type,વ્યવહાર પ્રકાર
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,સ્વીકૃતિ માપદંડ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ઉપરના કોષ્ટકમાં સામગ્રી અરજીઓ દાખલ કરો
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,કુલ ચૂકવવાપાત્ર રકમ
 DocType: Task,Expected Time (in hours),(કલાકોમાં) અપેક્ષિત સમય
 DocType: Item Reorder,Check in (group),માં તપાસો (જૂથ)
 DocType: Soil Texture,Silt,સિલ્ટ
@@ -3300,6 +3343,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,વણઉકેલાયેલી કર મુક્તિ પ્રૂફ માટે કર કપાત કરો
 DocType: Volunteer,Anytime,કોઈપણ સમયે
 DocType: Bank Account,Bank Account No,બેન્ક એકાઉન્ટ નં
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,વિતરણ અને ચુકવણી
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,કર્મચારી કર મુક્તિ પ્રૂફ ભર્યા
 DocType: Patient,Surgical History,સર્જિકલ હિસ્ટ્રી
 DocType: Bank Statement Settings Item,Mapped Header,મેપ થયેલ મથાળું
@@ -3360,6 +3404,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,વેચાણ ભરતિયું પર લેબ પરીક્ષણ (ઓ) બનાવો
 DocType: Serial No,Invoice Details,ઇન્વૉઇસ વિગતો
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,ટેક્સ એમીપ્શન ઘોષણા રજૂ કરતા પહેલા પગારનું માળખું સબમિટ કરવું આવશ્યક છે
+DocType: Loan Application,Proposed Pledges,સૂચિત વચનો
 DocType: Grant Application,Show on Website,વેબસાઇટ પર બતાવો
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,પ્રારંભ કરો
 DocType: Hub Tracked Item,Hub Category,હબ કેટેગરી
@@ -3371,7 +3416,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,પુરવઠોકર્તા સ્કોરકાર્ડ સ્ટેન્ડિંગ
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},રો {0}: મટીરીયલ્સ બિલ આઇટમ માટે મળી નથી {1}
 DocType: Contract Fulfilment Checklist,Requirement,જરૂરિયાત
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,કૃપા કરીને માનવ સંસાધન&gt; એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો
 DocType: Journal Entry,Accounts Receivable,મળવાપાત્ર હિસાબ
 DocType: Quality Goal,Objectives,ઉદ્દેશો
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,બેકડેટેડ રજા એપ્લિકેશન બનાવવાની મંજૂરીની ભૂમિકા
@@ -3626,6 +3670,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,માન્ય પ્રતિ તારીખ માન્ય સુધી તારીખથી ઓછો હોવો આવશ્યક છે.
 DocType: Employee Skill,Evaluation Date,મૂલ્યાંકન તારીખ
 DocType: Quotation Item,Stock Balance,સ્ટોક બેલેન્સ
+DocType: Loan Security Pledge,Total Security Value,કુલ સુરક્ષા મૂલ્ય
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ચુકવણી માટે વેચાણ ઓર્ડર
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,સીઇઓ
 DocType: Purchase Invoice,With Payment of Tax,ટેક્સ પેમેન્ટ સાથે
@@ -3718,6 +3763,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,વર્તમાન મૂલ્યાંકન દર
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,રુટ એકાઉન્ટ્સની સંખ્યા 4 કરતા ઓછી હોઈ શકતી નથી
 DocType: Training Event,Advance,એડવાન્સ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,લોન સામે:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless ચુકવણી ગેટવે સેટિંગ્સ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,એક્સચેન્જ મેળવી / નુકશાન
 DocType: Opportunity,Lost Reason,લોસ્ટ કારણ
@@ -3801,8 +3847,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,બેચ પસંદ કોઈ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},અમાન્ય {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,પંક્તિ {0}: જન્મ તારીખની તારીખ આજ કરતાં મોટી હોઇ શકે નહીં.
 DocType: Fee Validity,Reference Inv,સંદર્ભ INV
 DocType: Sales Invoice Advance,Advance Amount,એડવાન્સ રકમ
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,દંડ વ્યાજ દર (%) દીઠ
 DocType: Manufacturing Settings,Capacity Planning,ક્ષમતા આયોજન
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,રાઉન્ડિંગ એડજસ્ટમેન્ટ (કંપની કરન્સી
 DocType: Asset,Policy number,નીતિ અનુક્રમ
@@ -3817,7 +3865,9 @@
 DocType: Normal Test Items,Require Result Value,પરિણામ મૂલ્યની જરૂર છે
 DocType: Purchase Invoice,Pricing Rules,પ્રાઇસીંગ નિયમો
 DocType: Item,Show a slideshow at the top of the page,પાનાંની ટોચ પર એક સ્લાઇડ શો બતાવવા
+DocType: Appointment Letter,Body,શરીર
 DocType: Tax Withholding Rate,Tax Withholding Rate,ટેક્સ રોકવાની દર
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,ટર્મ લોન માટે ચુકવણીની શરૂઆત તારીખ ફરજિયાત છે
 DocType: Pricing Rule,Max Amt,મેક્સ એમએમટી
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,સ્ટોર્સ
@@ -3835,7 +3885,7 @@
 DocType: Call Log,Received By,દ્વારા પ્રાપ્ત
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),નિમણૂક અવધિ (મિનિટમાં)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,કેશ ફ્લો મેપિંગ ઢાંચો વિગતો
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,લોન મેનેજમેન્ટ
+DocType: Loan,Loan Management,લોન મેનેજમેન્ટ
 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,Update Cost,સુધારો કિંમત
@@ -3843,6 +3893,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,જીએસટીઆર 3 બી-ફોર્મ
 DocType: Sales Invoice,Mode of Transport,પરિવહન સ્થિતિ
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,પગાર બતાવો કાપલી
+DocType: Loan,Is Term Loan,ટર્મ લોન છે
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,ટ્રાન્સફર સામગ્રી
 DocType: Fees,Send Payment Request,ચુકવણી વિનંતી મોકલો
 DocType: Travel Request,Any other details,કોઈપણ અન્ય વિગતો
@@ -3860,6 +3911,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,નાણાકીય રોકડ પ્રવાહ
 DocType: Budget Account,Budget Account,બજેટ એકાઉન્ટ
 DocType: Quality Inspection,Verified By,દ્વારા ચકાસવામાં
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,લોન સુરક્ષા ઉમેરો
 DocType: Travel Request,Name of Organizer,ઓર્ગેનાઇઝરનું નામ
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,આવકવેરાના જવાબદારી છે
@@ -3909,6 +3961,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,જરૂરી પર
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","જો ચકાસાયેલ હોય, તો પગાર સ્લિપ્સમાં ગોળાકાર કુલ ફીલ્ડ છુપાવે છે અને અક્ષમ કરે છે"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,વેચાણના ઓર્ડર્સમાં ડિલિવરીની તારીખ માટે આ ડિફ defaultલ્ટ setફસેટ (દિવસો) છે. ફ fallલબેક setફસેટ placeર્ડર પ્લેસમેન્ટની તારીખથી 7 દિવસની છે.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,કૃપા કરીને સેટઅપ&gt; નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો
 DocType: Rename Tool,File to Rename,નામ ફાઇલ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},રો વસ્તુ BOM પસંદ કરો {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,ઉમેદવારી સુધારાઓ મેળવો
@@ -3921,6 +3974,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,સીરીયલ નંબર્સ બનાવ્યાં
 DocType: POS Profile,Applicable for Users,વપરાશકર્તાઓ માટે લાગુ
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,પુ-એસક્યુટીએન-. વાયવાયવાય.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,તારીખથી તારીખ સુધી ફરજિયાત છે
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,પ્રોજેક્ટ અને તમામ કાર્યોને સ્થિતિ {0} પર સેટ કરો?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),એડવાન્સિસ અને ફાળવણી (ફિફા) સેટ કરો
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,કોઈ વર્ક ઓર્ડર્સ બનાવ્યાં નથી
@@ -4024,11 +4078,12 @@
 ,Minutes to First Response for Opportunity,તકો માટે પ્રથમ પ્રતિભાવ મિનિટ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,કુલ ગેરહાજર
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,પંક્તિ {0} સાથે મેળ ખાતું નથી સામગ્રી વિનંતી વસ્તુ અથવા વેરહાઉસ
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,ચૂકવવાપાત્ર રકમ
+DocType: Loan Repayment,Payable Amount,ચૂકવવાપાત્ર રકમ
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,તક
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,મહત્તમ તાકાત શૂન્યથી ઓછી હોઈ શકતી નથી.
 DocType: Options,Option,વિકલ્પ
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},તમે બંધ એકાઉન્ટિંગ અવધિમાં એકાઉન્ટિંગ પ્રવેશો બનાવી શકતા નથી {0}
 DocType: Operation,Default Workstation,મૂળભૂત વર્કસ્ટેશન
@@ -4070,6 +4125,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,વ્યાજની રકમ ફરજિયાત છે
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,પગાર વિના છોડો મંજૂર છોડો અરજી રેકોર્ડ સાથે મેળ ખાતું નથી
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,આગળ કરવાનાં પગલાંઓ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,સાચવેલ વસ્તુઓ
@@ -4120,8 +4176,6 @@
 DocType: Grant Application,Grant Application Details ,ગ્રાન્ટ એપ્લિકેશન વિગતો
 DocType: Employee Separation,Employee Separation,કર્મચારી વિભાજન
 DocType: BOM Item,Original Item,મૂળ વસ્તુ
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી <a href=""#Form/Employee/{0}"">{0}</a> delete કા deleteી નાખો"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,દસ્તાવેજ તારીખ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ફી રેકોર્ડ્સ બનાવનાર - {0}
 DocType: Asset Category Account,Asset Category Account,એસેટ વર્ગ એકાઉન્ટ
@@ -4156,6 +4210,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,લેબ ટેસ્ટ આઇટમ {0} પહેલેથી અસ્તિત્વમાં છે
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} કંપનીની રજા છે
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,બિલ કરી શકાય તેવા કલાકો
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,વિલંબિત ચુકવણીના કિસ્સામાં દૈનિક ધોરણે બાકી વ્યાજની રકમ પર પેનલ્ટી વ્યાજ દર વસૂલવામાં આવે છે
+DocType: Appointment Letter content,Appointment Letter content,નિમણૂક પત્ર સામગ્રી
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,સ્થિતિ સૂચન છોડો
 DocType: Patient Appointment,Procedure Prescription,પ્રોસિજર પ્રિસ્ક્રિપ્શન
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures અને ફિક્સર
@@ -4174,7 +4230,7 @@
 DocType: Opportunity,Customer / Lead Name,ગ્રાહક / લીડ નામ
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ક્લિયરન્સ તારીખ ઉલ્લેખ નથી
 DocType: Payroll Period,Taxable Salary Slabs,કરપાત્ર પગાર સ્લેબ
-DocType: Job Card,Production,ઉત્પાદન
+DocType: Plaid Settings,Production,ઉત્પાદન
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,"અમાન્ય જીએસટીઆઈએન! તમે દાખલ કરેલ ઇનપુટ, જીએસટીએનનાં ફોર્મેટ સાથે મેળ ખાતું નથી."
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ખાતાનું મૂલ્ય
 DocType: Guardian,Occupation,વ્યવસાય
@@ -4314,6 +4370,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,લોયલ્ટી પ્રોગ્રામ કલેક્શન
 DocType: Stock Entry Detail,Subcontracted Item,Subcontracted વસ્તુ
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},{0} વિદ્યાર્થી {1} જૂથ સાથે સંકળાયેલ નથી
+DocType: Appointment Letter,Appointment Date,નિમણૂક તારીખ
 DocType: Budget,Cost Center,ખર્ચ કેન્દ્રને
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,વાઉચર #
 DocType: Tax Rule,Shipping Country,શીપીંગ દેશ
@@ -4384,6 +4441,7 @@
 DocType: Accounting Dimension,Accounting Dimension,હિસાબી પરિમાણ
 ,Profit and Loss Statement,નફો અને નુકસાનનું નિવેદન
 DocType: Bank Reconciliation Detail,Cheque Number,ચેક સંખ્યા
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,ચૂકવેલ રકમ શૂન્ય હોઈ શકતી નથી
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} દ્વારા સંદર્ભિત આઇટમ પહેલેથી જ ભરતિયું છે
 ,Sales Browser,સેલ્સ બ્રાઉઝર
 DocType: Journal Entry,Total Credit,કુલ ક્રેડિટ
@@ -4488,6 +4546,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,કૂપન શરતો ઉમેરો / સંપાદિત કરો
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ખર્ચ / તફાવત એકાઉન્ટ ({0}) એક &#39;નફો અથવા નુકસાન ખાતામાં હોવા જ જોઈએ
 DocType: Stock Entry Detail,Stock Entry Child,સ્ટોક એન્ટ્રી ચાઇલ્ડ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,લોન સિક્યુરિટી પ્લેજ કંપની અને લોન કંપની સમાન હોવી જોઈએ
 DocType: Project,Copied From,નકલ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,ભરતિયું પહેલેથી જ બધા બિલિંગ કલાક માટે બનાવેલ છે
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},નામ ભૂલ: {0}
@@ -4495,6 +4554,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,નાણા ખર્ચ છે
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,કર્મચારી {0} માટે હાજરી પહેલેથી ચિહ્નિત થયેલ છે
 DocType: Packing Slip,If more than one package of the same type (for print),જો એક જ પ્રકારના એક કરતાં વધુ પેકેજ (પ્રિન્ટ માટે)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,કૃપા કરીને શિક્ષણ&gt; શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,કૃપા કરીને રેસ્ટોરેન્ટ સેટિંગ્સમાં ડિફોલ્ટ ગ્રાહક સેટ કરો
 ,Salary Register,પગાર રજિસ્ટર
 DocType: Company,Default warehouse for Sales Return,સેલ્સ રીટર્ન માટે ડિફોલ્ટ વેરહાઉસ
@@ -4539,7 +4599,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,વર્તમાન સીરીયલ નં
 DocType: Employee,Attendance and Leave Details,હાજરી અને રજા વિગતો
 ,BOM Comparison Tool,BOM તુલના સાધન
-,Requested,વિનંતી
+DocType: Loan Security Pledge,Requested,વિનંતી
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,કોઈ ટિપ્પણી
 DocType: Asset,In Maintenance,જાળવણીમાં
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,એમેઝોન MWS માંથી તમારા સેલ્સ ઓર્ડર ડેટાને ખેંચવા માટે આ બટનને ક્લિક કરો
@@ -4551,7 +4611,6 @@
 DocType: Drug Prescription,Drug Prescription,ડ્રગ પ્રિસ્ક્રિપ્શન
 DocType: Service Level,Support and Resolution,આધાર અને ઠરાવ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,મફત આઇટમ કોડ પસંદ થયેલ નથી
-DocType: Loan,Repaid/Closed,પાછી / બંધ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,કુલ અંદાજ Qty
 DocType: Monthly Distribution,Distribution Name,વિતરણ નામ
@@ -4584,6 +4643,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,સ્ટોક માટે એકાઉન્ટિંગ એન્ટ્રી
 DocType: Lab Test,LabTest Approver,લેબસ્ટસ્ટ એપોવરવર
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,જો તમે પહેલાથી જ આકારણી માપદંડ માટે આકારણી છે {}.
+DocType: Loan Security Shortfall,Shortfall Amount,ખોટ રકમ
 DocType: Vehicle Service,Engine Oil,એન્જિન તેલ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},વર્ક ઓર્ડર્સ બનાવ્યાં: {0}
 DocType: Sales Invoice,Sales Team1,સેલ્સ team1
@@ -4600,6 +4660,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,વ્યવસાય સ્થિતિ
 DocType: Purchase Invoice,Apply Additional Discount On,વધારાના ડિસ્કાઉન્ટ પર લાગુ પડે છે
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,પ્રકાર પસંદ કરો ...
+DocType: Loan Interest Accrual,Amounts,રકમ
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,તમારી ટિકિટો
 DocType: Account,Root Type,Root લખવું
 DocType: Item,FIFO,FIFO
@@ -4607,6 +4668,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},ROW # {0}: કરતાં વધુ પાછા ન કરી શકે {1} વસ્તુ માટે {2}
 DocType: Item Group,Show this slideshow at the top of the page,પાનાંની ટોચ પર આ સ્લાઇડશો બતાવો
 DocType: BOM,Item UOM,વસ્તુ UOM
+DocType: Loan Security Price,Loan Security Price,લોન સુરક્ષા કિંમત
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ડિસ્કાઉન્ટ રકમ બાદ ટેક્સની રકમ (કંપની ચલણ)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},લક્ષ્યાંક વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,છૂટક કામગીરી
@@ -4743,6 +4805,7 @@
 DocType: Coupon Code,Coupon Description,કૂપન વર્ણન
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},બેચ પંક્તિમાં ફરજિયાત છે {0}
 DocType: Company,Default Buying Terms,ડિફોલ્ટ ખરીદવાની શરતો
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,લોન વિતરણ
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ખરીદી રસીદ વસ્તુ પાડેલ
 DocType: Amazon MWS Settings,Enable Scheduled Synch,શેડ્યૂડ સમન્વય સક્ષમ કરો
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,તારીખ સમય માટે
@@ -4834,6 +4897,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,દરખાસ્ત / ભાવ ભાવ
 DocType: Antibiotic,Healthcare,સ્વાસ્થ્ય કાળજી
 DocType: Target Detail,Target Detail,લક્ષ્યાંક વિગતવાર
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,લોન પ્રક્રિયાઓ
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,સિંગલ વેરિએન્ટ
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,બધા નોકરીઓ
 DocType: Sales Order,% of materials billed against this Sales Order,સામગ્રી% આ વેચાણ ઓર્ડર સામે બિલ
@@ -4895,7 +4959,7 @@
 DocType: Item,Reorder level based on Warehouse,વેરહાઉસ પર આધારિત પુનઃક્રમાંકિત કરો સ્તર
 DocType: Activity Cost,Billing Rate,બિલિંગ રેટ
 ,Qty to Deliver,વિતરિત કરવા માટે Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,વિતરણ એન્ટ્રી બનાવો
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,વિતરણ એન્ટ્રી બનાવો
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,એમેઝોન આ તારીખ પછી સુધારાશે માહિતી synch કરશે
 ,Stock Analytics,સ્ટોક ઍનલિટિક્સ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,ઓપરેશન્સ ખાલી છોડી શકાશે નહીં
@@ -4929,6 +4993,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,બાહ્ય સંકલન અનલિંક કરો
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,અનુરૂપ ચુકવણી પસંદ કરો
 DocType: Pricing Rule,Item Code,વસ્તુ કોડ
+DocType: Loan Disbursement,Pending Amount For Disbursal,વિતરણ માટે બાકી રકમ
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU- .YYYY.-
 DocType: Serial No,Warranty / AMC Details,વોરંટી / એએમસી વિગતો
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,પ્રવૃત્તિ આધારિત ગ્રુપ માટે જાતે વિદ્યાર્થીઓની પસંદગી
@@ -4952,6 +5017,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,કુલ જથ્થો
 DocType: Landed Cost Item,Receipt Document,રસીદ દસ્તાવેજ
 DocType: Employee Education,School/University,શાળા / યુનિવર્સિટી
+DocType: Loan Security Pledge,Loan  Details,લોન વિગતો
 DocType: Sales Invoice Item,Available Qty at Warehouse,વેરહાઉસ ખાતે ઉપલબ્ધ Qty
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,ગણાવી રકમ
 DocType: Share Transfer,(including),(સહિત)
@@ -4975,6 +5041,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,જૂથો
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,એકાઉન્ટ દ્વારા ગ્રુપ
 DocType: Purchase Invoice,Hold Invoice,ભરતિયું દબાવી રાખો
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,પ્રતિજ્ Statusાની સ્થિતિ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,કર્મચારી પસંદ કરો
 DocType: Sales Order,Fully Delivered,સંપૂર્ણપણે વિતરિત
 DocType: Promotional Scheme Price Discount,Min Amount,મીન રકમ
@@ -4984,7 +5051,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},વિતરિત રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},રો {0} # ફાળવેલ રકમ {1} દાવો ન કરેલા રકમ કરતાં વધુ હોઈ શકતી નથી {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},વસ્તુ માટે જરૂરી ઓર્ડર નંબર ખરીદી {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,ફોરવર્ડ કરેલા પાંદડા વહન કરો
@@ -5012,6 +5078,7 @@
 DocType: Pick List Item,Serial No and Batch,સીરીયલ કોઈ અને બેચ
 DocType: Warranty Claim,From Company,કંપનીથી
 DocType: GSTR 3B Report,January,જાન્યુઆરી
+DocType: Loan Repayment,Principal Amount Paid,આચાર્ય રકમ ચૂકવેલ
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,આકારણી માપદંડ સ્કોર્સ ની રકમ {0} હોઈ જરૂર છે.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Depreciations સંખ્યા નક્કી સુયોજિત કરો
 DocType: Supplier Scorecard Period,Calculations,ગણતરીઓ
@@ -5037,6 +5104,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,તમારી કંપની વિશે
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,સ્ટોક એજિંગ ડેટા બતાવો
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,એકાઉન્ટ ક્રેડિટ બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ
+DocType: Loan Repayment,Penalty Amount,પેનલ્ટી રકમ
 DocType: Donor,Donor,દાતા
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,આઇટમ્સ માટે કર સુધારો
 DocType: Global Defaults,Disable In Words,શબ્દો માં અક્ષમ
@@ -5067,6 +5135,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ખર્ચ કેન્દ્ર અને અંદાજપત્ર
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,પ્રારંભિક સિલક ઈક્વિટી
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,આંશિક ચૂકવેલ એન્ટ્રી
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,કૃપા કરીને ચુકવણીનું સમયપત્રક સેટ કરો
 DocType: Pick List,Items under this warehouse will be suggested,આ વેરહાઉસ હેઠળની આઇટમ્સ સૂચવવામાં આવશે
 DocType: Purchase Invoice,N,એન
@@ -5098,7 +5167,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,દ્વારા સપ્લાયરો મેળવો
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} આઇટમ {1} માટે મળ્યું નથી
 DocType: Accounts Settings,Show Inclusive Tax In Print,પ્રિન્ટમાં વ્યાપક ટેક્સ દર્શાવો
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","બેંક એકાઉન્ટ, તારીખ અને તારીખથી ફરજિયાત છે"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,સંદેશ મોકલ્યો
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી તરીકે સેટ કરી શકાય છે
 DocType: C-Form,II,બીજા
@@ -5112,6 +5180,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Autoટો રી-ઓર્ડરને સક્ષમ કરો
 DocType: Stock Settings,Item Naming By,આઇટમ દ્વારા નામકરણ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},અન્ય પીરિયડ બંધ એન્ટ્રી {0} પછી કરવામાં આવી છે {1}
+DocType: Proposed Pledge,Proposed Pledge,પ્રસ્તાવિત પ્રતિજ્ .ા
 DocType: Work Order,Material Transferred for Manufacturing,સામગ્રી ઉત્પાદન માટે તબદીલ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,એકાઉન્ટ {0} નથી અસ્તિત્વમાં
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,લોયલ્ટી પ્રોગ્રામ પસંદ કરો
@@ -5122,7 +5191,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","માટે ઘટનાઓ સેટિંગ {0}, કારણ કે કર્મચારી વેચાણ વ્યક્તિઓ નીચે જોડાયેલ એક વપરાશકર્તા id નથી {1}"
 DocType: Timesheet,Billing Details,બિલિંગ વિગતો
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,સ્ત્રોત અને લક્ષ્ય વેરહાઉસ અલગ જ હોવી જોઈએ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,કૃપા કરીને માનવ સંસાધન&gt; એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ચૂકવણી નિષ્ફળ વધુ વિગતો માટે કૃપા કરીને તમારા GoCardless એકાઉન્ટને તપાસો
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ન કરતાં જૂની સ્ટોક વ્યવહારો સુધારવા માટે મંજૂરી {0}
 DocType: Stock Entry,Inspection Required,નિરીક્ષણ જરૂરી
@@ -5135,6 +5203,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,કાર્યક્રમ
+DocType: Unpledge,Against Pledge,સંકલ્પ સામે
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,આ ભૂમિકા સાથેના વપરાશકર્તાઓ સ્થિર એકાઉન્ટ્સ સામે હિસાબી પ્રવેશો સ્થિર એકાઉન્ટ્સ સેટ અને બનાવવા / સુધારવા માટે માન્ય છે
 DocType: Plaid Settings,Plaid Environment,પ્લેઇડ પર્યાવરણ
 ,Project Billing Summary,પ્રોજેક્ટ બિલિંગ સારાંશ
@@ -5186,6 +5255,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,બૅચેસ
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,દિવસોની એપોઇન્ટમેન્ટની સંખ્યા અગાઉથી બુક કરાવી શકાય છે
 DocType: Article,LMS User,એલએમએસ વપરાશકર્તા
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,સુરક્ષિત લોન માટે લોન સુરક્ષા પ્રતિજ્ mandા ફરજિયાત છે
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),પુરવઠા સ્થળ (રાજ્ય / કેન્દ્રશાસિત કેન્દ્ર)
 DocType: Purchase Order Item Supplied,Stock UOM,સ્ટોક UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,ઓર્ડર {0} અપર્ણ ન કરાય ખરીદી
@@ -5259,6 +5329,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,જોબ કાર્ડ બનાવો
 DocType: Quotation,Referral Sales Partner,રેફરલ સેલ્સ પાર્ટનર
 DocType: Quality Procedure Process,Process Description,પ્રક્રિયા વર્ણન
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","અનપ્લેજિંગ કરી શકાતું નથી, લોન સિક્યુરિટી વેલ્યુ ચુકવેલા રકમ કરતા વધારે છે"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ગ્રાહક {0} બનાવવામાં આવેલ છે
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,હાલમાં કોઈ વેરહાઉસમાં કોઈ સ્ટોક ઉપલબ્ધ નથી
 ,Payment Period Based On Invoice Date,ભરતિયું તારીખ પર આધારિત ચુકવણી સમય
@@ -5278,7 +5349,7 @@
 DocType: Asset,Insurance Details,વીમા વિગતો
 DocType: Account,Payable,ચૂકવવાપાત્ર
 DocType: Share Balance,Share Type,શેર પ્રકાર
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,ચુકવણી કાળ દાખલ કરો
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,ચુકવણી કાળ દાખલ કરો
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ડેટર્સ ({0})
 DocType: Pricing Rule,Margin,માર્જિન
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,નવા ગ્રાહકો
@@ -5287,6 +5358,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,લીડ સ્ત્રોત દ્વારા તકો
 DocType: Appraisal Goal,Weightage (%),ભારાંકન (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS પ્રોફાઇલ બદલો
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,લોન સિક્યુરિટી માટે ક્વોટી અથવા એમાઉન્ટ મેન્ડેટ્રોય છે
 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,Assessment Report,આકારણી રિપોર્ટ
@@ -5321,6 +5393,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,લેજર શેર કરો
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,સેલ્સ ઇન્વોઇસ {0} બનાવી
 DocType: Employee,Confirmation Date,સમર્થન તારીખ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી <a href=""#Form/Employee/{0}"">{0}</a> delete કા deleteી નાખો"
 DocType: Inpatient Occupancy,Check Out,તપાસો
 DocType: C-Form,Total Invoiced Amount,કુલ ભરતિયું રકમ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,મીન Qty મેક્સ Qty કરતાં વધારે ન હોઈ શકે
@@ -5333,7 +5407,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ક્વિકબુક્સ કંપની ID
 DocType: Travel Request,Travel Funding,યાત્રા ભંડોળ
 DocType: Employee Skill,Proficiency,પ્રાવીણ્ય
-DocType: Loan Application,Required by Date,તારીખ દ્વારા જરૂરી
 DocType: Purchase Invoice Item,Purchase Receipt Detail,ખરીદી રસીદ વિગત
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ક્રોપ વધતી જતી તમામ સ્થાનો પર એક લિંક
 DocType: Lead,Lead Owner,અગ્ર માલિક
@@ -5352,7 +5425,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,વર્તમાન BOM અને નવા BOM જ ન હોઈ શકે
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,પગાર કાપલી ID ને
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,નિવૃત્તિ તારીખ જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,સપ્લાયર&gt; સપ્લાયર પ્રકાર
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,મલ્ટીપલ વેરિયન્ટ્સ
 DocType: Sales Invoice,Against Income Account,આવક એકાઉન્ટ સામે
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% વિતરિત
@@ -5385,7 +5457,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,મૂલ્યાંકન પ્રકાર ખર્ચ વ્યાપક તરીકે ચિહ્નિત નથી કરી શકો છો
 DocType: POS Profile,Update Stock,સુધારા સ્ટોક
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,ચુકવણી વિગતો
+DocType: Loan Repayment,Payment Details,ચુકવણી વિગતો
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM દર
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,અપલોડ કરેલી ફાઇલ વાંચવી
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","અટકાવાયેલ કાર્ય ઓર્ડર રદ કરી શકાતો નથી, તેને રદ કરવા માટે પ્રથમ રદ કરો"
@@ -5418,6 +5490,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},બેચ નંબર વસ્તુ માટે ફરજિયાત છે {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,મહત્તમ લોન મૂલ્ય
 ,Stock Ledger,સ્ટોક ખાતાવહી
 DocType: Company,Exchange Gain / Loss Account,એક્સચેન્જ મેળવી / નુકશાન એકાઉન્ટ
 DocType: Amazon MWS Settings,MWS Credentials,MWS ઓળખપત્રો
@@ -5524,7 +5597,6 @@
 DocType: Fee Schedule,Fee Schedule,ફી સૂચિ
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,કumnલમ લેબલ્સ:
 DocType: Bank Transaction,Settled,સ્થાયી થયા
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,લોન ચુકવણીની શરૂઆત તારીખ પછી વિતરણની તારીખ હોઈ શકતી નથી
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,સેસ
 DocType: Quality Feedback,Parameters,પરિમાણો
 DocType: Company,Create Chart Of Accounts Based On,ખાતાઓ પર આધારિત ચાર્ટ બનાવો
@@ -5544,6 +5616,7 @@
 DocType: Customer,Credit Limit and Payment Terms,ક્રેડિટ મર્યાદા અને ચુકવણીની શરતો
 DocType: Loyalty Program,Collection Rules,સંગ્રહ નિયમો
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,આઇટમ 3
+DocType: Loan Security Shortfall,Shortfall Time,શોર્ટફોલ સમય
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ઓર્ડર એન્ટ્રી
 DocType: Purchase Order,Customer Contact Email,ગ્રાહક સંપર્ક ઇમેઇલ
 DocType: Warranty Claim,Item and Warranty Details,વસ્તુ અને વોરંટી વિગતો
@@ -5563,12 +5636,14 @@
 DocType: Sales Person,Sales Person Name,વેચાણ વ્યક્તિ નામ
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,કોષ્ટકમાં ઓછામાં ઓછા 1 ભરતિયું દાખલ કરો
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,કોઈ લેબ પરીક્ષણ નથી બનાવ્યું
+DocType: Loan Security Shortfall,Security Value ,સુરક્ષા મૂલ્ય
 DocType: POS Item Group,Item Group,વસ્તુ ગ્રુપ
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,વિદ્યાર્થી જૂથ:
 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,Total Allocated Leaves,કુલ ફાળવેલ પાંદડા
+DocType: Appointment Letter,Appointment Letter,નિમણૂક પત્ર
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},માટે {0}
@@ -5623,6 +5698,7 @@
 DocType: Stock Entry,From BOM,BOM થી
 DocType: Assessment Code,Assessment Code,આકારણી કોડ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,મૂળભૂત
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,ગ્રાહકો અને કર્મચારીઓ પાસેથી લોન એપ્લિકેશન.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} સ્થિર થાય તે પહેલા સ્ટોક વ્યવહારો
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&#39;બનાવો સૂચિ&#39; પર ક્લિક કરો
 DocType: Job Card,Current Time,વર્તમાન સમય
@@ -5649,7 +5725,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,અનુદાન
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,કોઈ વિદ્યાર્થી જૂથો બનાવી છે.
 DocType: Purchase Invoice Item,Serial No,સીરીયલ કોઈ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,માસિક ચુકવણી રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,માસિક ચુકવણી રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,પ્રથમ Maintaince વિગતો દાખલ કરો
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,પંક્તિ # {0}: અપેક્ષિત ડિલિવરી તારીખ ખરીદી ઑર્ડર તારીખ પહેલાં ન હોઈ શકે
 DocType: Purchase Invoice,Print Language,પ્રિંટ ભાષા
@@ -5662,6 +5738,7 @@
 DocType: Asset,Finance Books,ફાઇનાન્સ બુક્સ
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,એમ્પ્લોયી ટેક્સ એક્ઝેમ્પ્શન ડિક્લેરેશન કેટેગરી
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,બધા પ્રદેશો
+DocType: Plaid Settings,development,વિકાસ
 DocType: Lost Reason Detail,Lost Reason Detail,લોસ્ટ કારણ વિગતવાર
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,કર્મચારી {0} માટે કર્મચારી / ગ્રેડ રેકોર્ડમાં રજા નીતિ સેટ કરો
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,પસંદ કરેલ ગ્રાહક અને આઇટમ માટે અમાન્ય બ્લેંકેટ ઓર્ડર
@@ -5724,12 +5801,14 @@
 DocType: Staffing Plan Detail,Current Openings,વર્તમાન શરૂઆત
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,કામગીરી માંથી રોકડ પ્રવાહ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST રકમ
+DocType: Vehicle Log,Current Odometer value ,વર્તમાન ઓડોમીટર મૂલ્ય
 apps/erpnext/erpnext/utilities/activation.py,Create Student,વિદ્યાર્થી બનાવો
 DocType: Asset Movement Item,Asset Movement Item,સંપત્તિ ચળવળ વસ્તુ
 DocType: Purchase Invoice,Shipping Rule,શીપીંગ નિયમ
 DocType: Patient Relation,Spouse,જીવનસાથી
 DocType: Lab Test Groups,Add Test,ટેસ્ટ ઉમેરો
 DocType: Manufacturer,Limited to 12 characters,12 અક્ષરો સુધી મર્યાદિત
+DocType: Appointment Letter,Closing Notes,નોંધો બંધ
 DocType: Journal Entry,Print Heading,પ્રિંટ મથાળું
 DocType: Quality Action Table,Quality Action Table,ગુણવત્તા ક્રિયા કોષ્ટક
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,કુલ શૂન્ય ન હોઈ શકે
@@ -5796,6 +5875,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),કુલ (એએમટી)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},કૃપા કરીને પ્રકાર માટે એકાઉન્ટ બનાવો (જૂથ) ઓળખો / બનાવો - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,મનોરંજન &amp; ફુરસદની પ્રવૃત્તિઓ
+DocType: Loan Security,Loan Security,લોન સુરક્ષા
 ,Item Variant Details,આઇટમ વેરિએન્ટ વિગતો
 DocType: Quality Inspection,Item Serial No,વસ્તુ સીરીયલ કોઈ
 DocType: Payment Request,Is a Subscription,એક સબસ્ક્રિપ્શન છે
@@ -5808,7 +5888,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,નવીનતમ ઉંમર
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,અનુસૂચિત અને પ્રવેશની તારીખો આજ કરતાં ઓછી હોઇ શકે નહીં
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,સપ્લાયર માલ પરિવહન
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ન્યૂ સીરીયલ કોઈ વેરહાઉસ કરી શકે છે. વેરહાઉસ સ્ટોક એન્ટ્રી અથવા ખરીદી રસીદ દ્વારા સુયોજિત થયેલ હોવું જ જોઈએ
 DocType: Lead,Lead Type,લીડ પ્રકાર
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,અવતરણ બનાવો
@@ -5824,7 +5903,6 @@
 DocType: Leave Allocation,Leave Period,છોડો પીરિયડ
 DocType: Item,Default Material Request Type,મૂળભૂત સામગ્રી વિનંતી પ્રકાર
 DocType: Supplier Scorecard,Evaluation Period,મૂલ્યાંકન અવધિ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ગ્રાહક&gt; ગ્રાહક જૂથ&gt; ક્ષેત્ર
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,અજ્ઞાત
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,કાર્ય ઓર્ડર બનાવ્યું નથી
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5907,7 +5985,8 @@
 ,Customer-wise Item Price,ગ્રાહક મુજબની વસ્તુ કિંમત
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,કેશ ફ્લો સ્ટેટમેન્ટ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,કોઈ સામગ્રી વિનંતી બનાવવામાં નથી
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},લોન રકમ મહત્તમ લોન રકમ કરતાં વધી શકે છે {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},લોન રકમ મહત્તમ લોન રકમ કરતાં વધી શકે છે {0}
+DocType: Loan,Loan Security Pledge,લોન સુરક્ષા પ્રતિજ્ .ા
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,લાઈસન્સ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"તમે પણ અગાઉના નાણાકીય વર્ષમાં બેલેન્સ ચાલુ નાણાકીય વર્ષના નહીં સામેલ કરવા માંગો છો, તો આગળ લઈ પસંદ કરો"
@@ -5924,6 +6003,7 @@
 DocType: Pricing Rule,Price Discount Scheme,કિંમત છૂટ યોજના
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,જાળવણી સ્થિતિ રદ અથવા સબમિટ કરવા સમાપ્ત થાય છે
 DocType: Amazon MWS Settings,US,યુ.એસ.
+DocType: Loan Security Pledge,Pledged,પ્રતિજ્ .ા લીધી
 DocType: Holiday List,Add Weekly Holidays,અઠવાડિક રજાઓ ઉમેરો
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,રિપોર્ટ આઇટમ
 DocType: Staffing Plan Detail,Vacancies,ખાલી જગ્યાઓ
@@ -5941,7 +6021,6 @@
 DocType: Production Plan Item,Planned Start Date,આયોજિત પ્રારંભ તારીખ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,કૃપા કરીને એક BOM પસંદ કરો
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ફાયર્ડ આઇટીસી ઇન્ટીગ્રેટેડ ટેક્સ
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,ચુકવણી એન્ટ્રી બનાવો
 DocType: Purchase Order Item,Blanket Order Rate,બ્લેંકેટ ઓર્ડર રેટ
 ,Customer Ledger Summary,ગ્રાહક લેજરે સારાંશ
 apps/erpnext/erpnext/hooks.py,Certification,પ્રમાણન
@@ -5962,6 +6041,7 @@
 DocType: Appraisal Template,Appraisal Template Title,મૂલ્યાંકન ઢાંચો શીર્ષક
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,કોમર્શિયલ
 DocType: Patient,Alcohol Current Use,દારૂ વર્તમાન ઉપયોગ
+DocType: Loan,Loan Closure Requested,લોન બંધ કરવાની વિનંતી
 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,કર મુક્તિ કેટેગરી
@@ -5985,6 +6065,7 @@
 DocType: Opening Invoice Creation Tool,Sales,સેલ્સ
 DocType: Stock Entry Detail,Basic Amount,મૂળભૂત રકમ
 DocType: Training Event,Exam,પરીક્ષા
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,પ્રક્રિયા લોન સુરક્ષાની ઉણપ
 DocType: Email Campaign,Email Campaign,ઇમેઇલ ઝુંબેશ
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,માર્કેટપ્લેસ ભૂલ
 DocType: Complaint,Complaint,ફરિયાદ
@@ -6086,6 +6167,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,વપરાયેલ પાંદડા
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,શું તમે સામગ્રી વિનંતી સબમિટ કરવા માંગો છો?
 DocType: Job Offer,Awaiting Response,પ્રતિભાવ પ્રતીક્ષામાં
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,લોન ફરજિયાત છે
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH- .YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,ઉપર
 DocType: Support Search Source,Link Options,લિંક વિકલ્પો
@@ -6098,6 +6180,7 @@
 DocType: Training Event Employee,Optional,વૈકલ્પિક
 DocType: Salary Slip,Earning & Deduction,અર્નિંગ અને કપાત
 DocType: Agriculture Analysis Criteria,Water Analysis,પાણીનું વિશ્લેષણ
+DocType: Pledge,Post Haircut Amount,વાળ કાપવાની રકમ
 DocType: Sales Order,Skip Delivery Note,ડિલિવરી નોંધ અવગણો
 DocType: Price List,Price Not UOM Dependent,કિંમત યુઓએમ આધારિત નથી
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} ચલો બનાવ્યાં છે
@@ -6124,6 +6207,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,ઉત્પાદન બંડલ થી વસ્તુઓ વિચાર
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,ટર્મ લોન માટે ચુકવણીની પદ્ધતિ ફરજિયાત છે
 DocType: Asset,Straight Line,સીધી રેખા
 DocType: Project User,Project User,પ્રોજેક્ટ વપરાશકર્તા
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,સ્પ્લિટ
@@ -6168,7 +6252,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ભૂમિકા ફ્રોઝન એકાઉન્ટ્સ &amp; સંપાદિત કરો ફ્રોઝન પ્રવેશો સેટ કરવાની મંજૂરી
 DocType: Supplier Scorecard Scoring Variable,Path,પાથ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"તે બાળક ગાંઠો છે, કારણ કે ખાતાવહી ખર્ચ કેન્દ્ર કન્વર્ટ કરી શકતા નથી"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -&gt; {1}) મળ્યું નથી: {2}
 DocType: Production Plan,Total Planned Qty,કુલ યોજનાવાળી જથ્થો
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,વ્યવહાર પહેલાથી જ નિવેદનમાંથી પાછો ખેંચ્યો છે
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ખુલી ભાવ
@@ -6176,11 +6259,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,સીરીયલ #
 DocType: Material Request Plan Item,Required Quantity,જરૂરી માત્રા
 DocType: Lab Test Template,Lab Test Template,લેબ ટેસ્ટ ઢાંચો
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,સપ્લાયર&gt; સપ્લાયર પ્રકાર
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,સેલ્સ એકાઉન્ટ
 DocType: Purchase Invoice Item,Total Weight,કૂલ વજન
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી <a href=""#Form/Employee/{0}"">{0}</a> delete કા deleteી નાખો"
 DocType: Pick List Item,Pick List Item,સૂચિ આઇટમ ચૂંટો
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,સેલ્સ પર કમિશન
 DocType: Job Offer Term,Value / Description,ભાવ / વર્ણન
@@ -6226,6 +6306,7 @@
 DocType: Patient Encounter,Encounter Date,એન્કાઉન્ટર ડેટ
 DocType: Work Order,Update Consumed Material Cost In Project,પ્રોજેક્ટમાં વપરાશી સામગ્રીની કિંમતને અપડેટ કરો
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ખાતું: {0} ચલણ સાથે: {1} પસંદ કરી શકાતી નથી
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ગ્રાહકો અને કર્મચારીઓને આપવામાં આવતી લોન.
 DocType: Bank Statement Transaction Settings Item,Bank Data,બેંક ડેટા
 DocType: Purchase Receipt Item,Sample Quantity,નમૂના જથ્થો
 DocType: Bank Guarantee,Name of Beneficiary,લાભાર્થીનું નામ
@@ -6293,7 +6374,6 @@
 DocType: Contract,Signed On,સાઇન કરેલું
 DocType: Bank Account,Party Type,પાર્ટી પ્રકાર
 DocType: Discounted Invoice,Discounted Invoice,ડિસ્કાઉન્ટ ભરતિયું
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,તરીકે હાજરી માર્ક કરો <b></b>
 DocType: Payment Schedule,Payment Schedule,ચુકવણી સૂચિ
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},આપેલ કર્મચારીની ક્ષેત્ર કિંમત માટે કોઈ કર્મચારી મળ્યો નથી. &#39;{}&#39;: {
 DocType: Item Attribute Value,Abbreviation,સંક્ષેપનો
@@ -6364,6 +6444,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ક્રેડિટર્સ
 DocType: Assessment Plan,Assessment Name,આકારણી નામ
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,ROW # {0}: સીરીયલ કોઈ ફરજિયાત છે
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,લોન બંધ કરવા માટે {0} ની રકમ આવશ્યક છે
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,વસ્તુ વાઈસ ટેક્સ વિગતવાર
 DocType: Employee Onboarding,Job Offer,નોકરી ની તક
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,સંસ્થા સંક્ષેપનો
@@ -6387,7 +6468,6 @@
 DocType: Purchase Order,To Receive,પ્રાપ્ત
 DocType: Leave Period,Holiday List for Optional Leave,વૈકલ્પિક રજા માટેની રજાઓની સૂચિ
 DocType: Item Tax Template,Tax Rates,કર દરો
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,આઇટમ કોડ&gt; આઇટમ જૂથ&gt; બ્રાન્ડ
 DocType: Asset,Asset Owner,અસેટ માલિક
 DocType: Item,Website Content,વેબસાઇટ સામગ્રી
 DocType: Bank Account,Integration ID,એકત્રિકરણ ID
@@ -6431,6 +6511,7 @@
 DocType: Customer,Mention if non-standard receivable account,ઉલ્લેખ બિન પ્રમાણભૂત મળવાપાત્ર એકાઉન્ટ તો
 DocType: Bank,Plaid Access Token,પ્લેઇડ એક્સેસ ટોકન
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,કૃપા કરીને બાકીના લાભો {0} કોઈપણ હાલના ઘટકમાં ઉમેરો
+DocType: Bank Account,Is Default Account,ડિફોલ્ટ એકાઉન્ટ છે
 DocType: Journal Entry Account,If Income or Expense,આવક અથવા ખર્ચ તો
 DocType: Course Topic,Course Topic,કોર્સ વિષય
 DocType: Bank Statement Transaction Entry,Matching Invoices,મેચિંગ ઇનવૉઇસેસ
@@ -6442,7 +6523,7 @@
 DocType: Disease,Treatment Task,સારવાર કાર્ય
 DocType: Payment Order Reference,Bank Account Details,બેંક એકાઉન્ટ વિગતો
 DocType: Purchase Order Item,Blanket Order,બ્લેંકેટ ઓર્ડર
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ચુકવણીની રકમ કરતા વધારે હોવી આવશ્યક છે
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ચુકવણીની રકમ કરતા વધારે હોવી આવશ્યક છે
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ટેક્સ અસ્કયામતો
 DocType: BOM Item,BOM No,BOM કોઈ
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,અપડેટ વિગતો
@@ -6497,6 +6578,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce ઉત્પાદનો
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},સૂત્ર અથવા શરત સિન્ટેક્ષ ભૂલ: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,ત્યારથી તે અવગણવામાં વસ્તુ {0} સ્ટોક વસ્તુ નથી
+,Loan Security Status,લોન સુરક્ષા સ્થિતિ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ચોક્કસ વ્યવહાર માં પ્રાઇસીંગ નિયમ લાગુ નથી, બધા લાગુ કિંમતના નિયમોમાં નિષ્ક્રિય થવી જોઈએ."
 DocType: Payment Term,Day(s) after the end of the invoice month,ઇનવોઇસ મહિનાના અંત પછી દિવસ (ઓ)
 DocType: Assessment Group,Parent Assessment Group,પિતૃ આકારણી ગ્રુપ
@@ -6511,7 +6593,6 @@
 DocType: Stock Entry Detail,Additional Cost,વધારાના ખર્ચ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","વાઉચર કોઈ પર આધારિત ફિલ્ટર કરી શકો છો, વાઉચર દ્વારા જૂથ તો"
 DocType: Quality Inspection,Incoming,ઇનકમિંગ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,કૃપા કરીને સેટઅપ&gt; નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,વેચાણ અને ખરીદી માટે ડિફોલ્ટ કર ટેમ્પ્લેટ બનાવવામાં આવે છે.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,મૂલ્યાંકન પરિણામ રેકોર્ડ {0} પહેલાથી અસ્તિત્વમાં છે.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ઉદાહરણ: એબીસીડી. ##### જો શ્રેણી સેટ કરેલ હોય અને લેવડદેવડમાં બેચ નો ઉલ્લેખ નથી, તો પછી આ શ્રેણીના આધારે આપમેળે બેચ નંબર બનાવવામાં આવશે. જો તમે હંમેશા આ આઇટમ માટે બેચ નો ઉલ્લેખ કરશો, તો આને ખાલી છોડી દો. નોંધ: આ સેટિંગ, સ્ટોક સેટિંગ્સમાં નેમિંગ સિરીઝ પ્રીફિક્સ પર અગ્રતા લેશે."
@@ -6521,8 +6602,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,સમીક્ષા સબમિટ કરો
 DocType: Contract,Party User,પાર્ટી યુઝર
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',કૃપા કરીને કંપની ખાલી ફિલ્ટર સેટ જો ગ્રુપ દ્વારા &#39;કંપની&#39; છે
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ગ્રાહક&gt; ગ્રાહક જૂથ&gt; ક્ષેત્ર
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,પોસ્ટ તારીખ ભવિષ્યના તારીખ ન હોઈ શકે
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ROW # {0}: સીરીયલ કોઈ {1} સાથે મેળ ખાતું નથી {2} {3}
+DocType: Loan Repayment,Interest Payable,વ્યાજ ચૂકવવાપાત્ર
 DocType: Stock Entry,Target Warehouse Address,ટાર્ગેટ વેરહાઉસ સરનામું
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,પરચુરણ રજા
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"શિફ્ટ પ્રારંભ સમયનો સમય, જે દરમિયાન કર્મચારીની ચકાસણી હાજરી માટે માનવામાં આવે છે."
@@ -6650,6 +6733,7 @@
 DocType: Issue,Reset Service Level Agreement,સેવા સ્તર કરાર ફરીથી સેટ કરો
 ,Sales Person-wise Transaction Summary,વેચાણ વ્યક્તિ મુજબના ટ્રાન્ઝેક્શન સારાંશ
 DocType: Training Event,Contact Number,સંપર્ક નંબર
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,લોનની રકમ ફરજિયાત છે
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,વેરહાઉસ {0} અસ્તિત્વમાં નથી
 DocType: Cashier Closing,Custody,કસ્ટડીમાં
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,એમ્પ્લોયી ટેક્સ એક્ઝેમ્પ્શન પ્રૂફ ભર્યા વિગત
@@ -6696,6 +6780,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,બેલેન્સ Qty
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,સંયુક્ત બધી પસંદ કરેલી આઇટમ્સ પર શરતો લાગુ કરવામાં આવશે.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,લક્ષ્યાંક ખાલી ન હોઈ શકે
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,ખોટો વેરહાઉસ
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,વિદ્યાર્થીઓની નોંધણી કરવી
 DocType: Item Group,Parent Item Group,પિતૃ વસ્તુ ગ્રુપ
 DocType: Appointment Type,Appointment Type,નિમણૂંક પ્રકાર
@@ -6749,10 +6834,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,સરેરાશ દર
 DocType: Appointment,Appointment With,સાથે નિમણૂક
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,પેમેન્ટ સુનિશ્ચિતમાં કુલ ચૂકવણીની રકમ ગ્રાન્ડ / ગોળાકાર કુલની સમકક્ષ હોવી જોઈએ
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,તરીકે હાજરી માર્ક કરો <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""ગ્રાહક મોકલેલ વસ્તુ""  ""મૂલ્યાંકન દર ન હોઈ શકે"
 DocType: Subscription Plan Detail,Plan,યોજના
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,સામાન્ય ખાતાવહી મુજબ બેન્ક નિવેદન બેલેન્સ
-DocType: Job Applicant,Applicant Name,અરજદારનું નામ
+DocType: Appointment Letter,Applicant Name,અરજદારનું નામ
 DocType: Authorization Rule,Customer / Item Name,ગ્રાહક / વસ્તુ નામ
 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**. 
 
@@ -6796,11 +6882,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,સ્ટોક ખાતાવહી પ્રવેશ આ વેરહાઉસ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ કાઢી શકાતી નથી.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,વિતરણ
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,કર્મચારીની સ્થિતિ &#39;ડાબે&#39; પર સેટ કરી શકાતી નથી કારણ કે નીચેના કર્મચારીઓ હાલમાં આ કર્મચારીને રિપોર્ટ કરે છે:
-DocType: Journal Entry Account,Loan,લોન
+DocType: Loan Repayment,Amount Paid,રકમ ચૂકવવામાં
+DocType: Loan Security Shortfall,Loan,લોન
 DocType: Expense Claim Advance,Expense Claim Advance,ખર્ચ દાવો એડવાન્સ
 DocType: Lab Test,Report Preference,રિપોર્ટ પસંદગી
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,સ્વયંસેવક માહિતી
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,પ્રોજેક્ટ મેનેજર
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,ગ્રાહક દ્વારા જૂથ
 ,Quoted Item Comparison,નોંધાયેલા વસ્તુ સરખામણી
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} અને {1} વચ્ચે સ્કોરિંગમાં ઓવરલેપ કરો
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,રવાનગી
@@ -6820,6 +6908,7 @@
 DocType: Material Request Plan Item,Material Issue,મહત્વનો મુદ્દો
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},પ્રાઇસીંગ નિયમમાં મફત આઇટમ સેટ નથી {0}
 DocType: Employee Education,Qualification,લાયકાત
+DocType: Loan Security Shortfall,Loan Security Shortfall,લોન સુરક્ષાની કમી
 DocType: Item Price,Item Price,વસ્તુ ભાવ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,સાબુ સફાઈકારક
 DocType: BOM,Show Items,બતાવો વસ્તુઓ
@@ -6840,13 +6929,13 @@
 DocType: Appointment Booking Settings,Appointment Details,નિમણૂક વિગતો
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,સમાપ્ત ઉત્પાદન
 DocType: Warehouse,Warehouse Name,વેરહાઉસ નામ
+DocType: Loan Security Pledge,Pledge Time,પ્રતિજ્ Timeા સમય
 DocType: Naming Series,Select Transaction,પસંદ ટ્રાન્ઝેક્શન
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ભૂમિકા એપ્રૂવિંગ અથવા વપરાશકર્તા એપ્રૂવિંગ દાખલ કરો
 DocType: Journal Entry,Write Off Entry,એન્ટ્રી માંડવાળ
 DocType: BOM,Rate Of Materials Based On,દર સામગ્રી પર આધારિત
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","જો સક્ષમ કરેલું હોય, તો ક્ષેત્ર નોંધણી સાધનમાં ફીલ્ડ એકેડેમિક ટર્મ ફરજિયાત રહેશે."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","મુક્તિ, શૂન્ય મૂલ્યાંકન અને જીએસટી સિવાયની આવક સપ્લાયના મૂલ્યો"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ગ્રાહક&gt; ગ્રાહક જૂથ&gt; ક્ષેત્ર
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>કંપની</b> ફરજિયાત ફિલ્ટર છે.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,અનચેક બધા
 DocType: Purchase Taxes and Charges,On Item Quantity,આઇટમ જથ્થા પર
@@ -6891,7 +6980,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,અછત Qty
 DocType: Purchase Invoice,Input Service Distributor,ઇનપુટ સેવા વિતરક
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,વસ્તુ ચલ {0} જ લક્ષણો સાથે હાજર
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,કૃપા કરીને શિક્ષણ&gt; શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો
 DocType: Loan,Repay from Salary,પગારની ચુકવણી
 DocType: Exotel Settings,API Token,API ટોકન
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},સામે ચુકવણી વિનંતી {0} {1} રકમ માટે {2}
@@ -6910,6 +6998,7 @@
 DocType: Salary Slip,Total Interest Amount,કુલ વ્યાજની રકમ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે
 DocType: BOM,Manage cost of operations,કામગીરી ખર્ચ મેનેજ કરો
+DocType: Unpledge,Unpledge,અણધાર્યો
 DocType: Accounts Settings,Stale Days,સ્ટેલ ડેઝ
 DocType: Travel Itinerary,Arrival Datetime,આગમન ડેટટાઇમ
 DocType: Tax Rule,Billing Zipcode,બિલિંગ ઝિપકોડ
@@ -7094,6 +7183,7 @@
 DocType: Employee Transfer,Employee Transfer,કર્મચારીનું પરિવહન
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,કલાક
 DocType: Project,Expected Start Date,અપેક્ષિત પ્રારંભ તારીખ
+DocType: Work Order,This is a location where raw materials are available.,આ તે સ્થાન છે જ્યાં કાચો માલ ઉપલબ્ધ છે.
 DocType: Purchase Invoice,04-Correction in Invoice,04 - ઇન્વૉઇસમાં સુધારો
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,બૉમ સાથેની બધી આઇટમ્સ માટે વર્ક ઓર્ડર પહેલાથી જ બનાવ્યું છે
 DocType: Bank Account,Party Details,પાર્ટી વિગતો
@@ -7112,6 +7202,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,સુવાકયો:
 DocType: Contract,Partially Fulfilled,આંશિક રૂપે પૂર્ણ
 DocType: Maintenance Visit,Fully Completed,સંપૂર્ણપણે પૂર્ણ
+DocType: Loan Security,Loan Security Name,લોન સુરક્ષા નામ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; અને &quot;}&quot; સિવાયના વિશેષ અક્ષરો નામકરણ શ્રેણીમાં મંજૂરી નથી"
 DocType: Purchase Invoice Item,Is nil rated or exempted,નીલ રેટેડ અથવા મુક્તિ છે
 DocType: Employee,Educational Qualification,શૈક્ષણિક લાયકાત
@@ -7168,6 +7259,7 @@
 DocType: Program,Is Featured,ફીચર્ડ છે
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,લાવી રહ્યું છે ...
 DocType: Agriculture Analysis Criteria,Agriculture User,કૃષિ વપરાશકર્તા
+DocType: Loan Security Shortfall,America/New_York,અમેરિકા / ન્યુ યોર્ક
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,તારીખ સુધી માન્ય વ્યવહાર તારીખ પહેલાં ન હોઈ શકે
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,વિદ્યાર્થી વર્ગ
@@ -7244,8 +7336,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,તમે ફ્રોઝન કિંમત સુયોજિત કરવા માટે અધિકૃત નથી
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled પ્રવેશો મળી
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},કર્મચારી {0} રજા પર છે {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,જર્નલ એન્ટ્રી માટે કોઈ ચુકવણી પસંદ નથી
 DocType: Purchase Invoice,GST Category,જીએસટી કેટેગરી
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,સુરક્ષિત લોન માટે સૂચિત વચનો ફરજિયાત છે
 DocType: Payment Reconciliation,From Invoice Date,ભરતિયું તારીખથી
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,બજેટ
 DocType: Invoice Discounting,Disbursed,વિતરણ
@@ -7301,14 +7393,13 @@
 DocType: Restaurant,Active Menu,સક્રિય મેનુ
 DocType: Accounting Dimension Detail,Default Dimension,ડિફaultલ્ટ પરિમાણ
 DocType: Target Detail,Target Qty,લક્ષ્યાંક Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},લોન સામે: {0}
 DocType: Shopping Cart Settings,Checkout Settings,ચેકઆઉટ સેટિંગ્સ
 DocType: Student Attendance,Present,હાજર
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ડ લવર નોંધ {0} રજૂ ન હોવા જોઈએ
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","કર્મચારીને ઇમેઇલ કરેલી પગાર કાપલી પાસવર્ડ સુરક્ષિત રહેશે, પાસવર્ડ નીતિના આધારે પાસવર્ડ જનરેટ કરવામાં આવશે."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,એકાઉન્ટ {0} બંધ પ્રકાર જવાબદારી / ઈક્વિટી હોવું જ જોઈએ
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},કર્મચારી પગાર કાપલી {0} પહેલાથી જ સમય શીટ માટે બનાવવામાં {1}
-DocType: Vehicle Log,Odometer,ઑડોમીટર
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,ઑડોમીટર
 DocType: Production Plan Item,Ordered Qty,આદેશ આપ્યો Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,વસ્તુ {0} અક્ષમ છે
 DocType: Stock Settings,Stock Frozen Upto,સ્ટોક ફ્રોઝન સુધી
@@ -7361,7 +7452,6 @@
 DocType: Serial No,Delivery Document Type,ડ લવર દસ્તાવેજ પ્રકારની
 DocType: Sales Order,Partly Delivered,આંશિક વિતરિત
 DocType: Item Variant Settings,Do not update variants on save,બચત પરના ચલોને અપડેટ કરશો નહીં
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ગ્રાહક જૂથ
 DocType: Email Digest,Receivables,Receivables
 DocType: Lead Source,Lead Source,લીડ સોર્સ
 DocType: Customer,Additional information regarding the customer.,ગ્રાહક સંબંધિત વધારાની માહિતી.
@@ -7454,6 +7544,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,વાસ્તવિક
 DocType: Appointment,Skype ID,સ્કાયપે આઈડી
 DocType: Restaurant Menu,Restaurant Manager,રેસ્ટોરન્ટ વ્યવસ્થાપક
+DocType: Loan,Penalty Income Account,પેનલ્ટી આવક ખાતું
 DocType: Call Log,Call Log,લ Callગ ક Callલ કરો
 DocType: Authorization Rule,Customerwise Discount,Customerwise ડિસ્કાઉન્ટ
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,કાર્યો માટે Timesheet.
@@ -7538,6 +7629,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,પ્રોડક્ટ ડિસ્કાઉન્ટ યોજના
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,ક issueલર દ્વારા કોઈ મુદ્દો ઉઠાવવામાં આવ્યો નથી.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,સપ્લાય દ્વારા જૂથ
 DocType: Restaurant Reservation,Waitlisted,રાહ જોવાયેલી
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,એક્ઝેમ્પ્શન કેટેગરી
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,કરન્સી કેટલાક અન્ય ચલણ ઉપયોગ પ્રવેશો કર્યા પછી બદલી શકાતું નથી
@@ -7548,7 +7640,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,કન્સલ્ટિંગ
 DocType: Subscription Plan,Based on price list,ભાવ યાદી પર આધારિત
 DocType: Customer Group,Parent Customer Group,પિતૃ ગ્રાહક જૂથ
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ઇ-વે બિલ જેએસઓન ફક્ત સેલ્સ ઇન્વoiceઇસથી જ જનરેટ થઈ શકે છે
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,આ ક્વિઝ માટે મહત્તમ પ્રયત્નો પહોંચી ગયા!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ઉમેદવારી
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ફી સર્જન બાકી
@@ -7566,6 +7657,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,નિવારક જાળવણી
 DocType: Delivery Note Item,Against Sales Invoice,સેલ્સ ભરતિયું સામે
 DocType: Purchase Invoice,07-Others,07-અન્ય
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,અવતરણ રકમ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,શ્રેણીબદ્ધ આઇટમ માટે ક્રમાંકોમાં દાખલ કરો
 DocType: Bin,Reserved Qty for Production,ઉત્પાદન માટે Qty અનામત
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"અનચેક છોડી દો, તો તમે બેચ ધ્યાનમાં જ્યારે અભ્યાસક્રમ આધારિત જૂથો બનાવવા નથી માંગતા."
@@ -7673,6 +7765,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ચુકવણી રસીદ નોંધ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,આ ગ્રાહક સામે વ્યવહારો પર આધારિત છે. વિગતો માટે નીચે જુઓ ટાઇમલાઇન
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,સામગ્રી વિનંતી બનાવો
+DocType: Loan Interest Accrual,Pending Principal Amount,બાકી રહેલ મુખ્ય રકમ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,કોર્સ મુજબની એસેસમેન્ટ રિપોર્ટ
@@ -7714,6 +7807,7 @@
 											to fullfill Sales Order {2}",આઇટમ {1} ના સીરિયલ નંબર {1} નું વિતરણ કરી શકાતું નથી કારણ કે તે પૂર્ણ ભરેલી સેલ્સ ઓર્ડર {2} માટે આરક્ષિત છે
 DocType: Quotation,SAL-QTN-.YYYY.-,એસએએલ- QTN- .YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,પુરવઠોકર્તા અવતરણ {0} બનાવવામાં
+DocType: Loan Security Unpledge,Unpledge Type,અનપ્લેજ પ્રકાર
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,અંતે વર્ષ શરૂ વર્ષ પહેલાં ન હોઈ શકે
 DocType: Employee Benefit Application,Employee Benefits,એમ્પ્લોયી બેનિફિટ્સ
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,કર્મચારી આઈ.ડી.
@@ -7796,6 +7890,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,કોર્સ કોડ:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ખર્ચ એકાઉન્ટ દાખલ કરો
 DocType: Quality Action Resolution,Problem,સમસ્યા
+DocType: Loan Security Type,Loan To Value Ratio,લોન ટુ વેલ્યુ રેશિયો
 DocType: Account,Stock,સ્ટોક
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકારની ખરીદી ઓર્ડર એક, ખરીદી ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ"
 DocType: Employee,Current Address,અત્યારનું સરનામુ
@@ -7813,6 +7908,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,બેન્ક સ્ટેટમેન્ટ ટ્રાન્ઝેક્શન એન્ટ્રી
 DocType: Sales Invoice Item,Discount and Margin,ડિસ્કાઉન્ટ અને માર્જિન
 DocType: Lab Test,Prescription,પ્રિસ્ક્રિપ્શન
+DocType: Process Loan Security Shortfall,Update Time,સુધારો સમય
 DocType: Import Supplier Invoice,Upload XML Invoices,XML ઇનવicesઇસેસ અપલોડ કરો
 DocType: Company,Default Deferred Revenue Account,ડિફોલ્ટ ડિફર્ડ રેવન્યુ એકાઉન્ટ
 DocType: Project,Second Email,બીજું ઇમેઇલ
@@ -7826,7 +7922,7 @@
 DocType: Quality Action,Preventive,નિવારક
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,નોંધણી વગરની વ્યક્તિઓને કરવામાં આવતી સપ્લાય
 DocType: Company,Date of Incorporation,ઇન્કોર્પોરેશનની તારીખ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,કુલ કર
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,કુલ કર
 DocType: Manufacturing Settings,Default Scrap Warehouse,ડિફaultલ્ટ સ્ક્રેપ વેરહાઉસ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,છેલ્લી ખરીદીની કિંમત
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,જથ્થો માટે (Qty ઉત્પાદિત થતા) ફરજિયાત છે
@@ -7844,6 +7940,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ચૂકવણીની ડિફોલ્ટ મોડ સેટ કરો
 DocType: Stock Entry Detail,Against Stock Entry,સ્ટોક એન્ટ્રીની સામે
 DocType: Grant Application,Withdrawn,પાછો ખેંચી
+DocType: Loan Repayment,Regular Payment,નિયમિત ચુકવણી
 DocType: Support Search Source,Support Search Source,સ્રોત શોધો સ્રોત
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,ચાર્જબલ
 DocType: Project,Gross Margin %,એકંદર માર્જીન%
@@ -7856,8 +7953,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,ટેક્સ ચુકવણી વિના
 DocType: BOM Operation,BOM Operation,BOM ઓપરેશન
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Next અગાઉના આગળ રો રકમ પર
+DocType: Student,Home Address,ઘરનું સરનામું
 DocType: Options,Is Correct,સાચું છે
 DocType: Item,Has Expiry Date,સમાપ્તિ તારીખ છે
+DocType: Loan Repayment,Paid Accrual Entries,ચૂકવેલ એકત્રીય પ્રવેશો
+DocType: Loan Security,Loan Security Type,લોન સુરક્ષા પ્રકાર
 apps/erpnext/erpnext/config/support.py,Issue Type.,ઇશ્યુનો પ્રકાર.
 DocType: POS Profile,POS Profile,POS પ્રોફાઇલ
 DocType: Training Event,Event Name,ઇવેન્ટનું નામ
@@ -7869,6 +7969,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","સુયોજિત બજેટ, લક્ષ્યાંકો વગેરે માટે મોસમ"
 apps/erpnext/erpnext/www/all-products/index.html,No values,કોઈ મૂલ્યો નથી
 DocType: Supplier Scorecard Scoring Variable,Variable Name,વેરિયેબલ નામ
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,સમાધાન માટે બેંક ખાતું પસંદ કરો.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} વસ્તુ એક નમૂનો છે, તેના ચલો એક પસંદ કરો"
 DocType: Purchase Invoice Item,Deferred Expense,સ્થગિત ખર્ચ
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,સંદેશા પર પાછા
@@ -7920,7 +8021,6 @@
 DocType: GL Entry,To Rename,નામ બદલવું
 DocType: Stock Entry,Repack,RePack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,સીરીયલ નંબર ઉમેરવા માટે પસંદ કરો.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,કૃપા કરીને શિક્ષણ&gt; શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',કૃપા કરીને ગ્રાહક &#39;% s&#39; માટે નાણાકીય કોડ સેટ કરો
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,કૃપા કરીને પ્રથમ કંપની પસંદ કરો
 DocType: Item Attribute,Numeric Values,આંકડાકીય મૂલ્યો
@@ -7944,6 +8044,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO પર આધારિત લાવો
 DocType: Soil Texture,Clay Loam,માટી લોમ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,રુટ ફેરફાર કરી શકતા નથી.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,લોન સુરક્ષા મૂલ્ય
 DocType: Item,Units of Measure,માપવા એકમો
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,મેટ્રો સિટીમાં ભાડે આપેલ
 DocType: Supplier,Default Tax Withholding Config,ડિફોલ્ટ ટેક્સ રોકવાની રૂપરેખા
@@ -7990,6 +8091,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,પ્રથમ શ્રેણી પસંદ કરો
 apps/erpnext/erpnext/config/projects.py,Project master.,પ્રોજેક્ટ માસ્ટર.
 DocType: Contract,Contract Terms,કોન્ટ્રેક્ટ શરતો
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,માન્ય રકમ મર્યાદા
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,ગોઠવણી ચાલુ રાખો
 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,Maximum benefit amount of component {0} exceeds {1},ઘટકનો મહત્તમ લાભ રકમ {0} વધી ગયો છે {1}
@@ -8022,6 +8124,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,ક callલ લ .ગ જુઓ
 DocType: BOM Operation,Operating Cost(Company Currency),સંચાલન ખર્ચ (કંપની ચલણ)
 DocType: Loan Application,Rate of Interest,વ્યાજ દર
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},લોન સુરક્ષા પ્રતિજ્ loanા પહેલાથી લોન સામે પ્રતિજ્ againstા {0}
 DocType: Expense Claim Detail,Sanctioned Amount,મંજુર રકમ
 DocType: Item,Shelf Life In Days,દિવસો માં શેલ્ફ લાઇફ
 DocType: GL Entry,Is Opening,ખોલ્યા છે
@@ -8033,3 +8136,4 @@
 DocType: Account,Cash,કેશ
 DocType: Sales Invoice,Unpaid and Discounted,અવેતન અને ડિસ્કાઉન્ટ
 DocType: Employee,Short biography for website and other publications.,વેબસાઇટ અને અન્ય પ્રકાશનો માટે લઘુ જીવનચરિત્ર.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,પંક્તિ # {0}: સબકન્ટ્રેક્ટરને કાચા માલ પૂરા પાડતી વખતે સપ્લાયર વેરહાઉસ પસંદ કરી શકતા નથી
diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv
index ecdaf3a..bfe968e 100644
--- a/erpnext/translations/he.csv
+++ b/erpnext/translations/he.csv
@@ -337,7 +337,7 @@
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),פתיחה (Cr)
 DocType: Tally Migration,Round Off Account,לעגל את החשבון
 DocType: Payment Reconciliation Payment,Reference Row,הפניה Row
-DocType: Employee,Job Applicant,עבודת מבקש
+DocType: Appointment Letter,Job Applicant,עבודת מבקש
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,בידור ופנאי
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,פתיחה
 DocType: Bank Account,Party Type,סוג המפלגה
@@ -662,7 +662,7 @@
 DocType: Item,Synced With Hub,סונכרן עם רכזת
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,להזמין מכירות {0} אינו חוקי
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,מחסן לא נמצא במערכת
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,"מס סה""כ"
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,"מס סה""כ"
 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},לא יכולים להיות מסוננים {0} ערכי תשלום על ידי {1}
 DocType: Period Closing Voucher,Closing Account Head,סגירת חשבון ראש
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Stock Options,אופציות
@@ -1044,7 +1044,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} פריטים המיוצרים
 DocType: Communication Medium,Communication Medium,תקשורת בינונית
 DocType: Department Approver,Approver,מאשר
-DocType: Job Applicant,Applicant Name,שם מבקש
+DocType: Appointment Letter,Applicant Name,שם מבקש
 DocType: Stock Entry,Including items for sub assemblies,כולל פריטים למכלולים תת
 DocType: Employee,Permanent Address Is,כתובת קבע
 DocType: Share Transfer,Issue,נושא
@@ -1774,7 +1774,7 @@
 ,Purchase Order Items To Be Received,פריטים הזמנת רכש שיתקבלו
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Cr),סגירה (Cr)
 DocType: Account,Cash,מזומנים
-DocType: Certification Application,Payment Details,פרטי תשלום
+DocType: Loan Repayment,Payment Details,פרטי תשלום
 DocType: Fee Schedule,In Process,בתהליך
 apps/erpnext/erpnext/setup/doctype/company/company.js,Wrong Password,סיסמא שגויה
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},אנא לחץ על 'צור לוח זמנים' כדי להביא מספר סידורי הוסיפה לפריט {0}
@@ -1882,7 +1882,7 @@
 DocType: Naming Series,Current Value,ערך נוכחי
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,בחר שנת כספים ...
 apps/erpnext/erpnext/controllers/trends.py,Amt,AMT
-,Requested,ביקשתי
+DocType: Loan Security Pledge,Requested,ביקשתי
 DocType: BOM Update Tool,Current BOM,BOM הנוכחי
 DocType: Purchase Invoice,Advance Payments,תשלומים מראש
 DocType: Asset Maintenance,Manufacturing User,משתמש ייצור
@@ -1974,6 +1974,7 @@
 DocType: SMS Center,SMS Center,SMS מרכז
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Investing,תזרים מזומנים מהשקעות
 DocType: Stock Entry Detail,Basic Amount,סכום בסיסי
+DocType: Loan Repayment,Amount Paid,הסכום ששולם
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,השקעות
 DocType: Serial No,Under Warranty,במסגרת אחריות
 DocType: Price List,Price List Name,שם מחיר המחירון
@@ -2475,7 +2476,6 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,אסמכתא ותאריך ההפניה הוא חובה עבור עסקת הבנק
 DocType: Cheque Print Template,Signatory Position,תפקיד החותם
 ,Item-wise Sales Register,פריט חכם מכירות הרשמה
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ראש בחר חשבון של הבנק שבו הופקד שיק.
 DocType: Pricing Rule,Margin,Margin
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,כמות לייצור
 DocType: Bank Statement Transaction Settings Item,Transaction,עסקה
@@ -2658,7 +2658,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} has already been received,מספר סידורי {0} כבר קיבל
 ,To Produce,כדי לייצר
 DocType: Item Price,Multiple Item prices.,מחירי פריט מרובים.
-DocType: Job Card,Production,הפקה
+DocType: Plaid Settings,Production,הפקה
 DocType: Appointment Booking Settings,Holiday List,רשימת החג
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","אופציונאלי. סטי ברירת מחדל המטבע של החברה, אם לא צוין."
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of the institute for which you are setting up this system.,שמו של המכון אשר אתה מגדיר מערכת זו.
@@ -3173,6 +3173,7 @@
 ,Item Shortage Report,דווח מחסור פריט
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,פריט {0} הוא לא התקנה למס סידורי. בדוק אדון פריט
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Print settings updated in respective print format,הגדרות הדפסה עודכנו מודפסות בהתאמה
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},חשבון {0} אינו שייך לחברת {1}
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,שמה של החברה שלך שאתה מגדיר את המערכת הזאת.
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Approve,לְאַשֵׁר
 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py,The holiday on {0} is not between From Date and To Date,החג על {0} הוא לא בין מתאריך ו עד תאריך
diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv
index 5081200..4b6261d 100644
--- a/erpnext/translations/hi.csv
+++ b/erpnext/translations/hi.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,अवसर खो दिया कारण
 DocType: Patient Appointment,Check availability,उपलब्धता जाँचें
 DocType: Retention Bonus,Bonus Payment Date,बोनस भुगतान दिनांक
-DocType: Employee,Job Applicant,नौकरी आवेदक
+DocType: Appointment Letter,Job Applicant,नौकरी आवेदक
 DocType: Job Card,Total Time in Mins,कुल समय में
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,यह इस प्रदायक के खिलाफ लेन-देन पर आधारित है। जानकारी के लिए नीचे समय देखें
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,कार्य आदेश के लिए अधिक उत्पादन प्रतिशत
@@ -183,6 +183,7 @@
 DocType: Delivery Stop,Contact Information,संपर्क जानकारी
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,कुछ भी खोजें ...
 ,Stock and Account Value Comparison,स्टॉक और खाता मूल्य तुलना
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,वितरित राशि ऋण राशि से अधिक नहीं हो सकती है
 DocType: Company,Phone No,कोई फोन
 DocType: Delivery Trip,Initial Email Notification Sent,प्रारंभिक ईमेल अधिसूचना प्रेषित
 DocType: Bank Statement Settings,Statement Header Mapping,स्टेटमेंट हैडर मैपिंग
@@ -289,6 +290,7 @@
 DocType: Lead,Interested,इच्छुक
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,प्रारंभिक
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,कार्यक्रम:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,वैलिड फ्रॉम टाइम वैलिड तक के समय से कम होना चाहिए।
 DocType: Item,Copy From Item Group,आइटम समूह से कॉपी
 DocType: Journal Entry,Opening Entry,एंट्री खुलने
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,खाते का भुगतान केवल
@@ -336,6 +338,7 @@
 DocType: Student,B-,बी
 DocType: Assessment Result,Grade,ग्रेड
 DocType: Restaurant Table,No of Seats,सीटों की संख्या
+DocType: Loan Type,Grace Period in Days,दिनों में अनुग्रह की अवधि
 DocType: Sales Invoice,Overdue and Discounted,अतिदेय और रियायती
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},एसेट {0} कस्टोडियन {1} से संबंधित नहीं है
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,कॉल डिस्कनेक्ट किया गया
@@ -387,7 +390,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,निर्धारित प्रक्रियाएं
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,केवल पीओएस दिखाएं
 DocType: Supplier Group,Supplier Group Name,प्रदायक समूह का नाम
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,मार्क उपस्थिति के रूप में <b></b>
 DocType: Driver,Driving License Categories,ड्राइविंग लाइसेंस श्रेणियाँ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,कृपया डिलिवरी दिनांक दर्ज करें
 DocType: Depreciation Schedule,Make Depreciation Entry,मूल्यह्रास प्रवेश कर
@@ -404,10 +406,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,आपरेशन के विवरण से बाहर किया।
 DocType: Asset Maintenance Log,Maintenance Status,रखरखाव स्थिति
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,आइटम कर राशि मूल्य में शामिल है
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,ऋण सुरक्षा अनप्लग
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,सदस्यता विवरण
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: प्रदायक देय खाते के खिलाफ आवश्यक है {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,आइटम और मूल्य निर्धारण
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},कुल घंटे: {0}
+DocType: Loan,Loan Manager,ऋण प्रबंधक
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},दिनांक से वित्तीय वर्ष के भीतर होना चाहिए. दिनांक से मान लिया जाये = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,उच्च स्तरीय समिति-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,मध्यान्तर
@@ -466,6 +470,7 @@
 DocType: Work Order Operation,Updated via 'Time Log','टाइम प्रवेश' के माध्यम से अद्यतन
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ग्राहक या आपूर्तिकर्ता का चयन करें।
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,फ़ाइल में देश कोड सिस्टम में स्थापित देश कोड के साथ मेल नहीं खाता है
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},खाते {0} कंपनी से संबंधित नहीं है {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,डिफ़ॉल्ट के रूप में केवल एक प्राथमिकता का चयन करें।
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},अग्रिम राशि से अधिक नहीं हो सकता है {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","समय स्लॉट छोड़ दिया गया, स्लॉट {0} से {1} exisiting स्लॉट ओवरलैप {2} से {3}"
@@ -543,7 +548,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,अवरुद्ध छोड़ दो
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},आइटम {0} पर जीवन के अपने अंत तक पहुँच गया है {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,बैंक प्रविष्टियां
-DocType: Customer,Is Internal Customer,आंतरिक ग्राहक है
+DocType: Sales Invoice,Is Internal Customer,आंतरिक ग्राहक है
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,बिक्री चालान नहीं
@@ -567,6 +572,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,सामग्री अनुरोध
 DocType: Bank Reconciliation,Update Clearance Date,अद्यतन क्लीयरेंस तिथि
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,बंटी Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,आवेदन स्वीकृत होने तक ऋण नहीं बना सकते
 ,GSTR-2,GSTR -2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},खरीद आदेश में &#39;कच्चे माल की आपूर्ति&#39; तालिका में नहीं मिला मद {0} {1}
 DocType: Salary Slip,Total Principal Amount,कुल प्रधानाचार्य राशि
@@ -574,6 +580,7 @@
 DocType: Quiz Result,Correct,सही बात
 DocType: Student Guardian,Mother,मां
 DocType: Restaurant Reservation,Reservation End Time,आरक्षण समाप्ति समय
+DocType: Salary Slip Loan,Loan Repayment Entry,ऋण चुकौती प्रविष्टि
 DocType: Crop,Biennial,द्विवाषिक
 ,BOM Variance Report,बीओएम वैरिएंस रिपोर्ट
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,ग्राहकों से आदेश की पुष्टि की है.
@@ -595,6 +602,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},के खिलाफ भुगतान {0} {1} बकाया राशि से अधिक नहीं हो सकता {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,सभी हेल्थकेयर सेवा इकाइयां
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,अवसर बदलने पर
+DocType: Loan,Total Principal Paid,कुल प्रिंसिपल पेड
 DocType: Bank Account,Address HTML,HTML पता करने के लिए
 DocType: Lead,Mobile No.,मोबाइल नंबर
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,भुगतान का तरीका
@@ -613,12 +621,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,आधार मुद्रा में शेष राशि
 DocType: Supplier Scorecard Scoring Standing,Max Grade,मैक्स ग्रेड
 DocType: Email Digest,New Quotations,नई कोटेशन
+DocType: Loan Interest Accrual,Loan Interest Accrual,ऋण का ब्याज क्रमिक
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,छुट्टी पर {0} के रूप में उपस्थिति {1} के रूप में प्रस्तुत नहीं किया गया है।
 DocType: Journal Entry,Payment Order,भुगतान आदेश
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ईमेल सत्यापित करें
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,अन्य स्रोतों से आय
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","यदि रिक्त है, तो मूल वेयरहाउस खाता या कंपनी डिफ़ॉल्ट माना जाएगा"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,कर्मचारी को ईमेल वेतन पर्ची कर्मचारी में से चयनित पसंदीदा ईमेल के आधार पर
+DocType: Work Order,This is a location where operations are executed.,यह एक ऐसा स्थान है जहां संचालन निष्पादित किया जाता है।
 DocType: Tax Rule,Shipping County,शिपिंग काउंटी
 DocType: Currency Exchange,For Selling,बिक्री के लिए
 apps/erpnext/erpnext/config/desktop.py,Learn,सीखना
@@ -627,6 +637,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,एप्लाइड कूपन कोड
 DocType: Asset,Next Depreciation Date,अगली तिथि मूल्यह्रास
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,कर्मचारी प्रति गतिविधि लागत
+DocType: Loan Security,Haircut %,बाल कटवाने का%
 DocType: Accounts Settings,Settings for Accounts,खातों के लिए सेटिंग्स
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},आपूर्तिकर्ता चालान नहीं खरीद चालान में मौजूद है {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,बिक्री व्यक्ति पेड़ की व्यवस्था करें.
@@ -665,6 +676,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},कृपया होटल कक्ष दर {} पर सेट करें
 DocType: Journal Entry,Multi Currency,बहु मुद्रा
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,चालान का प्रकार
+DocType: Loan,Loan Security Details,ऋण सुरक्षा विवरण
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,दिनांक से मान्य मान्य तिथि से कम होना चाहिए
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},{0} को समेटते समय अपवाद हुआ
 DocType: Purchase Invoice,Set Accepted Warehouse,स्वीकृत वेयरहाउस सेट करें
@@ -771,7 +783,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,लैब टेस्ट अनुमोदन की आवश्यकता है
 DocType: Attendance,Working Hours,कार्य के घंटे
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,कुल बकाया
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM रूपांतरण कारक ({0} -&gt; {1}) आइटम के लिए नहीं मिला: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,एक मौजूदा श्रृंखला के शुरू / वर्तमान अनुक्रम संख्या बदलें.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,प्रतिशत आपको आदेश दी गई राशि के मुकाबले अधिक बिल करने की अनुमति है। उदाहरण के लिए: यदि किसी वस्तु के लिए ऑर्डर मूल्य $ 100 है और सहिष्णुता 10% के रूप में सेट की जाती है तो आपको $ 110 का बिल करने की अनुमति है।
 DocType: Dosage Strength,Strength,शक्ति
@@ -789,6 +800,7 @@
 DocType: Purchase Receipt,Vehicle Date,वाहन की तारीख
 DocType: Campaign Email Schedule,Campaign Email Schedule,अभियान ईमेल अनुसूची
 DocType: Student Log,Medical,चिकित्सा
+DocType: Work Order,This is a location where scraped materials are stored.,यह एक ऐसा स्थान है जहां स्क्रैप की गई सामग्री जमा हो जाती है।
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,कृपया दवा का चयन करें
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,लीड मालिक लीड के रूप में ही नहीं किया जा सकता
 DocType: Announcement,Receiver,रिसीवर
@@ -884,7 +896,7 @@
 DocType: Driver,Applicable for external driver,बाहरी चालक के लिए लागू
 DocType: Sales Order Item,Used for Production Plan,उत्पादन योजना के लिए प्रयुक्त
 DocType: BOM,Total Cost (Company Currency),कुल लागत (कंपनी मुद्रा)
-DocType: Loan,Total Payment,कुल भुगतान
+DocType: Repayment Schedule,Total Payment,कुल भुगतान
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,पीओ पहले से ही सभी बिक्री आदेश वस्तुओं के लिए बनाया गया है
@@ -909,6 +921,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,खरीद आदेश को चेतावनी दें
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,तिथि से किराए पर लिया
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,बहुत हो गया भागों का निर्माण करने के लिए
+DocType: Loan Security,Loan Security Code,ऋण सुरक्षा कोड
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,कृपया पहले सहेजें
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,कच्चे माल को खींचने के लिए आइटम की आवश्यकता होती है जो इसके साथ जुड़ा हुआ है।
 DocType: POS Profile User,POS Profile User,पीओएस प्रोफ़ाइल उपयोगकर्ता
@@ -965,6 +978,7 @@
 DocType: Patient,Risk Factors,जोखिम के कारण
 DocType: Patient,Occupational Hazards and Environmental Factors,व्यावसायिक खतरों और पर्यावरणीय कारक
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,स्टॉक प्रविष्टियां पहले से ही कार्य आदेश के लिए बनाई गई हैं
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,आइटम कोड&gt; आइटम समूह&gt; ब्रांड
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,पिछले आदेश देखें
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} बातचीत
 DocType: Vital Signs,Respiratory rate,श्वसन दर
@@ -997,7 +1011,6 @@
 DocType: Company,Delete Company Transactions,कंपनी लेन-देन को हटाएं
 DocType: Production Plan Item,Quantity and Description,मात्रा और विवरण
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,संदर्भ कोई और संदर्भ तिथि बैंक लेन-देन के लिए अनिवार्य है
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,कृपया सेटिंग&gt; सेटिंग&gt; नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,कर और प्रभार जोड़ें / संपादित करें
 DocType: Payment Entry Reference,Supplier Invoice No,प्रदायक चालान नहीं
 DocType: Territory,For reference,संदर्भ के लिए
@@ -1028,6 +1041,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,कर रोकथाम खाता
 DocType: Pricing Rule,Sales Partner,बिक्री साथी
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,सभी प्रदायक स्कोरकार्ड
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ऑर्डर करने की राशि
+DocType: Loan,Disbursed Amount,वितरित राशि
 DocType: Buying Settings,Purchase Receipt Required,खरीद रसीद आवश्यक
 DocType: Sales Invoice,Rail,रेल
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,वास्तविक लागत
@@ -1068,6 +1083,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks से जुड़ा हुआ है
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},कृपया प्रकार के लिए खाता (लेजर) की पहचान / निर्माण - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,देय खाता
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,भुगतान प्रविष्टियां प्राप्त करने के लिए खाता अनिवार्य है
 DocType: Payment Entry,Type of Payment,भुगतान का प्रकार
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,आधा दिन की तारीख अनिवार्य है
 DocType: Sales Order,Billing and Delivery Status,बिलिंग और डिलिवरी स्थिति
@@ -1106,7 +1122,7 @@
 DocType: Purchase Order Item,Billed Amt,बिल भेजा राशि
 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,Principal Amount,मुख्य राशि
+DocType: Repayment Schedule,Principal Amount,मुख्य राशि
 DocType: Loan Application,Total Payable Interest,कुल देय ब्याज
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},कुल उत्कृष्ट: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,संपर्क खोलें
@@ -1120,6 +1136,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,अद्यतन प्रक्रिया के दौरान एक त्रुटि हुई
 DocType: Restaurant Reservation,Restaurant Reservation,रेस्तरां आरक्षण
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,आपके आइटम
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,आपूर्तिकर्ता&gt; आपूर्तिकर्ता प्रकार
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,प्रस्ताव लेखन
 DocType: Payment Entry Deduction,Payment Entry Deduction,भुगतान एंट्री कटौती
 DocType: Service Level Priority,Service Level Priority,सेवा स्तर की प्राथमिकता
@@ -1152,6 +1169,7 @@
 DocType: Batch,Batch Description,बैच विवरण
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,छात्र समूह बनाना
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","भुगतान गेटवे खाता नहीं बनाया है, एक मैन्युअल का सृजन करें।"
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},समूह वेयरहाउस का उपयोग लेनदेन में नहीं किया जा सकता है। कृपया {0} का मान बदलें
 DocType: Supplier Scorecard,Per Year,प्रति वर्ष
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,डीओबी के अनुसार इस कार्यक्रम में प्रवेश के लिए पात्र नहीं हैं
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,पंक्ति # {0}: आइटम को नष्ट नहीं कर सकता {1} जो ग्राहक के खरीद ऑर्डर को सौंपा गया है।
@@ -1274,7 +1292,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","चाइल्ड कंपनी {0} के लिए खाता बनाते समय, पैरेंट अकाउंट {1} नहीं मिला। कृपया संबंधित COA में मूल खाता बनाएँ"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,स्प्लिट इश्यू
 DocType: Student Attendance,Student Attendance,छात्र उपस्थिति
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,निर्यात करने के लिए कोई डेटा नहीं
 DocType: Sales Invoice Timesheet,Time Sheet,समय पत्र
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush आधारित कच्चे माल पर
 DocType: Sales Invoice,Port Code,पोर्ट कोड
@@ -1287,6 +1304,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,वास्तविक डिलीवरी की तारीख
 DocType: Lab Test,Test Template,टेस्ट टेम्प्लेट
+DocType: Loan Security Pledge,Securities,प्रतिभूति
 DocType: Restaurant Order Entry Item,Served,सेवित
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,अध्याय जानकारी
 DocType: Account,Accounts,लेखा
@@ -1380,6 +1398,7 @@
 DocType: Inpatient Record,O Negative,हे नकारात्मक
 DocType: Work Order Operation,Planned End Time,नियोजित समाप्ति समय
 DocType: POS Profile,Only show Items from these Item Groups,केवल इन आइटम समूहों से आइटम दिखाएं
+DocType: Loan,Is Secured Loan,सुरक्षित ऋण है
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,मौजूदा लेन - देन के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,सदस्यता प्रकार विवरण
 DocType: Delivery Note,Customer's Purchase Order No,ग्राहक की खरीद आदेश नहीं
@@ -1416,6 +1435,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,कृपया प्रविष्टियां प्राप्त करने के लिए कंपनी और पोस्टिंग तिथि का चयन करें
 DocType: Asset,Maintenance,रखरखाव
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,रोगी मुठभेड़ से प्राप्त करें
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM रूपांतरण कारक ({0} -&gt; {1}) आइटम के लिए नहीं मिला: {2}
 DocType: Subscriber,Subscriber,ग्राहक
 DocType: Item Attribute Value,Item Attribute Value,आइटम विशेषता मान
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ख़रीदना या बेचना के लिए मुद्रा विनिमय लागू होना चाहिए।
@@ -1514,6 +1534,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,अनुमति नहीं है
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,अनुबंध पूर्ति चेकलिस्ट
 DocType: Vital Signs,Heart Rate / Pulse,हार्ट रेट / पल्स
+DocType: Customer,Default Company Bank Account,डिफ़ॉल्ट कंपनी बैंक खाता
 DocType: Supplier,Default Bank Account,डिफ़ॉल्ट बैंक खाता
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","पार्टी के आधार पर फिल्टर करने के लिए, का चयन पार्टी पहले प्रकार"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},आइटम के माध्यम से वितरित नहीं कर रहे हैं क्योंकि &#39;अपडेट स्टॉक&#39; की जाँच नहीं की जा सकती {0}
@@ -1631,7 +1652,6 @@
 DocType: Sales Team,Incentives,प्रोत्साहन
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,सिंक से बाहर का मूल्य
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,अंतर मूल्य
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें
 DocType: SMS Log,Requested Numbers,अनुरोधित नंबर
 DocType: Volunteer,Evening,शाम
 DocType: Quiz,Quiz Configuration,प्रश्नोत्तरी विन्यास
@@ -1651,6 +1671,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,पिछली पंक्ति कुल पर
 DocType: Purchase Invoice Item,Rejected Qty,अस्वीकृत मात्रा
 DocType: Setup Progress Action,Action Field,एक्शन फील्ड
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,ब्याज और जुर्माना दरों के लिए ऋण प्रकार
 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,डिलिवरी स्टॉप
@@ -1662,6 +1683,7 @@
 ,Final Assessment Grades,अंतिम आकलन ग्रेड
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"आप इस प्रणाली स्थापित कर रहे हैं , जिसके लिए आपकी कंपनी का नाम ."
 DocType: HR Settings,Include holidays in Total no. of Working Days,कुल संख्या में छुट्टियों को शामिल करें. कार्य दिवस की
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,कुल का%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ईआरपी नेक्स्ट में अपना संस्थान सेटअप करें
 DocType: Agriculture Analysis Criteria,Plant Analysis,संयंत्र विश्लेषण
 DocType: Task,Timeline,समय
@@ -1669,9 +1691,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,वैकल्पिक आइटम
 DocType: Shopify Log,Request Data,अनुरोध डेटा
 DocType: Employee,Date of Joining,शामिल होने की तिथि
+DocType: Delivery Note,Inter Company Reference,इंटर कंपनी संदर्भ
 DocType: Naming Series,Update Series,अद्यतन श्रृंखला
 DocType: Supplier Quotation,Is Subcontracted,क्या subcontracted
 DocType: Restaurant Table,Minimum Seating,न्यूनतम बैठने
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,प्रश्न डुप्लिकेट नहीं हो सकता
 DocType: Item Attribute,Item Attribute Values,आइटम विशेषता मान
 DocType: Examination Result,Examination Result,परीक्षा परिणाम
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,रसीद खरीद
@@ -1773,6 +1797,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,सिंक ऑफलाइन चालान
 DocType: Payment Request,Paid,भुगतान किया
 DocType: Service Level,Default Priority,डिफ़ॉल्ट प्राथमिकता
+DocType: Pledge,Pledge,प्रतिज्ञा
 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; तालिका को पुनर्जन्म करेगा। यह सभी बीओएम में नवीनतम कीमत भी अपडेट करता है।"
@@ -1786,6 +1811,7 @@
 DocType: Guardian,Guardian Name,अभिभावक का नाम
 DocType: Cheque Print Template,Has Print Format,प्रिंट स्वरूप है
 DocType: Support Settings,Get Started Sections,अनुभाग शुरू करें
+,Loan Repayment and Closure,ऋण चुकौती और समापन
 DocType: Lead,CRM-LEAD-.YYYY.-,सीआरएम-लीड-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,स्वीकृत
 ,Base Amount,मूल
@@ -1796,10 +1822,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,जगह से
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},ऋण राशि {0} से अधिक नहीं हो सकती
 DocType: Student Admission,Publish on website,वेबसाइट पर प्रकाशित करें
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,आपूर्तिकर्ता चालान दिनांक पोस्ट दिनांक से बड़ा नहीं हो सकता है
 DocType: Installation Note,MAT-INS-.YYYY.-,मेट-आईएनएस-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,आइटम कोड&gt; आइटम समूह&gt; ब्रांड
 DocType: Subscription,Cancelation Date,रद्द करने की तारीख
 DocType: Purchase Invoice Item,Purchase Order Item,खरीद आदेश आइटम
 DocType: Agriculture Task,Agriculture Task,कृषि कार्य
@@ -1818,7 +1844,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,अतिरिक्त छूट प्रतिशत
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,सभी की मदद वीडियो की एक सूची देखें
 DocType: Agriculture Analysis Criteria,Soil Texture,मृदा संरचना
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,बैंक के खाते में जहां चेक जमा किया गया था सिर का चयन करें.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,उपयोगकर्ता लेनदेन में मूल्य सूची दर को संपादित करने की अनुमति दें
 DocType: Pricing Rule,Max Qty,अधिकतम मात्रा
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,प्रिंट रिपोर्ट कार्ड
@@ -1950,7 +1975,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","एक बार सेट हो जाने पर, यह चालान सेट तिथि तक होल्ड पर होगा"
 DocType: Cashier Closing,POS-CLO-,पीओएस CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,बेच राशि
-DocType: Repayment Schedule,Interest Amount,ब्याज राशि
+DocType: Loan Interest Accrual,Interest Amount,ब्याज राशि
 DocType: Job Card,Time Logs,टाइम लॉग्स
 DocType: Sales Invoice,Loyalty Amount,वफादारी राशि
 DocType: Employee Transfer,Employee Transfer Detail,कर्मचारी स्थानांतरण विवरण
@@ -1965,6 +1990,7 @@
 DocType: Cashier Closing,Returns,रिटर्न
 DocType: Job Card,WIP Warehouse,WIP वेयरहाउस
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},धारावाहिक नहीं {0} तक रखरखाव अनुबंध के तहत है {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},स्वीकृत राशि सीमा {0} {1} के लिए पार कर गई
 apps/erpnext/erpnext/config/hr.py,Recruitment,भरती
 DocType: Lead,Organization Name,संगठन का नाम
 DocType: Support Settings,Show Latest Forum Posts,नवीनतम फोरम पोस्ट दिखाएं
@@ -1991,7 +2017,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ऑर्डर आइटम ओवरड्यू खरीदें
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,पिन कोड
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},बिक्री आदेश {0} है {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ऋण में ब्याज आय खाता चुनें {0}
 DocType: Opportunity,Contact Info,संपर्क जानकारी
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,स्टॉक प्रविष्टियां बनाना
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,स्थिति के साथ कर्मचारी को बढ़ावा नहीं दे सकता है
@@ -2075,7 +2100,6 @@
 DocType: Salary Slip,Deductions,कटौती
 DocType: Setup Progress Action,Action Name,क्रिया का नाम
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,साल की शुरुआत
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ऋण बनाएँ
 DocType: Purchase Invoice,Start date of current invoice's period,वर्तमान चालान की अवधि के आरंभ तिथि
 DocType: Shift Type,Process Attendance After,प्रक्रिया उपस्थिति के बाद
 ,IRS 1099,आईआरएस 1099
@@ -2096,6 +2120,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,अपने डोमेन का चयन करें
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify प्रदायक
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,भुगतान चालान आइटम
+DocType: Repayment Schedule,Is Accrued,माना जाता है
 DocType: Payroll Entry,Employee Details,कर्मचारी विवरण
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML फ़ाइलें प्रसंस्करण
 DocType: Amazon MWS Settings,CN,सीएन
@@ -2127,6 +2152,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,वफादारी प्वाइंट प्रविष्टि
 DocType: Employee Checkin,Shift End,शिफ्ट एंड
 DocType: Stock Settings,Default Item Group,डिफ़ॉल्ट आइटम समूह
+DocType: Loan,Partially Disbursed,आंशिक रूप से वितरित
 DocType: Job Card Time Log,Time In Mins,मिनट में समय
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,अनुदान जानकारी
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,यह क्रिया आपके बैंक खातों के साथ ERPNext को एकीकृत करने वाली किसी भी बाहरी सेवा से इस खाते को हटा देगी। यह पूर्ववत नहीं किया जा सकता। आप विश्वस्त हैं ?
@@ -2142,6 +2168,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,एक ही मद कई बार दर्ज नहीं किया जा सकता है।
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","इसके अलावा खातों समूह के तहत बनाया जा सकता है, लेकिन प्रविष्टियों गैर समूहों के खिलाफ बनाया जा सकता है"
+DocType: Loan Repayment,Loan Closure,ऋण बंद करना
 DocType: Call Log,Lead,नेतृत्व
 DocType: Email Digest,Payables,देय
 DocType: Amazon MWS Settings,MWS Auth Token,एमडब्ल्यूएस ऑथ टोकन
@@ -2174,6 +2201,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ई-वे बिल JSON केवल एक प्रस्तुत दस्तावेज़ से उत्पन्न किया जा सकता है
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,कर्मचारी कर और लाभ
 DocType: Bank Guarantee,Validity in Days,दिन में वैधता
+DocType: Unpledge,Haircut,बाल काटना
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},सी-फार्म के चालान के लिए लागू नहीं है: {0}
 DocType: Certified Consultant,Name of Consultant,परामर्शदाता का नाम
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled भुगतान विवरण
@@ -2226,7 +2254,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,शेष विश्व
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,आइटम {0} बैच नहीं हो सकता
 DocType: Crop,Yield UOM,यील्ड यूओएम
+DocType: Loan Security Pledge,Partially Pledged,आंशिक रूप से प्रतिज्ञा की गई
 ,Budget Variance Report,बजट विचरण रिपोर्ट
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,स्वीकृत ऋण राशि
 DocType: Salary Slip,Gross Pay,सकल वेतन
 DocType: Item,Is Item from Hub,हब से मद है
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,हेल्थकेयर सेवाओं से आइटम प्राप्त करें
@@ -2261,6 +2291,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,नई गुणवत्ता प्रक्रिया
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},{0} हमेशा होना चाहिए खाता के लिए शेष {1}
 DocType: Patient Appointment,More Info,अधिक जानकारी
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,"जन्म तिथि, जॉइनिंग डेट से अधिक नहीं हो सकती।"
 DocType: Supplier Scorecard,Scorecard Actions,स्कोरकार्ड क्रियाएँ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},प्रदायक {0} {1} में नहीं मिला
 DocType: Purchase Invoice,Rejected Warehouse,अस्वीकृत वेअरहाउस
@@ -2357,6 +2388,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,कृपया आइटम कोड पहले सेट करें
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,डॉक्टर के प्रकार
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},ऋण सुरक्षा प्रतिज्ञा बनाई गई: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,नियुक्तियों और रोगी Encounters
@@ -2412,6 +2444,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,समवर्ती नियुक्ति की संख्या
 apps/erpnext/erpnext/config/desktop.py,Getting Started,शुरू करना
 DocType: Purchase Invoice,Taxes and Charges Calculation,कर और शुल्क गणना
+DocType: Loan Interest Accrual,Payable Principal Amount,देय मूलधन राशि
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,पुस्तक परिसंपत्ति मूल्यह्रास प्रविष्टि स्वचालित रूप से
 DocType: BOM Operation,Workstation,वर्कस्टेशन
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,कोटेशन प्रदायक के लिए अनुरोध
@@ -2448,7 +2481,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,भोजन
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,बूढ़े रेंज 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,पीओएस समापन वाउचर विवरण
-DocType: Bank Account,Is the Default Account,डिफ़ॉल्ट खाता है
 DocType: Shopify Log,Shopify Log,शॉपिफा लॉग करें
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,कोई संचार नहीं मिला।
 DocType: Inpatient Occupancy,Check In,चेक इन
@@ -2506,12 +2538,14 @@
 DocType: Sales Order Item,Planned Quantity,नियोजित मात्रा
 DocType: Water Analysis,Water Analysis Criteria,जल विश्लेषण मानदंड
 DocType: Item,Maintain Stock,स्टॉक बनाए रखें
+DocType: Loan Security Unpledge,Unpledge Time,अनप्लग टाइम
 DocType: Terms and Conditions,Applicable Modules,लागू मॉड्यूल
 DocType: Employee,Prefered Email,पसंद ईमेल
 DocType: Student Admission,Eligibility and Details,पात्रता और विवरण
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,सकल लाभ में शामिल
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,निश्चित परिसंपत्ति में शुद्ध परिवर्तन
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd मात्रा
+DocType: Work Order,This is a location where final product stored.,यह एक ऐसा स्थान है जहां अंतिम उत्पाद संग्रहीत किया जाता है।
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार पंक्ति {0} में 'वास्तविक ' का प्रभार आइटम रेट में शामिल नहीं किया जा सकता
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},मैक्स: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime से
@@ -2552,8 +2586,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,वारंटी / एएमसी स्थिति
 ,Accounts Browser,लेखा ब्राउज़र
 DocType: Procedure Prescription,Referral,रेफरल
+,Territory-wise Sales,क्षेत्रवार बिक्री
 DocType: Payment Entry Reference,Payment Entry Reference,भुगतान एंट्री संदर्भ
 DocType: GL Entry,GL Entry,जीएल एंट्री
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,पंक्ति # {0}: स्वीकृत वेयरहाउस और आपूर्तिकर्ता वेयरहाउस समान नहीं हो सकते
 DocType: Support Search Source,Response Options,प्रतिक्रिया विकल्प
 DocType: Pricing Rule,Apply Multiple Pricing Rules,कई मूल्य निर्धारण नियम लागू करें
 DocType: HR Settings,Employee Settings,कर्मचारी सेटिंग्स
@@ -2614,6 +2650,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,{0} पंक्ति में भुगतान अवधि संभवतः एक डुप्लिकेट है
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),कृषि (बीटा)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,पर्ची पैकिंग
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,कृपया सेटिंग&gt; सेटिंग&gt; नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,कार्यालय का किराया
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,सेटअप एसएमएस के प्रवेश द्वार सेटिंग्स
 DocType: Disease,Common Name,साधारण नाम
@@ -2630,6 +2667,7 @@
 DocType: Item,Sales Details,बिक्री विवरण
 DocType: Coupon Code,Used,उपयोग किया गया
 DocType: Opportunity,With Items,आइटम के साथ
+DocType: Vehicle Log,last Odometer Value ,अंतिम ओडोमीटर मान
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',अभियान &#39;{0}&#39; पहले से ही {1} &#39;{2}&#39; के लिए मौजूद है
 DocType: Asset Maintenance,Maintenance Team,रखरखाव टीम
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","आदेश जिसमें अनुभाग दिखाई देने चाहिए। 0 पहले, 1 दूसरे और इतने पर है।"
@@ -2640,7 +2678,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,व्यय दावा {0} पहले से ही मौजूद है के लिए वाहन लॉग
 DocType: Asset Movement Item,Source Location,स्रोत स्थान
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,संस्थान का नाम
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,भुगतान राशि दर्ज करें
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,भुगतान राशि दर्ज करें
 DocType: Shift Type,Working Hours Threshold for Absent,अनुपस्थित के लिए कार्य के घंटे
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,कुल व्यय के आधार पर कई टायर संग्रह कारक हो सकते हैं। लेकिन मोचन के लिए रूपांतरण कारक हमेशा सभी स्तरों के लिए समान होगा।
 apps/erpnext/erpnext/config/help.py,Item Variants,आइटम वेरिएंट
@@ -2664,6 +2702,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},यह {0} {1} के साथ संघर्ष के लिए {2} {3}
 DocType: Student Attendance Tool,Students HTML,छात्र HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} से कम होना चाहिए {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,कृपया पहले आवेदक प्रकार का चयन करें
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty और For वेयरहाउस का चयन करें"
 DocType: GST HSN Code,GST HSN Code,जीएसटी एचएसएन कोड
 DocType: Employee External Work History,Total Experience,कुल अनुभव
@@ -2754,7 +2793,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",आइटम {0} के लिए कोई सक्रिय बीओएम नहीं मिला। \ Serial No द्वारा डिलीवरी सुनिश्चित नहीं किया जा सकता है
 DocType: Sales Partner,Sales Partner Target,बिक्री साथी लक्ष्य
-DocType: Loan Type,Maximum Loan Amount,अधिकतम ऋण राशि
+DocType: Loan Application,Maximum Loan Amount,अधिकतम ऋण राशि
 DocType: Coupon Code,Pricing Rule,मूल्य निर्धारण नियम
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},छात्र के लिए डुप्लिकेट रोल नंबर {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,क्रय आदेश के लिए सामग्री का अनुरोध
@@ -2777,6 +2816,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},पत्तियों के लिए सफलतापूर्वक आवंटित {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,पैक करने के लिए कोई आइटम नहीं
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,वर्तमान में केवल .csv और .xlsx फाइलें ही समर्थित हैं
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,कृपया मानव संसाधन&gt; HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें
 DocType: Shipping Rule Condition,From Value,मूल्य से
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,विनिर्माण मात्रा अनिवार्य है
 DocType: Loan,Repayment Method,चुकौती विधि
@@ -2860,6 +2900,7 @@
 DocType: Customer,Customer POS Id,ग्राहक पीओएस आईडी
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,ईमेल {0} वाला छात्र मौजूद नहीं है
 DocType: Account,Account Name,खाते का नाम
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},स्वीकृत ऋण राशि पहले से ही कंपनी के खिलाफ {0} के लिए मौजूद है {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,तिथि से आज तक से बड़ा नहीं हो सकता
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,धारावाहिक नहीं {0} मात्रा {1} एक अंश नहीं हो सकता
 DocType: Pricing Rule,Apply Discount on Rate,दर पर छूट लागू करें
@@ -2931,6 +2972,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,शुद्ध लाभ
 DocType: Purchase Invoice,Eligibility For ITC,आईटीसी के लिए पात्रता
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-एपीपी-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,प्रविष्टि प्रकार
 ,Customer Credit Balance,ग्राहक क्रेडिट बैलेंस
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,देय खातों में शुद्ध परिवर्तन
@@ -2942,6 +2984,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),उपस्थिति डिवाइस आईडी (बॉयोमीट्रिक / आरएफ टैग आईडी)
 DocType: Quotation,Term Details,अवधि विवरण
 DocType: Item,Over Delivery/Receipt Allowance (%),डिलीवरी / रसीद भत्ता (%)
+DocType: Appointment Letter,Appointment Letter Template,नियुक्ति पत्र टेम्पलेट
 DocType: Employee Incentive,Employee Incentive,कर्मचारी प्रोत्साहन
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} इस छात्र समूह के लिए छात्रों की तुलना में अधिक नामांकन नहीं कर सकता।
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),कुल (कर के बिना)
@@ -2964,6 +3007,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",सीरियल नंबर द्वारा डिलीवरी सुनिश्चित नहीं कर सकता क्योंकि \ Item {0} को \ Serial No. द्वारा डिलीवरी सुनिश्चित किए बिना और बिना जोड़ा गया है।
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,चालान को रद्द करने पर भुगतान अनलिंक
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,प्रक्रिया ऋण ब्याज क्रमिक
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},वर्तमान ओडोमीटर रीडिंग दर्ज की गई प्रारंभिक वाहन ओडोमीटर से अधिक होना चाहिए {0}
 ,Purchase Order Items To Be Received or Billed,खरीद ऑर्डर प्राप्त या बिल किया जाना है
 DocType: Restaurant Reservation,No Show,कोई शो नहीं
@@ -3049,6 +3093,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: लागत केंद्र &#39;लाभ और हानि के खाते के लिए आवश्यक है {2}। कृपया कंपनी के लिए एक डिफ़ॉल्ट लागत केंद्र की स्थापना की।
 DocType: Payment Schedule,Payment Term,भुगतान अवधी
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"ग्राहक समूह समान नाम के साथ पहले से मौजूद है, कृपया ग्राहक का नाम बदले या ग्राहक समूह का नाम बदले"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,प्रवेश प्रारंभ तिथि प्रवेश प्रारंभ तिथि से अधिक होनी चाहिए।
 DocType: Location,Area,क्षेत्र
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,नया संपर्क
 DocType: Company,Company Description,कंपनी विवरण
@@ -3123,6 +3168,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,मैप किए गए डेटा
 DocType: Purchase Order Item,Warehouse and Reference,गोदाम और संदर्भ
 DocType: Payroll Period Date,Payroll Period Date,पेरोल अवधि की तारीख
+DocType: Loan Disbursement,Against Loan,लोन के खिलाफ
 DocType: Supplier,Statutory info and other general information about your Supplier,वैधानिक अपने सप्लायर के बारे में जानकारी और अन्य सामान्य जानकारी
 DocType: Item,Serial Nos and Batches,सीरियल नंबर और बैचों
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,छात्र समूह की ताकत
@@ -3189,6 +3235,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,एक कंपनी का चयन करें
 DocType: Delivery Settings,Delivery Settings,वितरण सेटिंग्स
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,डेटा प्राप्त करें
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},{0} से अधिक अनपेक्षित नहीं कर सकता {0} की मात्रा
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},छुट्टी प्रकार {0} में अधिकतम छुट्टी की अनुमति है {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 आइटम प्रकाशित करें
 DocType: SMS Center,Create Receiver List,रिसीवर सूची बनाएँ
@@ -3337,6 +3384,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),आधार राशि (कंपनी मुद्रा)
 DocType: Purchase Invoice,Registered Regular,पंजीकृत नियमित
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,कच्चा माल
+DocType: Plaid Settings,sandbox,सैंडबॉक्स
 DocType: Payment Reconciliation Payment,Reference Row,संदर्भ पंक्ति
 DocType: Installation Note,Installation Time,अधिष्ठापन काल
 DocType: Sales Invoice,Accounting Details,लेखा विवरण
@@ -3349,12 +3397,11 @@
 DocType: Leave Ledger Entry,Transaction Type,सौदे का प्रकार
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,स्वीकृति मापदंड
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,उपरोक्त तालिका में सामग्री अनुरोध दर्ज करें
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,कुल देय राशि
 DocType: Task,Expected Time (in hours),(घंटे में) संभावित समय
 DocType: Item Reorder,Check in (group),जांच में (समूह)
 DocType: Soil Texture,Silt,गाद
@@ -3385,6 +3432,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,असम्बद्ध कर छूट प्रमाण के लिए कटौती कर
 DocType: Volunteer,Anytime,किसी भी समय
 DocType: Bank Account,Bank Account No,बैंक खाता नम्बर
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,संवितरण और चुकौती
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,कर्मचारी कर छूट सबूत सबमिशन
 DocType: Patient,Surgical History,सर्जिकल इतिहास
 DocType: Bank Statement Settings Item,Mapped Header,मैप किया गया हैडर
@@ -3446,6 +3494,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,बिक्री चालान जमा पर लैब टेस्ट बनाएं
 DocType: Serial No,Invoice Details,चालान विवरण
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,कर मुक्ति घोषणा प्रस्तुत करने से पहले वेतन संरचना प्रस्तुत की जानी चाहिए
+DocType: Loan Application,Proposed Pledges,प्रस्तावित प्रतिज्ञाएँ
 DocType: Grant Application,Show on Website,वेबसाइट पर दिखाएं
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,शुरुआत करना
 DocType: Hub Tracked Item,Hub Category,हब श्रेणी
@@ -3457,7 +3506,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,आपूर्तिकर्ता स्कोरकार्ड स्थायी
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},पंक्ति {0}: सामग्री का बिल मद के लिए नहीं मिला {1}
 DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,कृपया मानव संसाधन&gt; HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें
 DocType: Journal Entry,Accounts Receivable,लेखा प्राप्य
 DocType: Quality Goal,Objectives,उद्देश्य
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,रोल बैकडेटेड लीव एप्लीकेशन बनाने की अनुमति है
@@ -3470,6 +3518,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,मेल मिलाप प्रविष्टियां शामिल करें
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,कुल आवंटित राशि ({0}) भुगतान की गई राशि ({1}) से अधिक है।
 DocType: Landed Cost Voucher,Distribute Charges Based On,बांटो आरोपों पर आधारित
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},अदा राशि {0} से कम नहीं हो सकती
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,मानव संसाधन सेटिंग्स
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,लेखांकन मास्टर्स
@@ -3615,6 +3664,7 @@
 DocType: Employee,Health Insurance,स्वास्थ्य बीमा
 DocType: Asset Repair,Manufacturing Manager,विनिर्माण प्रबंधक
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},धारावाहिक नहीं {0} तक वारंटी के अंतर्गत है {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,प्रस्तावित प्रतिभूतियों के अनुसार ऋण राशि {0} की अधिकतम ऋण राशि से अधिक है
 DocType: Plant Analysis Criteria,Minimum Permissible Value,न्यूनतम स्वीकार्य मान
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,उपयोगकर्ता {0} पहले से मौजूद है
 apps/erpnext/erpnext/hooks.py,Shipments,लदान
@@ -3658,7 +3708,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,व्यापार का प्रकार
 DocType: Sales Invoice,Consumer,उपभोक्ता
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","कम से कम एक पंक्ति में आवंटित राशि, प्रकार का चालान और चालान नंबर का चयन करें"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,कृपया सेटिंग&gt; सेटिंग&gt; नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,नई खरीद की लागत
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},आइटम के लिए आवश्यक बिक्री आदेश {0}
 DocType: Grant Application,Grant Description,अनुदान विवरण
@@ -3667,6 +3716,7 @@
 DocType: Subscription,Discounts,छूट
 DocType: Bank Transaction,Unallocated Amount,unallocated राशि
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,कृपया खरीद आदेश पर लागू सक्षम करें और वास्तविक व्यय बुकिंग पर लागू करें
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} कंपनी का बैंक खाता नहीं है
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,एक मेल आइटम नहीं मिल सकता। के लिए {0} कुछ अन्य मूल्य का चयन करें।
 DocType: POS Profile,Taxes and Charges,करों और प्रभार
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","एक उत्पाद या, खरीदा या बेचा स्टॉक में रखा जाता है कि एक सेवा।"
@@ -3715,6 +3765,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,तिथि से वैध तिथि तक वैध से कम होना चाहिए।
 DocType: Employee Skill,Evaluation Date,मूल्यांकन की तारीख
 DocType: Quotation Item,Stock Balance,बाकी स्टाक
+DocType: Loan Security Pledge,Total Security Value,कुल सुरक्षा मूल्य
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,भुगतान करने के लिए बिक्री आदेश
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,सी ई ओ
 DocType: Purchase Invoice,With Payment of Tax,कर के भुगतान के साथ
@@ -3727,6 +3778,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,सही खाते का चयन करें
 DocType: Salary Structure Assignment,Salary Structure Assignment,वेतन संरचना असाइनमेंट
 DocType: Purchase Invoice Item,Weight UOM,वजन UOM
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},खाता {0} डैशबोर्ड चार्ट में मौजूद नहीं है {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,फोलिओ नंबर वाले उपलब्ध शेयरधारकों की सूची
 DocType: Salary Structure Employee,Salary Structure Employee,वेतन ढांचे कर्मचारी
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,विविध गुण दिखाएं
@@ -3808,6 +3860,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,वर्तमान मूल्यांकन दर
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,रूट खातों की संख्या 4 से कम नहीं हो सकती है
 DocType: Training Event,Advance,अग्रिम
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,ऋण के विरुद्ध:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Gocardless भुगतान गेटवे सेटिंग्स
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,मुद्रा लाभ / हानि
 DocType: Opportunity,Lost Reason,खोया कारण
@@ -3891,8 +3944,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,बैच नंबर का चयन करें
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},अवैध {0}: {1}
 ,GSTR-1,GSTR -1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,रो {0}: जन्म की तारीख आज से अधिक नहीं हो सकती।
 DocType: Fee Validity,Reference Inv,संदर्भ INV
 DocType: Sales Invoice Advance,Advance Amount,अग्रिम राशि
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,पेनल्टी ब्याज दर (%) प्रति दिन
 DocType: Manufacturing Settings,Capacity Planning,क्षमता की योजना
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,गोलाई समायोजन (कंपनी मुद्रा
 DocType: Asset,Policy number,पॉलिसी क्रमांक
@@ -3908,7 +3963,9 @@
 DocType: Normal Test Items,Require Result Value,परिणाम मान की आवश्यकता है
 DocType: Purchase Invoice,Pricing Rules,मूल्य निर्धारण नियम
 DocType: Item,Show a slideshow at the top of the page,पृष्ठ के शीर्ष पर एक स्लाइड शो दिखाएँ
+DocType: Appointment Letter,Body,तन
 DocType: Tax Withholding Rate,Tax Withholding Rate,कर रोकथाम दर
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,सावधि ऋण के लिए चुकौती प्रारंभ तिथि अनिवार्य है
 DocType: Pricing Rule,Max Amt,मैक्स एमटी
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,भंडार
@@ -3928,7 +3985,7 @@
 DocType: Call Log,Received By,द्वारा प्राप्त
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),नियुक्ति अवधि (मिनट में)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,कैश फ्लो मानचित्रण खाका विवरण
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,ऋण प्रबंधन
+DocType: Loan,Loan Management,ऋण प्रबंधन
 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,Update Cost,अद्यतन लागत
@@ -3936,6 +3993,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-फार्म
 DocType: Sales Invoice,Mode of Transport,परिवहन के साधन
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,वेतन पर्ची दिखाएँ
+DocType: Loan,Is Term Loan,टर्म लोन है
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,हस्तांतरण सामग्री
 DocType: Fees,Send Payment Request,भुगतान अनुरोध भेजें
 DocType: Travel Request,Any other details,कोई अन्य विवरण
@@ -3953,6 +4011,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,फाइनेंसिंग से कैश फ्लो
 DocType: Budget Account,Budget Account,बजट खाता
 DocType: Quality Inspection,Verified By,द्वारा सत्यापित
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,ऋण सुरक्षा जोड़ें
 DocType: Travel Request,Name of Organizer,आयोजक का नाम
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,आयकर दायित्व है
@@ -4003,6 +4062,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,आवश्यक पर
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","यदि जाँच की जाए, तो छिपी हुई है और वेतन पर्ची में गोल क्षेत्र को निष्क्रिय करता है"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,यह बिक्री आदेशों में डिलीवरी की तारीख के लिए डिफ़ॉल्ट ऑफसेट (दिन) है। ऑर्डर प्लेसमेंट की तारीख से 7 दिन की गिरावट है।
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें
 DocType: Rename Tool,File to Rename,नाम बदलने के लिए फ़ाइल
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},पंक्ति में आइटम के लिए बीओएम चयन करें {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,सदस्यता अपडेट प्राप्त करें
@@ -4015,6 +4075,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,सीरियल नंबर बनाया
 DocType: POS Profile,Applicable for Users,उपयोगकर्ताओं के लिए लागू
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,पुर-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,दिनांक और दिनांक से अनिवार्य हैं
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,प्रोजेक्ट और सभी कार्य {0} को सेट करें?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),अग्रिम और आवंटन सेट करें (एफआईएफओ)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,कोई कार्य आदेश नहीं बनाया गया
@@ -4024,6 +4085,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,द्वारा आइटम
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,खरीदी गई वस्तुओं की लागत
 DocType: Employee Separation,Employee Separation Template,कर्मचारी पृथक्करण टेम्पलेट
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},{0} की शून्य मात्रा ऋण के खिलाफ गिरवी {0}
 DocType: Selling Settings,Sales Order Required,बिक्री आदेश आवश्यक
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,एक विक्रेता बनें
 ,Procurement Tracker,खरीद ट्रैकर
@@ -4121,11 +4183,12 @@
 ,Minutes to First Response for Opportunity,अवसर के लिए पहली प्रतिक्रिया मिनट
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,कुल अनुपस्थित
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,पंक्ति के लिए आइटम या वेयरहाउस {0} सामग्री अनुरोध मेल नहीं खाता
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,भुगतान योग्य राशि
+DocType: Loan Repayment,Payable Amount,भुगतान योग्य राशि
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,अवसर
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,अधिकतम शक्ति शून्य से कम नहीं हो सकती।
 DocType: Options,Option,विकल्प
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},आप बंद लेखांकन अवधि {0} में लेखांकन प्रविष्टियाँ नहीं बना सकते हैं
 DocType: Operation,Default Workstation,मूलभूत वर्कस्टेशन
@@ -4167,6 +4230,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,ब्याज राशि अनिवार्य है
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,बिना वेतन छुट्टी को मंजूरी दे दी लीव आवेदन रिकॉर्ड के साथ मेल नहीं खाता
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,अगला कदम
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,बची हुई वस्तुएँ
@@ -4237,8 +4301,6 @@
 DocType: Grant Application,Grant Application Details ,अनुदान आवेदन विवरण
 DocType: Employee Separation,Employee Separation,कर्मचारी पृथक्करण
 DocType: BOM Item,Original Item,मूल आइटम
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ _ हटाएं"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,डॉक्टर तिथि
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},शुल्क रिकॉर्ड बनाया - {0}
 DocType: Asset Category Account,Asset Category Account,परिसंपत्ति वर्ग अकाउंट
@@ -4274,6 +4336,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,लैब टेस्ट आइटम {0} पहले से मौजूद है
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} कंपनी की छुट्टी है
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,जमानती घंटे
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,विलंबित पुनर्भुगतान के मामले में दैनिक आधार पर लंबित ब्याज राशि पर जुर्माना ब्याज दर लगाया जाता है
+DocType: Appointment Letter content,Appointment Letter content,नियुक्ति पत्र सामग्री
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,स्टेटस अधिसूचना छोड़ दें
 DocType: Patient Appointment,Procedure Prescription,प्रक्रिया पर्चे
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures और फिक्सर
@@ -4293,7 +4357,7 @@
 DocType: Opportunity,Customer / Lead Name,ग्राहक / लीड नाम
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,क्लीयरेंस तिथि का उल्लेख नहीं
 DocType: Payroll Period,Taxable Salary Slabs,कर योग्य वेतन स्लैब
-DocType: Job Card,Production,उत्पादन
+DocType: Plaid Settings,Production,उत्पादन
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,अमान्य GSTIN! आपके द्वारा दर्ज किया गया इनपुट GSTIN के प्रारूप से मेल नहीं खाता है।
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,खाता मूल्य
 DocType: Guardian,Occupation,बायो
@@ -4437,6 +4501,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,वफादारी कार्यक्रम संग्रह
 DocType: Stock Entry Detail,Subcontracted Item,उपखंडित आइटम
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},छात्र {0} समूह से संबंधित नहीं है {1}
+DocType: Appointment Letter,Appointment Date,मिलने की तारीख
 DocType: Budget,Cost Center,लागत केंद्र
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,वाउचर #
 DocType: Tax Rule,Shipping Country,शिपिंग देश
@@ -4507,6 +4572,7 @@
 DocType: Accounting Dimension,Accounting Dimension,लेखांकन आयाम
 ,Profit and Loss Statement,लाभ एवं हानि के विवरण
 DocType: Bank Reconciliation Detail,Cheque Number,चेक संख्या
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,भुगतान की गई राशि शून्य नहीं हो सकती
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} द्वारा संदर्भित आइटम पहले ही चालान किया गया है
 ,Sales Browser,बिक्री ब्राउज़र
 DocType: Journal Entry,Total Credit,कुल क्रेडिट
@@ -4623,6 +4689,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,कूपन स्थितियां जोड़ें / संपादित करें
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,व्यय / अंतर खाते ({0}) एक 'लाभ या हानि' खाता होना चाहिए
 DocType: Stock Entry Detail,Stock Entry Child,स्टॉक एंट्री चाइल्ड
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,ऋण सुरक्षा प्रतिज्ञा कंपनी और ऋण कंपनी समान होनी चाहिए
 DocType: Project,Copied From,से प्रतिलिपि बनाई गई
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,चालान पहले से ही सभी बिलिंग घंटों के लिए बनाए गए हैं
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},नाम में त्रुटि: {0}
@@ -4630,6 +4697,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,वित्त लागत है
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,कर्मचारी के लिए उपस्थिति {0} पहले से ही चिह्नित है
 DocType: Packing Slip,If more than one package of the same type (for print),यदि एक ही प्रकार के एक से अधिक पैकेज (प्रिंट के लिए)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षा&gt; शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,कृपया रेस्तरां सेटिंग में डिफ़ॉल्ट ग्राहक सेट करें
 ,Salary Register,वेतन रजिस्टर
 DocType: Company,Default warehouse for Sales Return,बिक्री रिटर्न के लिए डिफ़ॉल्ट गोदाम
@@ -4674,7 +4742,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,वर्तमान सीरियल नं
 DocType: Employee,Attendance and Leave Details,उपस्थिति और विवरण छोड़ें
 ,BOM Comparison Tool,बीओएम तुलना उपकरण
-,Requested,निवेदित
+DocType: Loan Security Pledge,Requested,निवेदित
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,कोई टिप्पणी
 DocType: Asset,In Maintenance,रखरखाव में
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,अमेज़ॅन MWS से अपने बिक्री आदेश डेटा खींचने के लिए इस बटन पर क्लिक करें।
@@ -4686,7 +4754,6 @@
 DocType: Drug Prescription,Drug Prescription,ड्रग प्रिस्क्रिप्शन
 DocType: Service Level,Support and Resolution,समर्थन और संकल्प
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,नि: शुल्क आइटम कोड का चयन नहीं किया गया है
-DocType: Loan,Repaid/Closed,चुकाया / बंद किया गया
 DocType: Amazon MWS Settings,CA,सीए
 DocType: Item,Total Projected Qty,कुल अनुमानित मात्रा
 DocType: Monthly Distribution,Distribution Name,वितरण नाम
@@ -4720,6 +4787,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,शेयर के लिए लेखा प्रविष्टि
 DocType: Lab Test,LabTest Approver,लैबैस्ट एपीओवर
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,आप मूल्यांकन मानदंड के लिए पहले से ही मूल्यांकन कर चुके हैं {}
+DocType: Loan Security Shortfall,Shortfall Amount,शॉर्टफॉल राशि
 DocType: Vehicle Service,Engine Oil,इंजन तेल
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},निर्मित कार्य आदेश: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},कृपया लीड {0} के लिए एक ईमेल आईडी सेट करें
@@ -4738,6 +4806,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},डैशबोर्ड चार्ट {0} के लिए खाता सेट नहीं किया गया है
 DocType: Purchase Invoice,Apply Additional Discount On,अतिरिक्त छूट पर लागू होते हैं
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,प्रकार चुनें...
+DocType: Loan Interest Accrual,Amounts,राशियाँ
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,आपके टिकट
 DocType: Account,Root Type,जड़ के प्रकार
 DocType: Item,FIFO,फीफो
@@ -4745,6 +4814,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},पंक्ति # {0}: अधिक से अधिक नहीं लौट सकते हैं {1} आइटम के लिए {2}
 DocType: Item Group,Show this slideshow at the top of the page,पृष्ठ के शीर्ष पर इस स्लाइड शो दिखाएँ
 DocType: BOM,Item UOM,आइटम UOM
+DocType: Loan Security Price,Loan Security Price,ऋण सुरक्षा मूल्य
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),सबसे कम राशि के बाद टैक्स राशि (कंपनी मुद्रा)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},लक्ष्य गोदाम पंक्ति के लिए अनिवार्य है {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,खुदरा व्यापार संचालन
@@ -4883,6 +4953,7 @@
 DocType: Coupon Code,Coupon Description,कूपन विवरण
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},पंक्ति {0} में बैच अनिवार्य है
 DocType: Company,Default Buying Terms,डिफ़ॉल्ट खरीदना शर्तें
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,ऋण भुगतान
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,खरीद रसीद आइटम की आपूर्ति
 DocType: Amazon MWS Settings,Enable Scheduled Synch,अनुसूचित सिंच सक्षम करें
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime करने के लिए
@@ -4911,6 +4982,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},मान betweeen {0} और {1} दर्ज करें
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,अभियान का नाम दर्ज़ अगर जांच के स्रोत अभियान
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,अखबार के प्रकाशक
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},{0} के लिए कोई वैध <b>ऋण सुरक्षा मूल्य नहीं</b> मिला
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,भविष्य की तारीखों की अनुमति नहीं है
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,अपेक्षित वितरण तिथि बिक्री आदेश तिथि के बाद होनी चाहिए
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,स्तर पुनः क्रमित करें
@@ -4977,6 +5049,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,प्रस्ताव / मूल्य उद्धरण
 DocType: Antibiotic,Healthcare,स्वास्थ्य देखभाल
 DocType: Target Detail,Target Detail,लक्ष्य विस्तार
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,ऋण प्रक्रियाएँ
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,सिंगल वेरिएंट
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,सारी नौकरियां
 DocType: Sales Order,% of materials billed against this Sales Order,% सामग्री को इस बिक्री आदेश के सहारे बिल किया गया है
@@ -5039,7 +5112,7 @@
 DocType: Item,Reorder level based on Warehouse,गोदाम के आधार पर पुन: व्यवस्थित स्तर
 DocType: Activity Cost,Billing Rate,बिलिंग दर
 ,Qty to Deliver,उद्धार करने के लिए मात्रा
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,संवितरण प्रविष्टि बनाएँ
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,संवितरण प्रविष्टि बनाएँ
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,अमेज़ॅन इस तिथि के बाद अपडेट किए गए डेटा को सिंक करेगा
 ,Stock Analytics,स्टॉक विश्लेषिकी
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,संचालन खाली नहीं छोड़ा जा सकता है
@@ -5073,6 +5146,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,बाहरी एकीकरण को अनलिंक करें
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,एक संगत भुगतान चुनें
 DocType: Pricing Rule,Item Code,आइटम कोड
+DocType: Loan Disbursement,Pending Amount For Disbursal,डिस्बर्सल के लिए लंबित राशि
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,वारंटी / एएमसी विवरण
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,गतिविधि आधारित समूह के लिए मैन्युअल रूप से छात्रों का चयन करें
@@ -5096,6 +5170,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,कुल मात्रा
 DocType: Landed Cost Item,Receipt Document,रसीद दस्तावेज़
 DocType: Employee Education,School/University,स्कूल / विश्वविद्यालय
+DocType: Loan Security Pledge,Loan  Details,ऋण का विवरण
 DocType: Sales Invoice Item,Available Qty at Warehouse,गोदाम में उपलब्ध मात्रा
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,बिल की राशि
 DocType: Share Transfer,(including),(समेत)
@@ -5119,6 +5194,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,समूह
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,खाता द्वारा समूह
 DocType: Purchase Invoice,Hold Invoice,चालान पकड़ो
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,प्रतिज्ञा की स्थिति
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,कृपया कर्मचारी का चयन करें
 DocType: Sales Order,Fully Delivered,पूरी तरह से वितरित
 DocType: Promotional Scheme Price Discount,Min Amount,न्यूनतम राशि
@@ -5128,7 +5204,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},वितरित राशि ऋण राशि से अधिक नहीं हो सकता है {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},पंक्ति {0} # आवंटित राशि {1} लावारिस राशि से अधिक नहीं हो सकती {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},क्रय आदेश संख्या मद के लिए आवश्यक {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,कैर्री अग्रेषित पत्तियां
@@ -5156,6 +5231,7 @@
 DocType: Pick List Item,Serial No and Batch,सीरियल नहीं और बैच
 DocType: Warranty Claim,From Company,कंपनी से
 DocType: GSTR 3B Report,January,जनवरी
+DocType: Loan Repayment,Principal Amount Paid,प्रिंसिपल अमाउंट पेड
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन मापदंड के अंकों के योग {0} की जरूरत है।
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Depreciations की संख्या बुक सेट करें
 DocType: Supplier Scorecard Period,Calculations,गणना
@@ -5181,6 +5257,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,आपकी कंपनी के बारे में
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,स्टॉक एजिंग डेटा दिखाएं
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,खाते में जमा एक बैलेंस शीट खाता होना चाहिए
+DocType: Loan Repayment,Penalty Amount,जुर्माना राशि
 DocType: Donor,Donor,दाता
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,आइटम के लिए अद्यतन कर
 DocType: Global Defaults,Disable In Words,शब्दों में अक्षम
@@ -5211,6 +5288,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,लागत केंद्र और बजट
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,प्रारम्भिक शेष इक्विटी
 DocType: Appointment,CRM,सीआरएम
+DocType: Loan Repayment,Partial Paid Entry,आंशिक भुगतान प्रविष्टि
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,कृपया भुगतान अनुसूची निर्धारित करें
 DocType: Pick List,Items under this warehouse will be suggested,इस गोदाम के अंतर्गत आने वाली वस्तुओं का सुझाव दिया जाएगा
 DocType: Purchase Invoice,N,एन
@@ -5244,7 +5322,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} आइटम के लिए नहीं मिला {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},मान {0} और {1} के बीच होना चाहिए
 DocType: Accounts Settings,Show Inclusive Tax In Print,प्रिंट में समावेशी कर दिखाएं
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","बैंक खाता, तिथि और तिथि से अनिवार्य हैं"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,भेजे गए संदेश
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,बच्चे नोड्स के साथ खाता बही के रूप में सेट नहीं किया जा सकता
 DocType: C-Form,II,द्वितीय
@@ -5258,6 +5335,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,ऑटो री-ऑर्डर सक्षम करें
 DocType: Stock Settings,Item Naming By,द्वारा नामकरण आइटम
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},अन्य समयावधि अंतिम लेखा {0} के बाद किया गया है {1}
+DocType: Proposed Pledge,Proposed Pledge,प्रस्तावित प्रतिज्ञा
 DocType: Work Order,Material Transferred for Manufacturing,सामग्री विनिर्माण के लिए स्थानांतरित
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,खाता {0} करता नहीं मौजूद है
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,वफादारी कार्यक्रम का चयन करें
@@ -5268,7 +5346,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","को घटना की सेटिंग {0}, क्योंकि कर्मचारी बिक्री व्यक्तियों के नीचे से जुड़ी एक यूजर आईडी नहीं है {1}"
 DocType: Timesheet,Billing Details,बिलिंग विवरण
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,स्रोत और लक्ष्य गोदाम अलग होना चाहिए
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,कृपया मानव संसाधन&gt; HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,भुगतान असफल हुआ। अधिक जानकारी के लिए कृपया अपने GoCardless खाते की जांच करें
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},से शेयर लेनदेन पुराने अद्यतन करने की अनुमति नहीं है {0}
 DocType: Stock Entry,Inspection Required,आवश्यक निरीक्षण
@@ -5281,6 +5358,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,कार्यक्रम
+DocType: Unpledge,Against Pledge,प्रतिज्ञा के विरुद्ध
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,इस भूमिका के साथ उपयोक्ता जमे हुए खातों के खिलाफ लेखांकन प्रविष्टियों को संशोधित / जमे हुए खातों सेट और बनाने के लिए अनुमति दी जाती है
 DocType: Plaid Settings,Plaid Environment,प्लेड एनवायरनमेंट
 ,Project Billing Summary,प्रोजेक्ट बिलिंग सारांश
@@ -5332,6 +5410,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,बैचों
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,दिनों की संख्या अग्रिम में बुक की जा सकती है
 DocType: Article,LMS User,एलएमएस उपयोगकर्ता
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,सुरक्षित ऋण के लिए ऋण सुरक्षा प्रतिज्ञा अनिवार्य है
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),आपूर्ति का स्थान (राज्य / केन्द्र शासित प्रदेश)
 DocType: Purchase Order Item Supplied,Stock UOM,स्टॉक UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,खरीद आदेश {0} प्रस्तुत नहीं किया गया है
@@ -5406,6 +5485,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,जॉब कार्ड बनाएं
 DocType: Quotation,Referral Sales Partner,रेफरल सेल्स पार्टनर
 DocType: Quality Procedure Process,Process Description,प्रक्रिया वर्णन
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","अनप्लग नहीं कर सकते, ऋण सुरक्षा मूल्य चुकौती राशि से अधिक है"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ग्राहक {0} बनाया गया है
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,वर्तमान में किसी भी गोदाम में कोई स्टॉक उपलब्ध नहीं है
 ,Payment Period Based On Invoice Date,चालान तिथि के आधार पर भुगतान की अवधि
@@ -5426,7 +5506,7 @@
 DocType: Asset,Insurance Details,बीमा विवरण
 DocType: Account,Payable,देय
 DocType: Share Balance,Share Type,शेयर प्रकार
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,चुकौती अवधि दर्ज करें
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,चुकौती अवधि दर्ज करें
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),देनदार ({0})
 DocType: Pricing Rule,Margin,हाशिया
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,नए ग्राहकों
@@ -5435,6 +5515,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,लीड स्रोत द्वारा अवसर
 DocType: Appraisal Goal,Weightage (%),वेटेज (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,पीओएस प्रोफ़ाइल बदलें
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,ऋण सुरक्षा के लिए मात्रा या राशि अनिवार्य है
 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,Assessment Report,आकलन रिपोर्ट
@@ -5470,6 +5551,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,लेजर शेयर करें
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,बिक्री चालान {0} बनाया गया
 DocType: Employee,Confirmation Date,पुष्टिकरण तिथि
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ _ हटाएं"
 DocType: Inpatient Occupancy,Check Out,चेक आउट
 DocType: C-Form,Total Invoiced Amount,कुल चालान राशि
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,न्यूनतम मात्रा अधिकतम मात्रा से ज्यादा नहीं हो सकता
@@ -5483,7 +5566,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,क्विकबुक कंपनी आईडी
 DocType: Travel Request,Travel Funding,यात्रा कोष
 DocType: Employee Skill,Proficiency,प्रवीणता
-DocType: Loan Application,Required by Date,दिनांक द्वारा आवश्यक
 DocType: Purchase Invoice Item,Purchase Receipt Detail,खरीद रसीद विवरण
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,सभी स्थानों के लिए एक लिंक जिसमें फसल बढ़ रही है
 DocType: Lead,Lead Owner,मालिक लीड
@@ -5502,7 +5584,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,वर्तमान बीओएम और नई बीओएम ही नहीं किया जा सकता है
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,वेतन पर्ची आईडी
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,सेवानिवृत्ति की तिथि शामिल होने की तिथि से अधिक होना चाहिए
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,आपूर्तिकर्ता&gt; आपूर्तिकर्ता प्रकार
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,एकाधिक विविधताएं
 DocType: Sales Invoice,Against Income Account,आय खाता के खिलाफ
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% वितरित
@@ -5535,7 +5616,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,मूल्यांकन प्रकार के आरोप समावेशी के रूप में चिह्नित नहीं कर सकता
 DocType: POS Profile,Update Stock,स्टॉक अद्यतन
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,भुगतान विवरण
+DocType: Loan Repayment,Payment Details,भुगतान विवरण
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,बीओएम दर
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,अपलोड की गई फ़ाइल पढ़ना
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","रुक गए कार्य आदेश को रद्द नहीं किया जा सकता, रद्द करने के लिए इसे पहले से हटा दें"
@@ -5570,6 +5651,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},बैच संख्या आइटम के लिए अनिवार्य है {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,अधिकतम ऋण मूल्य
 ,Stock Ledger,स्टॉक लेजर
 DocType: Company,Exchange Gain / Loss Account,मुद्रा लाभ / हानि खाता
 DocType: Amazon MWS Settings,MWS Credentials,एमडब्ल्यूएस प्रमाण पत्र
@@ -5577,6 +5659,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},उद्देश्य से एक होना चाहिए {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,फार्म भरें और इसे बचाने के लिए
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,सामुदायिक फोरम
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},कर्मचारी के लिए आवंटित कोई पत्तियां नहीं: {0} छुट्टी के प्रकार के लिए: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,स्टॉक में वास्तविक मात्रा
 DocType: Homepage,"URL for ""All Products""",के लिए &quot;सभी उत्पाद&quot; यूआरएल
 DocType: Leave Application,Leave Balance Before Application,आवेदन से पहले शेष छोड़ो
@@ -5678,7 +5761,6 @@
 DocType: Fee Schedule,Fee Schedule,शुल्क अनुसूची
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,कॉलम लेबल:
 DocType: Bank Transaction,Settled,बसे हुए
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,संवितरण तिथि ऋण चुकौती प्रारंभ तिथि के बाद नहीं हो सकती
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,उपकर
 DocType: Quality Feedback,Parameters,पैरामीटर
 DocType: Company,Create Chart Of Accounts Based On,खातों पर आधारित का चार्ट बनाएं
@@ -5698,6 +5780,7 @@
 DocType: Customer,Credit Limit and Payment Terms,क्रेडिट सीमा और भुगतान शर्तें
 DocType: Loyalty Program,Collection Rules,संग्रह नियम
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,आइटम 3
+DocType: Loan Security Shortfall,Shortfall Time,कम समय
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,आदेश दर्ज
 DocType: Purchase Order,Customer Contact Email,ग्राहक संपर्क ईमेल
 DocType: Warranty Claim,Item and Warranty Details,मद और वारंटी के विवरण
@@ -5717,12 +5800,14 @@
 DocType: Sales Person,Sales Person Name,बिक्री व्यक्ति का नाम
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,तालिका में कम से कम 1 चालान दाखिल करें
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,कोई लैब टेस्ट नहीं बनाया गया
+DocType: Loan Security Shortfall,Security Value ,सुरक्षा मूल्य
 DocType: POS Item Group,Item Group,आइटम समूह
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,छात्र समूह:
 DocType: Depreciation Schedule,Finance Book Id,फाइनेंस बुक आईडी
 DocType: Item,Safety Stock,सुरक्षा भंडार
 DocType: Healthcare Settings,Healthcare Settings,हेल्थकेयर सेटिंग्स
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,कुल आवंटित पत्तियां
+DocType: Appointment Letter,Appointment Letter,नियुक्ति पत्र
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},{0}
@@ -5777,6 +5862,7 @@
 DocType: Stock Entry,From BOM,बीओएम से
 DocType: Assessment Code,Assessment Code,आकलन संहिता
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,बुनियादी
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,ग्राहकों और कर्मचारियों से ऋण आवेदन।
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} से पहले शेयर लेनदेन जमे हुए हैं
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','उत्पन्न अनुसूची' पर क्लिक करें
 DocType: Job Card,Current Time,वर्तमान समय
@@ -5803,7 +5889,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,अनुदान
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,कोई छात्र गुटों बनाया।
 DocType: Purchase Invoice Item,Serial No,नहीं सीरियल
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,मासिक भुगतान राशि ऋण राशि से अधिक नहीं हो सकता
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,मासिक भुगतान राशि ऋण राशि से अधिक नहीं हो सकता
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Maintaince विवरण दर्ज करें
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,पंक्ति # {0}: अपेक्षित वितरण तिथि खरीद आदेश तिथि से पहले नहीं हो सकती
 DocType: Purchase Invoice,Print Language,प्रिंट भाषा
@@ -5817,6 +5903,7 @@
 DocType: Asset,Finance Books,वित्त किताबें
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,कर्मचारी कर छूट घोषणा श्रेणी
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,सभी प्रदेशों
+DocType: Plaid Settings,development,विकास
 DocType: Lost Reason Detail,Lost Reason Detail,लॉस्ट रीजन डिटेल
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,कृपया कर्मचारी / ग्रेड रिकॉर्ड में कर्मचारी {0} के लिए छुट्टी नीति सेट करें
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,चयनित ग्राहक और आइटम के लिए अमान्य कंबल आदेश
@@ -5879,12 +5966,14 @@
 DocType: Staffing Plan Detail,Current Openings,वर्तमान उद्घाटन
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,आपरेशन से नकद प्रवाह
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,सीजीएसटी राशि
+DocType: Vehicle Log,Current Odometer value ,वर्तमान ओडोमीटर मान
 apps/erpnext/erpnext/utilities/activation.py,Create Student,छात्र बनाएँ
 DocType: Asset Movement Item,Asset Movement Item,एसेट मूवमेंट आइटम
 DocType: Purchase Invoice,Shipping Rule,नौवहन नियम
 DocType: Patient Relation,Spouse,पति या पत्नी
 DocType: Lab Test Groups,Add Test,टेस्ट जोड़ें
 DocType: Manufacturer,Limited to 12 characters,12 अक्षरों तक सीमित
+DocType: Appointment Letter,Closing Notes,नोट बंद करना
 DocType: Journal Entry,Print Heading,शीर्षक प्रिंट
 DocType: Quality Action Table,Quality Action Table,गुणवत्ता कार्रवाई तालिका
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,कुल शून्य नहीं हो सकते
@@ -5951,6 +6040,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),कुल (राशि)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},कृपया टाइप करने के लिए खाता (समूह) बनाएं - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,मनोरंजन और आराम
+DocType: Loan Security,Loan Security,ऋण सुरक्षा
 ,Item Variant Details,आइटम विविध विवरण
 DocType: Quality Inspection,Item Serial No,आइटम कोई धारावाहिक
 DocType: Payment Request,Is a Subscription,एक सदस्यता है
@@ -5963,7 +6053,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,देर से मंच
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,अनुसूचित और प्रवेशित तिथियां आज से कम नहीं हो सकती हैं
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,प्रदायक के लिए सामग्री हस्तांतरण
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ईएमआई
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नया धारावाहिक कोई गोदाम नहीं कर सकते हैं . गोदाम स्टॉक एंट्री या खरीद रसीद द्वारा निर्धारित किया जाना चाहिए
 DocType: Lead,Lead Type,प्रकार लीड
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,कोटेशन बनाएँ
@@ -5981,7 +6070,6 @@
 DocType: Leave Allocation,Leave Period,अवधि छोड़ो
 DocType: Item,Default Material Request Type,डिफ़ॉल्ट सामग्री अनुरोध प्रकार
 DocType: Supplier Scorecard,Evaluation Period,मूल्यांकन अवधि
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक समूह&gt; क्षेत्र
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,अनजान
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,कार्य आदेश नहीं बनाया गया
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6065,7 +6153,8 @@
 ,Customer-wise Item Price,ग्राहक-वार मद मूल्य
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,नकदी प्रवाह विवरण
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,कोई भौतिक अनुरोध नहीं बनाया गया
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ऋण राशि का अधिकतम ऋण राशि से अधिक नहीं हो सकता है {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ऋण राशि का अधिकतम ऋण राशि से अधिक नहीं हो सकता है {0}
+DocType: Loan,Loan Security Pledge,ऋण सुरक्षा प्रतिज्ञा
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,लाइसेंस
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,का चयन करें कृपया आगे ले जाना है अगर तुम भी शामिल करना चाहते हैं पिछले राजकोषीय वर्ष की शेष राशि इस वित्त वर्ष के लिए छोड़ देता है
@@ -6083,6 +6172,7 @@
 DocType: Pricing Rule,Price Discount Scheme,मूल्य छूट योजना
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,रखरखाव स्थिति को रद्द करने या प्रस्तुत करने के लिए पूरा किया जाना चाहिए
 DocType: Amazon MWS Settings,US,अमेरिका
+DocType: Loan Security Pledge,Pledged,गिरवी
 DocType: Holiday List,Add Weekly Holidays,साप्ताहिक छुट्टियां जोड़ें
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,वस्तु की सूचना
 DocType: Staffing Plan Detail,Vacancies,रिक्तियां
@@ -6101,7 +6191,6 @@
 DocType: Production Plan Item,Planned Start Date,नियोजित प्रारंभ दिनांक
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,कृपया एक BOM चुनें
 DocType: Purchase Invoice,Availed ITC Integrated Tax,लाभांश आईटीसी एकीकृत कर
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,पुनर्भुगतान प्रविष्टि बनाएँ
 DocType: Purchase Order Item,Blanket Order Rate,कंबल आदेश दर
 ,Customer Ledger Summary,ग्राहक लेजर सारांश
 apps/erpnext/erpnext/hooks.py,Certification,प्रमाणीकरण
@@ -6122,6 +6211,7 @@
 DocType: Appraisal Template,Appraisal Template Title,मूल्यांकन टेम्पलेट शीर्षक
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,वाणिज्यिक
 DocType: Patient,Alcohol Current Use,शराब वर्तमान उपयोग
+DocType: Loan,Loan Closure Requested,ऋण बंद करने का अनुरोध किया
 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,कर छूट श्रेणी
@@ -6145,6 +6235,7 @@
 DocType: Opening Invoice Creation Tool,Sales,विक्रय
 DocType: Stock Entry Detail,Basic Amount,मूल राशि
 DocType: Training Event,Exam,परीक्षा
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,प्रक्रिया ऋण सुरक्षा की कमी
 DocType: Email Campaign,Email Campaign,ईमेल अभियान
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,बाज़ार त्रुटि
 DocType: Complaint,Complaint,शिकायत
@@ -6224,6 +6315,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,कर्मचारी रिकॉर्ड बनाने के लिए इसे सबमिट करें
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},ऋण सुरक्षा मूल्य {0} के साथ अतिव्यापी
 DocType: Item Default,Item Default,आइटम डिफ़ॉल्ट
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,इंट्रा-स्टेट आपूर्ति
 DocType: Chapter Member,Leave Reason,कारण छोड़ें
@@ -6250,6 +6342,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} कूपन का उपयोग किया जाता है {1}। अनुमति मात्रा समाप्त हो गई है
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,क्या आप सामग्री अनुरोध सबमिट करना चाहते हैं
 DocType: Job Offer,Awaiting Response,प्रतिक्रिया की प्रतीक्षा
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,ऋण अनिवार्य है
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,ऊपर
 DocType: Support Search Source,Link Options,लिंक विकल्प
@@ -6262,6 +6355,7 @@
 DocType: Training Event Employee,Optional,ऐच्छिक
 DocType: Salary Slip,Earning & Deduction,अर्जन कटौती
 DocType: Agriculture Analysis Criteria,Water Analysis,जल विश्लेषण
+DocType: Pledge,Post Haircut Amount,पोस्ट बाल कटवाने की राशि
 DocType: Sales Order,Skip Delivery Note,वितरण नोट छोड़ें
 DocType: Price List,Price Not UOM Dependent,मूल्य नहीं UOM आश्रित
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} बनाए गए संस्करण।
@@ -6288,6 +6382,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,उत्पाद बंडल से आइटम प्राप्त
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,सावधि ऋण के लिए चुकौती विधि अनिवार्य है
 DocType: Asset,Straight Line,सीधी रेखा
 DocType: Project User,Project User,परियोजना उपयोगकर्ता
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,विभाजित करें
@@ -6332,7 +6427,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,भूमिका जमे लेखा एवं संपादित जमे प्रविष्टियां सेट करने की अनुमति
 DocType: Supplier Scorecard Scoring Variable,Path,पथ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,यह बच्चे नोड्स के रूप में खाता बही के लिए लागत केंद्र बदला नहीं जा सकता
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM रूपांतरण कारक ({0} -&gt; {1}) आइटम के लिए नहीं मिला: {2}
 DocType: Production Plan,Total Planned Qty,कुल नियोजित मात्रा
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,लेन-देन पहले से ही बयान से मुकर गया
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,उद्घाटन मूल्य
@@ -6341,11 +6435,8 @@
 DocType: Material Request Plan Item,Required Quantity,आवश्यक मात्रा
 DocType: Lab Test Template,Lab Test Template,लैब टेस्ट टेम्पलेट
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},लेखांकन अवधि {0} के साथ ओवरलैप होती है
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,आपूर्तिकर्ता&gt; आपूर्तिकर्ता प्रकार
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,विक्रय खाता
 DocType: Purchase Invoice Item,Total Weight,कुल वजन
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ _ हटाएं"
 DocType: Pick List Item,Pick List Item,सूची आइटम चुनें
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,बिक्री पर कमीशन
 DocType: Job Offer Term,Value / Description,मूल्य / विवरण
@@ -6392,6 +6483,7 @@
 DocType: Patient Encounter,Encounter Date,मुठभेड़ की तारीख
 DocType: Work Order,Update Consumed Material Cost In Project,परियोजना में उपभोग की गई सामग्री की लागत अपडेट करें
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,खाता: {0} मुद्रा के साथ: {1} चयनित नहीं किया जा सकता
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ग्राहकों और कर्मचारियों को प्रदान किया गया ऋण।
 DocType: Bank Statement Transaction Settings Item,Bank Data,बैंक डेटा
 DocType: Purchase Receipt Item,Sample Quantity,नमूना मात्रा
 DocType: Bank Guarantee,Name of Beneficiary,लाभार्थी का नाम
@@ -6460,7 +6552,6 @@
 DocType: Contract,Signed On,पर हस्ताक्षर किए
 DocType: Bank Account,Party Type,पार्टी के प्रकार
 DocType: Discounted Invoice,Discounted Invoice,डिस्काउंटेड इनवॉइस
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,मार्क उपस्थिति के रूप में <b></b>
 DocType: Payment Schedule,Payment Schedule,भुगतान अनुसूची
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},दिए गए कर्मचारी फ़ील्ड मान के लिए कोई कर्मचारी नहीं मिला। &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,संक्षिप्त
@@ -6532,6 +6623,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,लेनदारों
 DocType: Assessment Plan,Assessment Name,आकलन नाम
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,पंक्ति # {0}: सीरियल नहीं अनिवार्य है
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,ऋण बंद करने के लिए {0} की राशि आवश्यक है
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,मद वार कर विस्तार से
 DocType: Employee Onboarding,Job Offer,नौकरी का प्रस्ताव
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,संस्थान संक्षिप्त
@@ -6555,7 +6647,6 @@
 DocType: Purchase Order,To Receive,प्राप्त करने के लिए
 DocType: Leave Period,Holiday List for Optional Leave,वैकल्पिक छुट्टी के लिए अवकाश सूची
 DocType: Item Tax Template,Tax Rates,कर की दरें
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,आइटम कोड&gt; आइटम समूह&gt; ब्रांड
 DocType: Asset,Asset Owner,संपत्ति मालिक
 DocType: Item,Website Content,वेबसाइट की सामग्री
 DocType: Bank Account,Integration ID,एकीकरण आईडी
@@ -6572,6 +6663,7 @@
 DocType: Amazon MWS Settings,Synch Orders,सिंच ऑर्डर
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,उत्पादन के लिए आदेश जारी किया.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,वित्तीय वर्ष का चयन करें ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},कृपया कंपनी के लिए ऋण प्रकार का चयन करें {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,पीओएस प्रोफ़ाइल पीओएस एंट्री बनाने के लिए आवश्यक
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",वफादारी अंक का उल्लेख संग्रहित कारक के आधार पर किए गए व्यय (बिक्री चालान के माध्यम से) से किया जाएगा।
 DocType: Program Enrollment Tool,Enroll Students,छात्रों को भर्ती
@@ -6600,6 +6692,7 @@
 DocType: Customer,Mention if non-standard receivable account,"मेंशन अमानक प्राप्य खाते है, तो"
 DocType: Bank,Plaid Access Token,प्लेड एक्सेस टोकन
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,किसी भी मौजूदा घटक में शेष लाभ {0} जोड़ें
+DocType: Bank Account,Is Default Account,डिफ़ॉल्ट खाता है
 DocType: Journal Entry Account,If Income or Expense,यदि आय या व्यय
 DocType: Course Topic,Course Topic,पाठ्यक्रम विषय
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},पीओएस क्लोजिंग वाउचर अल्डरेड {0} के लिए दिनांक {1} और {2} के बीच मौजूद है
@@ -6612,7 +6705,7 @@
 DocType: Disease,Treatment Task,उपचार कार्य
 DocType: Payment Order Reference,Bank Account Details,बैंक खाता विवरण
 DocType: Purchase Order Item,Blanket Order,कंबल का क्रम
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,चुकौती राशि से अधिक होनी चाहिए
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,चुकौती राशि से अधिक होनी चाहिए
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,कर संपत्ति
 DocType: BOM Item,BOM No,नहीं बीओएम
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,अद्यतन विवरण
@@ -6668,6 +6761,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce उत्पाद
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},सूत्र या हालत में सिंटेक्स त्रुटि: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,यह एक शेयर आइटम नहीं है क्योंकि मद {0} को नजरअंदाज कर दिया
+,Loan Security Status,ऋण सुरक्षा स्थिति
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","एक विशेष लेन - देन में मूल्य निर्धारण नियम लागू नहीं करने के लिए, सभी लागू नहीं डालती निष्क्रिय किया जाना चाहिए."
 DocType: Payment Term,Day(s) after the end of the invoice month,चालान महीने के अंत के बाद दिन (ओं)
 DocType: Assessment Group,Parent Assessment Group,जनक आकलन समूह
@@ -6682,7 +6776,6 @@
 DocType: Stock Entry Detail,Additional Cost,अतिरिक्त लागत
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","वाउचर के आधार पर फ़िल्टर नहीं कर सकते नहीं, वाउचर के आधार पर समूहीकृत अगर"
 DocType: Quality Inspection,Incoming,आवक
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,विक्रय और खरीद के लिए डिफ़ॉल्ट कर टेम्पलेट बनाए गए हैं
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,मूल्यांकन परिणाम रिकॉर्ड {0} पहले से मौजूद है।
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","उदाहरण: एबीसीडी। #####। यदि श्रृंखला सेट की गई है और बैच संख्या का लेनदेन में उल्लेख नहीं किया गया है, तो इस श्रृंखला के आधार पर स्वचालित बैच संख्या बनाई जाएगी। यदि आप हमेशा इस आइटम के लिए बैच नंबर का स्पष्ट रूप से उल्लेख करना चाहते हैं, तो इसे खाली छोड़ दें। नोट: यह सेटिंग स्टॉक सेटिंग्स में नामकरण श्रृंखला उपसर्ग पर प्राथमिकता लेगी।"
@@ -6693,8 +6786,10 @@
 DocType: Contract,Party User,पार्टी उपयोगकर्ता
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b> के लिए एसेट्स नहीं बनाए गए। आपको मैन्युअल रूप से संपत्ति बनानी होगी।
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',अगर ग्रुप बाय &#39;कंपनी&#39; है तो कंपनी को फिल्टर रिक्त करें
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक समूह&gt; क्षेत्र
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,पोस्ट दिनांक भविष्य की तारीख नहीं किया जा सकता
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},पंक्ति # {0}: सीरियल नहीं {1} के साथ मेल नहीं खाता {2} {3}
+DocType: Loan Repayment,Interest Payable,देय ब्याज
 DocType: Stock Entry,Target Warehouse Address,लक्ष्य वेअरहाउस पता
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,आकस्मिक छुट्टी
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,पारी शुरू होने से पहले का समय जिसके दौरान कर्मचारी चेक-इन उपस्थिति के लिए माना जाता है।
@@ -6823,6 +6918,7 @@
 DocType: Issue,Reset Service Level Agreement,सेवा स्तर समझौते को रीसेट करें
 ,Sales Person-wise Transaction Summary,बिक्री व्यक्ति के लिहाज गतिविधि सारांश
 DocType: Training Event,Contact Number,संपर्क संख्या
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,लोन अमाउंट अनिवार्य है
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,वेयरहाउस {0} मौजूद नहीं है
 DocType: Cashier Closing,Custody,हिरासत
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,कर्मचारी कर छूट सबूत सबमिशन विस्तार
@@ -6871,6 +6967,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,शेष मात्रा
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,सभी चयनित वस्तुओं पर शर्तों को लागू किया जाएगा।
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,लक्ष्य खाली नहीं हो सकता
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,गलत वेयरहाउस
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,छात्रों को दाखिला लेना
 DocType: Item Group,Parent Item Group,माता - पिता आइटम समूह
 DocType: Appointment Type,Appointment Type,नियुक्ति प्रकार
@@ -6924,10 +7021,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,सामान्य दर
 DocType: Appointment,Appointment With,इनके साथ अपॉइंटमेंट
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,भुगतान शेड्यूल में कुल भुगतान राशि ग्रैंड / गोल की कुल राशि के बराबर होनी चाहिए
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,मार्क उपस्थिति के रूप में <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;ग्राहक प्रदान की गई वस्तु&quot; में मूल्यांकन दर नहीं हो सकती है
 DocType: Subscription Plan Detail,Plan,योजना
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,जनरल लेजर के अनुसार बैंक बैलेंस
-DocType: Job Applicant,Applicant Name,आवेदक के नाम
+DocType: Appointment Letter,Applicant Name,आवेदक के नाम
 DocType: Authorization Rule,Customer / Item Name,ग्राहक / मद का नाम
 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**. 
 
@@ -6971,11 +7069,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,शेयर खाता प्रविष्टि इस गोदाम के लिए मौजूद वेयरहाउस हटाया नहीं जा सकता .
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,वितरण
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,कर्मचारी की स्थिति वर्तमान में इस कर्मचारी को रिपोर्ट कर रहे निम्नलिखित के रूप में &#39;वाम&#39; के लिए सेट नहीं किया जा सकता है:
-DocType: Journal Entry Account,Loan,ऋण
+DocType: Loan Repayment,Amount Paid,राशि का भुगतान
+DocType: Loan Security Shortfall,Loan,ऋण
 DocType: Expense Claim Advance,Expense Claim Advance,व्यय का दावा अग्रिम
 DocType: Lab Test,Report Preference,रिपोर्ट प्राथमिकता
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,स्वयंसेवी जानकारी
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,परियोजना प्रबंधक
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,ग्राहक द्वारा समूह
 ,Quoted Item Comparison,उद्धरित मद तुलना
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} और {1} के बीच स्कोरिंग में ओवरलैप
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,प्रेषण
@@ -6995,6 +7095,7 @@
 DocType: Material Request Plan Item,Material Issue,महत्त्वपूर्ण विषय
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},नि: शुल्क आइटम मूल्य निर्धारण नियम {0} में सेट नहीं किया गया
 DocType: Employee Education,Qualification,योग्यता
+DocType: Loan Security Shortfall,Loan Security Shortfall,ऋण सुरक्षा की कमी
 DocType: Item Price,Item Price,मद मूल्य
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,साबुन और डिटर्जेंट
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},कर्मचारी {0} कंपनी {1} से संबंधित नहीं है
@@ -7017,6 +7118,7 @@
 DocType: Appointment Booking Settings,Appointment Details,नियुक्ति विवरण
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,तैयार उत्पाद
 DocType: Warehouse,Warehouse Name,वेअरहाउस नाम
+DocType: Loan Security Pledge,Pledge Time,प्रतिज्ञा का समय
 DocType: Naming Series,Select Transaction,लेन - देन का चयन करें
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,रोल अनुमोदन या उपयोगकर्ता स्वीकृति दर्ज करें
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,एंटिटी टाइप {0} और एंटिटी {1} सर्विस लेवल एग्रीमेंट पहले से मौजूद है।
@@ -7024,7 +7126,6 @@
 DocType: BOM,Rate Of Materials Based On,सामग्री के आधार पर दर
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","यदि सक्षम है, तो प्रोग्राम नामांकन उपकरण में फ़ील्ड अकादमिक अवधि अनिवार्य होगी।"
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","छूट, शून्य रेटेड और गैर-जीएसटी आवक आपूर्ति के मूल्य"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक समूह&gt; क्षेत्र
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>कंपनी</b> एक अनिवार्य फिल्टर है।
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,सब को अचयनित करें
 DocType: Purchase Taxes and Charges,On Item Quantity,आइटम मात्रा पर
@@ -7069,7 +7170,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,कमी मात्रा
 DocType: Purchase Invoice,Input Service Distributor,इनपुट सेवा वितरक
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,मद संस्करण {0} एक ही गुण के साथ मौजूद है
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षा&gt; शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें
 DocType: Loan,Repay from Salary,वेतन से बदला
 DocType: Exotel Settings,API Token,एपीआई टोकन
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},के खिलाफ भुगतान का अनुरोध {0} {1} राशि के लिए {2}
@@ -7089,6 +7189,7 @@
 DocType: Salary Slip,Total Interest Amount,कुल ब्याज राशि
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता
 DocType: BOM,Manage cost of operations,संचालन की लागत का प्रबंधन
+DocType: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,स्टेल डेज़
 DocType: Travel Itinerary,Arrival Datetime,आगमन डेटाटाइम
 DocType: Tax Rule,Billing Zipcode,बिलिंग ज़िप कोड
@@ -7275,6 +7376,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,घंटे
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},आपके लिए {0} के साथ एक नई नियुक्ति की गई है
 DocType: Project,Expected Start Date,उम्मीद प्रारंभ दिनांक
+DocType: Work Order,This is a location where raw materials are available.,यह एक ऐसा स्थान है जहां कच्चे माल उपलब्ध हैं।
 DocType: Purchase Invoice,04-Correction in Invoice,04-इनवॉइस में सुधार
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,काम ऑर्डर पहले से ही BOM के साथ सभी आइटम के लिए बनाया गया है
 DocType: Bank Account,Party Details,पार्टी विवरण
@@ -7293,6 +7395,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,कोटेशन:
 DocType: Contract,Partially Fulfilled,आंशिक रूप से पूरा
 DocType: Maintenance Visit,Fully Completed,पूरी तरह से पूरा
+DocType: Loan Security,Loan Security Name,ऋण सुरक्षा नाम
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;।&quot;, &quot;/&quot;, &quot;{&quot; और &quot;}&quot; को छोड़कर विशेष वर्ण श्रृंखला में अनुमति नहीं है"
 DocType: Purchase Invoice Item,Is nil rated or exempted,शून्य रेटेड या छूट प्राप्त है
 DocType: Employee,Educational Qualification,शैक्षिक योग्यता
@@ -7349,6 +7452,7 @@
 DocType: Program,Is Featured,चित्रित है
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ला रहा है ...
 DocType: Agriculture Analysis Criteria,Agriculture User,कृषि उपयोगकर्ता
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,आज तक वैध लेनदेन की तारीख से पहले नहीं हो सकता
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,छात्र श्रेणी
@@ -7425,8 +7529,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,आप स्थिर मूल्य निर्धारित करने के लिए अधिकृत नहीं हैं
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled प्रविष्टियां प्राप्त करें
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},कर्मचारी {0} {1} पर छोड़ दिया गया है
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,जर्नल एंट्री के लिए कोई भुगतान नहीं किया गया
 DocType: Purchase Invoice,GST Category,जीएसटी श्रेणी
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,सुरक्षित ऋणों के लिए प्रस्तावित प्रतिज्ञाएँ अनिवार्य हैं
 DocType: Payment Reconciliation,From Invoice Date,चालान तिथि से
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,बजट
 DocType: Invoice Discounting,Disbursed,संवितरित
@@ -7484,14 +7588,13 @@
 DocType: Restaurant,Active Menu,सक्रिय मेनू
 DocType: Accounting Dimension Detail,Default Dimension,डिफ़ॉल्ट आयाम
 DocType: Target Detail,Target Qty,लक्ष्य मात्रा
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},ऋण के खिलाफ: {0}
 DocType: Shopping Cart Settings,Checkout Settings,चेकआउट सेटिंग
 DocType: Student Attendance,Present,पेश
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया जाना चाहिए
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","कर्मचारी को ईमेल की गई सैलरी स्लिप पासवर्ड प्रोटेक्टेड होगी, पासवर्ड पॉलिसी के आधार पर जनरेट होगा।"
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,खाते {0} समापन प्रकार दायित्व / इक्विटी का होना चाहिए
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},कर्मचारी के वेतन पर्ची {0} पहले से ही समय पत्रक के लिए बनाई गई {1}
-DocType: Vehicle Log,Odometer,ओडोमीटर
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,ओडोमीटर
 DocType: Production Plan Item,Ordered Qty,मात्रा का आदेश दिया
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,मद {0} अक्षम हो जाता है
 DocType: Stock Settings,Stock Frozen Upto,स्टॉक तक जमे हुए
@@ -7548,7 +7651,6 @@
 DocType: Serial No,Delivery Document Type,डिलिवरी दस्तावेज़ प्रकार
 DocType: Sales Order,Partly Delivered,आंशिक रूप से वितरित
 DocType: Item Variant Settings,Do not update variants on save,सहेजें पर वेरिएंट अपडेट नहीं करें
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,कस्टमर ग्रुप
 DocType: Email Digest,Receivables,प्राप्य
 DocType: Lead Source,Lead Source,स्रोत लीड
 DocType: Customer,Additional information regarding the customer.,ग्राहक के बारे में अतिरिक्त जानकारी।
@@ -7645,6 +7747,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,वास्तविक
 DocType: Appointment,Skype ID,स्काइप आईडी
 DocType: Restaurant Menu,Restaurant Manager,रेस्टोरेंट मैनेजर
+DocType: Loan,Penalty Income Account,दंड आय खाता
 DocType: Call Log,Call Log,कॉल लॉग
 DocType: Authorization Rule,Customerwise Discount,Customerwise डिस्काउंट
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,कार्यों के लिए समय पत्रक।
@@ -7732,6 +7835,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,उत्पाद छूट योजना
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,कॉलर द्वारा कोई मुद्दा नहीं उठाया गया है।
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,आपूर्तिकर्ता द्वारा समूह
 DocType: Restaurant Reservation,Waitlisted,प्रतीक्षा सूची
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,छूट श्रेणी
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,मुद्रा कुछ अन्य मुद्रा का उपयोग प्रविष्टियों करने के बाद बदला नहीं जा सकता
@@ -7742,7 +7846,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,परामर्श
 DocType: Subscription Plan,Based on price list,मूल्य सूची के आधार पर
 DocType: Customer Group,Parent Customer Group,माता - पिता ग्राहक समूह
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ई-वे बिल JSON केवल बिक्री चालान से उत्पन्न किया जा सकता है
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,इस क्विज़ के लिए अधिकतम प्रयास पहुंचे!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,अंशदान
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,शुल्क निर्माण लंबित
@@ -7760,6 +7863,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,निवारक रखरखाव
 DocType: Delivery Note Item,Against Sales Invoice,बिक्री चालान के खिलाफ
 DocType: Purchase Invoice,07-Others,07-दूसरॆ
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,उद्धरण राशि
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,कृपया धारावाहिक आइटम के लिए सीरियल नंबर दर्ज करें
 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. ,अनियंत्रित छोड़ें यदि आप पाठ्यक्रम आधारित समूहों को बनाने के दौरान बैच पर विचार नहीं करना चाहते हैं
@@ -7867,6 +7971,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,भुगतान रसीद नोट
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,यह इस ग्राहक के खिलाफ लेन-देन पर आधारित है। जानकारी के लिए नीचे समय देखें
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,सामग्री अनुरोध बनाएँ
+DocType: Loan Interest Accrual,Pending Principal Amount,लंबित मूल राशि
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","मान्य पेरोल अवधि में प्रारंभ और समाप्ति दिनांक, {0} की गणना नहीं कर सकते"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,नई शैक्षणिक अवधि
@@ -7910,6 +8015,7 @@
 											to fullfill Sales Order {2}",आइटम {1} के सीरियल नंबर {0} को वितरित नहीं कर सकता क्योंकि यह सुरक्षित है बिक्री आदेश {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,साल-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,प्रदायक कोटेशन {0} बनाया
+DocType: Loan Security Unpledge,Unpledge Type,अनप्लग प्रकार
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,समाप्ति वर्ष प्रारंभ साल से पहले नहीं हो सकता
 DocType: Employee Benefit Application,Employee Benefits,कर्मचारी लाभ
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,कर्मचारी आयडी
@@ -7992,6 +8098,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,विषय क्रमांक:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,व्यय खाते में प्रवेश करें
 DocType: Quality Action Resolution,Problem,संकट
+DocType: Loan Security Type,Loan To Value Ratio,मूल्य अनुपात के लिए ऋण
 DocType: Account,Stock,स्टॉक
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खरीद आदेश में से एक, चालान की खरीद या जर्नल प्रविष्टि होना चाहिए"
 DocType: Employee,Current Address,वर्तमान पता
@@ -8009,6 +8116,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,बैंक स्टेटमेंट लेनदेन प्रविष्टि
 DocType: Sales Invoice Item,Discount and Margin,डिस्काउंट और मार्जिन
 DocType: Lab Test,Prescription,पर्चे
+DocType: Process Loan Security Shortfall,Update Time,समय सुधारें
 DocType: Import Supplier Invoice,Upload XML Invoices,XML चालान अपलोड करें
 DocType: Company,Default Deferred Revenue Account,डिफ़ॉल्ट स्थगित राजस्व खाता
 DocType: Project,Second Email,दूसरा ईमेल
@@ -8022,7 +8130,7 @@
 DocType: Quality Action,Preventive,निवारक
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,अपंजीकृत व्यक्तियों को की गई आपूर्ति
 DocType: Company,Date of Incorporation,निगमन की तारीख
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,कुल कर
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,कुल कर
 DocType: Manufacturing Settings,Default Scrap Warehouse,डिफ़ॉल्ट स्क्रैप वेयरहाउस
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,अंतिम खरीद मूल्य
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,मात्रा के लिए (मात्रा निर्मित) अनिवार्य है
@@ -8041,6 +8149,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,भुगतान का डिफ़ॉल्ट मोड सेट करें
 DocType: Stock Entry Detail,Against Stock Entry,स्टॉक एंट्री के खिलाफ
 DocType: Grant Application,Withdrawn,वापस लिया
+DocType: Loan Repayment,Regular Payment,नियमित भुगतान
 DocType: Support Search Source,Support Search Source,समर्थन खोज स्रोत
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,सकल मार्जिन%
@@ -8053,8 +8162,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,कर के भुगतान के बिना
 DocType: BOM Operation,BOM Operation,बीओएम ऑपरेशन
 DocType: Purchase Taxes and Charges,On Previous Row Amount,पिछली पंक्ति राशि पर
+DocType: Student,Home Address,घर का पता
 DocType: Options,Is Correct,सही है
 DocType: Item,Has Expiry Date,समाप्ति तिथि है
+DocType: Loan Repayment,Paid Accrual Entries,भुगतान किया गया क्रमिक प्रवेश
+DocType: Loan Security,Loan Security Type,ऋण सुरक्षा प्रकार
 apps/erpnext/erpnext/config/support.py,Issue Type.,समस्या का प्रकार।
 DocType: POS Profile,POS Profile,पीओएस प्रोफ़ाइल
 DocType: Training Event,Event Name,कार्यक्रम नाम
@@ -8066,6 +8178,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","सेटिंग बजट, लक्ष्य आदि के लिए मौसम"
 apps/erpnext/erpnext/www/all-products/index.html,No values,कोई मूल्य नहीं
 DocType: Supplier Scorecard Scoring Variable,Variable Name,चर का नाम
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,सामंजस्य स्थापित करने के लिए बैंक खाते का चयन करें।
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} आइटम एक टेम्पलेट है, इसके वेरिएंट में से एक का चयन करें"
 DocType: Purchase Invoice Item,Deferred Expense,स्थगित व्यय
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,संदेशों पर वापस जाएं
@@ -8117,7 +8230,6 @@
 DocType: GL Entry,To Rename,का नाम बदला
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,सीरियल नंबर जोड़ने के लिए चयन करें।
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षा&gt; शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',कृपया ग्राहक &#39;% s&#39; के लिए राजकोषीय कोड सेट करें
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,कृपया पहले कंपनी का चयन करें
 DocType: Item Attribute,Numeric Values,संख्यात्मक मान
@@ -8141,6 +8253,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO के आधार पर प्राप्त करें
 DocType: Soil Texture,Clay Loam,मिट्टी दोमट
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,रूट संपादित नहीं किया जा सकता है .
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,ऋण सुरक्षा मूल्य
 DocType: Item,Units of Measure,मापन की इकाई
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,मेट्रो सिटी में किराए पर लिया
 DocType: Supplier,Default Tax Withholding Config,डिफ़ॉल्ट कर रोकथाम विन्यास
@@ -8187,6 +8300,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,प्रथम श्रेणी का चयन करें
 apps/erpnext/erpnext/config/projects.py,Project master.,मास्टर परियोजना.
 DocType: Contract,Contract Terms,अनुबंध की शर्तें
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,स्वीकृत राशि सीमा
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,कॉन्फ़िगरेशन जारी रखें
 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,Maximum benefit amount of component {0} exceeds {1},घटक की अधिकतम लाभ राशि {0} से अधिक है {1}
@@ -8219,6 +8333,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,कॉल लॉग देखें
 DocType: BOM Operation,Operating Cost(Company Currency),परिचालन लागत (कंपनी मुद्रा)
 DocType: Loan Application,Rate of Interest,ब्याज की दर
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},ऋण सुरक्षा प्रतिज्ञा पहले से ही ऋण के खिलाफ गिरवी {0}
 DocType: Expense Claim Detail,Sanctioned Amount,स्वीकृत राशि
 DocType: Item,Shelf Life In Days,दिन में शेल्फ लाइफ
 DocType: GL Entry,Is Opening,है खोलने
@@ -8232,3 +8347,4 @@
 DocType: Account,Cash,नकद
 DocType: Sales Invoice,Unpaid and Discounted,अवैतनिक और रियायती
 DocType: Employee,Short biography for website and other publications.,वेबसाइट और अन्य प्रकाशनों के लिए लघु जीवनी.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,पंक्ति # {0}: उपकेंद्र के लिए कच्चे माल को दबाते हुए आपूर्तिकर्ता वेयरहाउस का चयन नहीं किया जा सकता है
diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv
index bad6e01..9b10315 100644
--- a/erpnext/translations/hr.csv
+++ b/erpnext/translations/hr.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Prilika izgubljen razlog
 DocType: Patient Appointment,Check availability,Provjera dostupnosti
 DocType: Retention Bonus,Bonus Payment Date,Datum plaćanja bonusa
-DocType: Employee,Job Applicant,Posao podnositelj
+DocType: Appointment Letter,Job Applicant,Posao podnositelj
 DocType: Job Card,Total Time in Mins,Ukupno vrijeme u minima
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontakt informacije
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Traži bilo što ...
 ,Stock and Account Value Comparison,Usporedba vrijednosti dionica i računa
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Izneseni iznos ne može biti veći od iznosa zajma
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Zainteresiran
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Otvaranje
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Vrijedi od vremena mora biti kraće od Važećeg vremena uputa.
 DocType: Item,Copy From Item Group,Primjerak iz točke Group
 DocType: Journal Entry,Opening Entry,Otvaranje - ulaz
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Račun platiti samo
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Razred
 DocType: Restaurant Table,No of Seats,Nema sjedala
+DocType: Loan Type,Grace Period in Days,Grace razdoblje u danima
 DocType: Sales Invoice,Overdue and Discounted,Prepušteni i popusti
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Imovina {0} ne pripada staratelju {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Poziv prekinuti
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Propisani postupci
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Prikaži samo POS
 DocType: Supplier Group,Supplier Group Name,Naziv grupe dobavljača
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b>
 DocType: Driver,Driving License Categories,Kategorije voznih dozvola
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Unesite datum isporuke
 DocType: Depreciation Schedule,Make Depreciation Entry,Provjerite Amortizacija unos
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Pojedinosti o operacijama koje se provode.
 DocType: Asset Maintenance Log,Maintenance Status,Status održavanja
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Iznos poreza na stavku uključen u vrijednost
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Bezplatno pozajmljivanje kredita
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Pojedinosti o članstvu
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: potreban Dobavljač u odnosu na plativi račun{2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Stavke i cijene
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Ukupno vrijeme: {0}
+DocType: Loan,Loan Manager,Voditelj kredita
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma trebao biti u fiskalnoj godini. Uz pretpostavku Od datuma = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,FHP-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Odaberite kupca ili dobavljača.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kôd države u datoteci ne podudara se s kodom države postavljenim u sustavu
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Račun {0} ne pripada tvrtki {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Odaberite samo jedan prioritet kao zadani.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Neodobreno odsustvo
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bankovni tekstova
-DocType: Customer,Is Internal Customer,Interni je kupac
+DocType: Sales Invoice,Is Internal Customer,Interni je kupac
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Zahtjev za robom
 DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Količina paketa
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Zajam nije moguće stvoriti dok aplikacija ne bude odobrena
 ,GSTR-2,GSTR 2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,ispravan
 DocType: Student Guardian,Mother,Majka
 DocType: Restaurant Reservation,Reservation End Time,Vrijeme završetka rezervacije
+DocType: Salary Slip Loan,Loan Repayment Entry,Unos otplate zajma
 DocType: Crop,Biennial,dvogodišnjica
 ,BOM Variance Report,Izvješće o varijanti BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Potvrđene narudžbe kupaca.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Plaćanje protiv {0} {1} ne može biti veća od preostali iznos {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Sve zdravstvene usluge
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,O mogućnosti pretvorbe
+DocType: Loan,Total Principal Paid,Ukupno plaćeno glavnice
 DocType: Bank Account,Address HTML,Adressa u HTML-u
 DocType: Lead,Mobile No.,Mobitel br.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Način plaćanja
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Stanje u valuti baze
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Nove ponude
+DocType: Loan Interest Accrual,Loan Interest Accrual,Prihodi od kamata na zajmove
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Sudjelovanje nije poslano za {0} kao {1} na dopustu.
 DocType: Journal Entry,Payment Order,Nalog za plaćanje
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Potvrditi email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Prihodi iz drugih izvora
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ako je prazno, uzet će se u obzir račun nadređenog skladišta ili neispunjenje tvrtke"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-mail plaće slip da zaposleniku na temelju preferiranih e-mail koji ste odabrali u zaposlenika
+DocType: Work Order,This is a location where operations are executed.,Ovo je mjesto na kojem se izvode operacije.
 DocType: Tax Rule,Shipping County,dostava županija
 DocType: Currency Exchange,For Selling,Za prodaju
 apps/erpnext/erpnext/config/desktop.py,Learn,Naučiti
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Primijenjeni kod kupona
 DocType: Asset,Next Depreciation Date,Sljedeći datum Amortizacija
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktivnost Cijena po zaposlenom
+DocType: Loan Security,Haircut %,Šišanje %
 DocType: Accounts Settings,Settings for Accounts,Postavke za račune
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun br postoji u fakturi {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Uredi raspodjelu prodavača.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Molimo postavite Hotel Room Rate na {}
 DocType: Journal Entry,Multi Currency,Više valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip fakture
+DocType: Loan,Loan Security Details,Pojedinosti o zajmu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Vrijedi od datuma mora biti manje od važećeg do datuma
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Izuzeće je došlo tijekom usklađivanja {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Postavite Prihvaćeno skladište
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Potrebno odobrenje laboratorijskog ispitivanja
 DocType: Attendance,Working Hours,Radnih sati
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Ukupno izvanredno
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor konverzije UOM ({0} -&gt; {1}) nije pronađen za stavku: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Postotak koji vam dopušta naplatu više u odnosu na naručeni iznos. Na primjer: Ako je vrijednost narudžbe za artikl 100 USD, a tolerancija postavljena na 10%, tada vam je dopušteno naplaćivanje 110 USD."
 DocType: Dosage Strength,Strength,snaga
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Datum vozila
 DocType: Campaign Email Schedule,Campaign Email Schedule,Raspored e-pošte kampanje
 DocType: Student Log,Medical,Liječnički
+DocType: Work Order,This is a location where scraped materials are stored.,Ovo je mjesto gdje se čuvaju strugani materijali.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Odaberite Lijek
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Olovo Vlasnik ne može biti ista kao i olova
 DocType: Announcement,Receiver,Prijamnik
@@ -886,7 +898,7 @@
 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: BOM,Total Cost (Company Currency),Ukupni trošak (valuta tvrtke)
-DocType: Loan,Total Payment,ukupno plaćanja
+DocType: Repayment Schedule,Total Payment,ukupno plaćanja
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO već stvoren za sve stavke prodajnog naloga
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Upozorite narudžbenice
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Najam od datuma
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dosta Dijelovi za izgradnju
+DocType: Loan Security,Loan Security Code,Kôd za sigurnost zajma
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Prvo spremite
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Predmeti su potrebni za povlačenje sirovina koje su s tim povezane.
 DocType: POS Profile User,POS Profile User,Korisnik POS profila
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Dionice već stvorene za radni nalog
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod artikla&gt; Grupa artikala&gt; Marka
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Pogledajte prošle narudžbe
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} razgovora
 DocType: Vital Signs,Respiratory rate,Brzina dišnog sustava
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Brisanje transakcije tvrtke
 DocType: Production Plan Item,Quantity and Description,Količina i opis
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referentni broj i reference Datum obvezna je za banke transakcije
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Postavite Nameing Series za {0} putem Postavke&gt; Postavke&gt; Imenovanje serija
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi porez i pristojbe
 DocType: Payment Entry Reference,Supplier Invoice No,Dobavljač Račun br
 DocType: Territory,For reference,Za referencu
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Račun za zadržavanje poreza
 DocType: Pricing Rule,Sales Partner,Prodajni partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Sve ocjene bodova dobavljača.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Iznos narudžbe
+DocType: Loan,Disbursed Amount,Izplaćeni iznos
 DocType: Buying Settings,Purchase Receipt Required,Primka je obvezna
 DocType: Sales Invoice,Rail,željeznički
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Stvarna cijena
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Povezano s QuickBooksom
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificirajte / kreirajte račun (knjigu) za vrstu - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Obveze prema dobavljačima
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Račun je obvezan za unos plaćanja
 DocType: Payment Entry,Type of Payment,Vrsta plaćanja
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Poludnevni datum je obavezan
 DocType: Sales Order,Billing and Delivery Status,Naplate i isporuke status
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Naplaćeno Amt
 DocType: Training Result Employee,Training Result Employee,Obuku zaposlenika Rezultat
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Kreirano Skladište za ulazne stavke
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,iznos glavnice
+DocType: Repayment Schedule,Principal Amount,iznos glavnice
 DocType: Loan Application,Total Payable Interest,Ukupno obveze prema dobavljačima kamata
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Ukupno izvrsno: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otvori kontakt
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Vaše stavke
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dobavljač&gt; vrsta dobavljača
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pisanje prijedlog
 DocType: Payment Entry Deduction,Payment Entry Deduction,Plaćanje Ulaz Odbitak
 DocType: Service Level Priority,Service Level Priority,Prioritet na razini usluge
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Batch Opis
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Stvaranje studentskih skupina
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway računa nije stvorio, ručno stvoriti jedan."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Grupne skladišta ne mogu se koristiti u transakcijama. Promijenite vrijednost {0}
 DocType: Supplier Scorecard,Per Year,Godišnje
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ne ispunjavaju uvjete za prijem u ovaj program po DOB-u
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Redak broj {0}: Ne može se izbrisati stavka {1} koja je dodijeljena kupčevoj narudžbi za kupnju.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Tijekom stvaranja računa za podmlađivanje Company {0}, nadređeni račun {1} nije pronađen. Napravite nadređeni račun u odgovarajućem COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,Studentski Gledatelja
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Nema podataka za izvoz
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Stvarni datum isporuke
 DocType: Lab Test,Test Template,Predložak testa
+DocType: Loan Security Pledge,Securities,hartije od vrijednosti
 DocType: Restaurant Order Entry Item,Served,Posluženo
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Podaci o poglavlju.
 DocType: Account,Accounts,Računi
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,Negativan
 DocType: Work Order Operation,Planned End Time,Planirani End Time
 DocType: POS Profile,Only show Items from these Item Groups,Prikažite samo stavke iz ovih grupa predmeta
+DocType: Loan,Is Secured Loan,Zajam je osiguran
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Pojedinosti o vrstama kontakata
 DocType: Delivery Note,Customer's Purchase Order No,Kupca Narudžbenica br
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Dobiti od Patient Encounter
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor konverzije UOM ({0} -&gt; {1}) nije pronađen za stavku: {2}
 DocType: Subscriber,Subscriber,Pretplatnik
 DocType: Item Attribute Value,Item Attribute Value,Stavka Vrijednost atributa
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Mjenjač mora biti primjenjiv za kupnju ili prodaju.
@@ -1517,6 +1537,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nemate dopuštenje
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolni popis ispunjavanja ugovora
 DocType: Vital Signs,Heart Rate / Pulse,Puls / srčane frekvencije
+DocType: Customer,Default Company Bank Account,Zadani bankovni račun tvrtke
 DocType: Supplier,Default Bank Account,Zadani bankovni račun
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Za filtriranje se temelji na stranke, odaberite stranka Upišite prvi"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},Opcija 'Ažuriraj zalihe' nije dostupna jer stavke nisu dostavljene putem {0}
@@ -1634,7 +1655,6 @@
 DocType: Sales Team,Incentives,Poticaji
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vrijednosti nisu sinkronizirane
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vrijednost razlike
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Postavite brojevnu seriju za Attendance putem Postavljanje&gt; Numeriranje serija
 DocType: SMS Log,Requested Numbers,Traženi brojevi
 DocType: Volunteer,Evening,Večer
 DocType: Quiz,Quiz Configuration,Konfiguracija kviza
@@ -1654,6 +1674,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Na prethodni redak Ukupno
 DocType: Purchase Invoice Item,Rejected Qty,Odbijen Kol
 DocType: Setup Progress Action,Action Field,Polje djelovanja
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Vrsta zajma za kamate i zatezne stope
 DocType: Healthcare Settings,Manage Customer,Upravljajte kupcem
 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
@@ -1665,6 +1686,7 @@
 ,Final Assessment Grades,Konačna ocjena razreda
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava .
 DocType: HR Settings,Include holidays in Total no. of Working Days,Uključi odmor u ukupnom. radnih dana
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Od ukupnog broja
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Postavite svoj institut u ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza biljaka
 DocType: Task,Timeline,Vremenska Crta
@@ -1672,9 +1694,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativna stavka
 DocType: Shopify Log,Request Data,Zatražite podatke
 DocType: Employee,Date of Joining,Datum pristupa
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Update serija
 DocType: Supplier Quotation,Is Subcontracted,Je podugovarati
 DocType: Restaurant Table,Minimum Seating,Minimalna sjedala
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Pitanje ne može biti duplicirano
 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,Purchase Receipt,Primka
@@ -1776,6 +1800,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinkronizacija Offline Računi
 DocType: Payment Request,Paid,Plaćen
 DocType: Service Level,Default Priority,Zadani prioritet
+DocType: Pledge,Pledge,Zalog
 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."
@@ -1789,6 +1814,7 @@
 DocType: Guardian,Guardian Name,Naziv Guardian
 DocType: Cheque Print Template,Has Print Format,Ima format ispisa
 DocType: Support Settings,Get Started Sections,Započnite s radom
+,Loan Repayment and Closure,Otplata i zatvaranje zajma
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-OLOVO-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,kažnjeni
 ,Base Amount,Osnovni iznos
@@ -1799,10 +1825,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Od mjesta
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Iznos zajma ne može biti veći od {0}
 DocType: Student Admission,Publish on website,Objavi na web stranici
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Datum Dobavljač Račun ne može biti veća od datum knjiženja
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod artikla&gt; Grupa artikala&gt; Marka
 DocType: Subscription,Cancelation Date,Datum otkazivanja
 DocType: Purchase Invoice Item,Purchase Order Item,Stavka narudžbenice
 DocType: Agriculture Task,Agriculture Task,Zadatak poljoprivrede
@@ -1821,7 +1847,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Dodatni Postotak Popust
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Pregled popisa svih pomoć videa
 DocType: Agriculture Analysis Criteria,Soil Texture,Tekstura tla
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Odaberite račun šefa banke gdje je ček bio pohranjen.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Dopusti korisniku uređivanje cjenika u transakcijama
 DocType: Pricing Rule,Max Qty,Maksimalna količina
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Ispis izvješća
@@ -1953,7 +1978,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Nakon postavljanja, ova će faktura biti na čekanju do zadanog datuma"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Prodaja Iznos
-DocType: Repayment Schedule,Interest Amount,Iznos kamata
+DocType: Loan Interest Accrual,Interest Amount,Iznos kamata
 DocType: Job Card,Time Logs,Vrijeme Trupci
 DocType: Sales Invoice,Loyalty Amount,Iznos odanosti
 DocType: Employee Transfer,Employee Transfer Detail,Detalj prijenosa zaposlenika
@@ -1968,6 +1993,7 @@
 DocType: Cashier Closing,Returns,vraća
 DocType: Job Card,WIP Warehouse,WIP Skladište
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serijski Ne {0} je pod ugovorom za održavanje upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Granica sankcioniranog iznosa pređena za {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,regrutacija
 DocType: Lead,Organization Name,Naziv organizacije
 DocType: Support Settings,Show Latest Forum Posts,Prikaži najnovije postove na forumu
@@ -1994,7 +2020,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Narudžbenice su stavke dospjele
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Poštanski broj
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Prodaja Naručite {0} {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Izrada Stock unose
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Ne mogu promovirati zaposlenika sa statusom lijevo
@@ -2078,7 +2103,6 @@
 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,Start Year,Početak godine
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Stvorite zajam
 DocType: Purchase Invoice,Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice
 DocType: Shift Type,Process Attendance After,Posjedovanje procesa nakon
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Odaberite svoje domene
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Dobavljač trgovine
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Stavke fakture za plaćanje
+DocType: Repayment Schedule,Is Accrued,Pripisuje se
 DocType: Payroll Entry,Employee Details,Detalji zaposlenika
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Obrada XML datoteka
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Ulaznica za lojalnost
 DocType: Employee Checkin,Shift End,Kraj smjene
 DocType: Stock Settings,Default Item Group,Zadana grupa proizvoda
+DocType: Loan,Partially Disbursed,djelomično Isplaćeno
 DocType: Job Card Time Log,Time In Mins,Vrijeme u minima
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Dati informacije.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ova akcija će prekinuti vezu ovog računa s bilo kojom vanjskom uslugom koja integrira ERPNext s vašim bankovnim računima. To se ne može poništiti. Jesi li siguran ?
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Zatvaranje zajma
 DocType: Call Log,Lead,Potencijalni kupac
 DocType: Email Digest,Payables,Plativ
 DocType: Amazon MWS Settings,MWS Auth Token,MWS autentni token
@@ -2177,6 +2204,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON može se generirati samo iz poslanog dokumenta
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Porez na zaposlenike i beneficije
 DocType: Bank Guarantee,Validity in Days,Valjanost u danima
+DocType: Unpledge,Haircut,Šišanje
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-oblika nije primjenjiv za fakture: {0}
 DocType: Certified Consultant,Name of Consultant,Naziv konzultanta
 DocType: Payment Reconciliation,Unreconciled Payment Details,Nesaglašen Detalji plaćanja
@@ -2229,7 +2257,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Ostatak svijeta
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Stavka {0} ne može imati Hrpa
 DocType: Crop,Yield UOM,Prinos UOM
+DocType: Loan Security Pledge,Partially Pledged,Djelomično založno
 ,Budget Variance Report,Proračun varijance Prijavi
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Iznos sankcije
 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,Get Items from Healthcare Services,Preuzmite stavke iz zdravstvenih usluga
@@ -2264,6 +2294,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Novi postupak kvalitete
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Bilanca računa {0} uvijek mora biti {1}
 DocType: Patient Appointment,More Info,Više informacija
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Datum rođenja ne može biti veći od datuma pridruživanja.
 DocType: Supplier Scorecard,Scorecard Actions,Akcije tablice rezultata
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dobavljač {0} nije pronađen {1}
 DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija
@@ -2360,6 +2391,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Najprije postavite šifru stavke
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc tip
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Stvoreno jamstvo zajma: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Imenovanja i susreta pacijenata
@@ -2415,6 +2447,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Broj istodobnih imenovanja
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Početak rada
 DocType: Purchase Invoice,Taxes and Charges Calculation,Porezi i naknade Proračun
+DocType: Loan Interest Accrual,Payable Principal Amount,Plativi glavni iznos
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatski ulazi u amortizaciju imovine u knjizi
 DocType: BOM Operation,Workstation,Radna stanica
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zahtjev za ponudu dobavljača
@@ -2451,7 +2484,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,hrana
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Starenje Raspon 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalji o voucheru za zatvaranje POS-a
-DocType: Bank Account,Is the Default Account,Je li zadani račun
 DocType: Shopify Log,Shopify Log,Zapisnik trgovine
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nije pronađena komunikacija.
 DocType: Inpatient Occupancy,Check In,Prijava
@@ -2509,12 +2541,14 @@
 DocType: Sales Order Item,Planned Quantity,Planirana količina
 DocType: Water Analysis,Water Analysis Criteria,Kriteriji analize vode
 DocType: Item,Maintain Stock,Upravljanje zalihama
+DocType: Loan Security Unpledge,Unpledge Time,Vrijeme odvrtanja
 DocType: Terms and Conditions,Applicable Modules,Primjenjivi moduli
 DocType: Employee,Prefered Email,Poželjni Email
 DocType: Student Admission,Eligibility and Details,Podobnost i pojedinosti
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Uključeno u bruto dobit
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Neto promjena u dugotrajne imovine
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Ovo je mjesto na kojem se sprema krajnji proizvod.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Maksimalno: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datetime
@@ -2555,8 +2589,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Jamstveni / AMC Status
 ,Accounts Browser,Preglednik računa
 DocType: Procedure Prescription,Referral,upućivanje
+,Territory-wise Sales,Prodaja na teritoriji
 DocType: Payment Entry Reference,Payment Entry Reference,Plaćanje Ulaz Referenca
 DocType: GL Entry,GL Entry,GL ulaz
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Redak # {0}: Prihvaćena skladišta i skladišta dobavljača ne mogu biti isti
 DocType: Support Search Source,Response Options,Opcije odgovora
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Primijenite više pravila o cijenama
 DocType: HR Settings,Employee Settings,Postavke zaposlenih
@@ -2617,6 +2653,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Poljoprivreda (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Odreskom
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Postavite Nameing Series za {0} putem Postavke&gt; Postavke&gt; Imenovanje serija
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Najam ureda
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Postavke SMS pristupnika
 DocType: Disease,Common Name,Uobičajeno ime
@@ -2633,6 +2670,7 @@
 DocType: Item,Sales Details,Prodajni detalji
 DocType: Coupon Code,Used,koristi
 DocType: Opportunity,With Items,S Stavke
+DocType: Vehicle Log,last Odometer Value ,zadnja vrijednost odometra
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampanja &quot;{0}&quot; već postoji za {1} &quot;{2}&quot;
 DocType: Asset Maintenance,Maintenance Team,Tim za održavanje
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Redoslijed u kojim će se odjeljcima pojaviti. 0 je prvo, 1 je drugo i tako dalje."
@@ -2643,7 +2681,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Rashodi Zatraži {0} već postoji za vozila Prijava
 DocType: Asset Movement Item,Source Location,Izvor lokacije
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Naziv Institut
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Unesite iznos otplate
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Unesite iznos otplate
 DocType: Shift Type,Working Hours Threshold for Absent,Prag radnog vremena za odsutne
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Može postojati višestruki skupni faktor zbirke na temelju ukupnog utrošenog. Ali pretvorbeni faktor za iskupljenje uvijek će biti isti za cijelu razinu.
 apps/erpnext/erpnext/config/help.py,Item Variants,Stavka Varijante
@@ -2667,6 +2705,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} mora biti manji od {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Prvo odaberite vrstu podnositelja zahtjeva
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Odaberite BOM, Qty i za skladište"
 DocType: GST HSN Code,GST HSN Code,GST HSN kod
 DocType: Employee External Work History,Total Experience,Ukupno Iskustvo
@@ -2757,7 +2796,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Nije pronađena aktivna BOM za stavku {0}. Dostava po \ Serial No ne može se osigurati
 DocType: Sales Partner,Sales Partner Target,Prodajni plan prodajnog partnera
-DocType: Loan Type,Maximum Loan Amount,Maksimalni iznos kredita
+DocType: Loan Application,Maximum Loan Amount,Maksimalni iznos kredita
 DocType: Coupon Code,Pricing Rule,Pravila cijena
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplikat broja valjaka za učenika {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Materijal Zahtjev za Narudžbenica
@@ -2780,6 +2819,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Odsustvo uspješno dodijeljeno za {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Nema proizvoda za pakiranje
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Trenutno su podržane samo .csv i .xlsx datoteke
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Postavite sustav imenovanja zaposlenika u Ljudski resursi&gt; HR postavke
 DocType: Shipping Rule Condition,From Value,Od Vrijednost
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Proizvedena količina je obvezna
 DocType: Loan,Repayment Method,Način otplate
@@ -2863,6 +2903,7 @@
 DocType: Customer,Customer POS Id,ID klijenta POS
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student s adresom e-pošte {0} ne postoji
 DocType: Account,Account Name,Naziv računa
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Iznos sankcioniranog zajma već postoji za {0} protiv tvrtke {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio
 DocType: Pricing Rule,Apply Discount on Rate,Primijenite popust na rate
@@ -2934,6 +2975,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Neto dobit
 DocType: Purchase Invoice,Eligibility For ITC,Podobnost za ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,Ulaz Tip
 ,Customer Credit Balance,Kupac saldo
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto promjena u obveze prema dobavljačima
@@ -2945,6 +2987,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID uređaja za posjećenost (ID biometrijske / RF oznake)
 DocType: Quotation,Term Details,Oročeni Detalji
 DocType: Item,Over Delivery/Receipt Allowance (%),Naknada za dostavu / primanje (%)
+DocType: Appointment Letter,Appointment Letter Template,Predložak pisma o imenovanju
 DocType: Employee Incentive,Employee Incentive,Poticaj zaposlenika
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Ukupno (Bez poreza)
@@ -2967,6 +3010,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Prekini vezu Plaćanje o otkazu fakture
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Obračunska kamata na zajam
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Trenutno stanje kilometraže ušao bi trebala biti veća od početne vozila kilometraže {0}
 ,Purchase Order Items To Be Received or Billed,Kupnja stavki za primanje ili naplatu
 DocType: Restaurant Reservation,No Show,Nema prikazivanja
@@ -3052,6 +3096,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Troškovno mjesto potrebno je za račun dobiti i gubitka {2}. Molimo postaviti zadano mjesto troška.
 DocType: Payment Schedule,Payment Term,Rok plaćanja
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Postoji grupa kupaca sa istim imenom. Promijenite naziv kupca ili naziv grupe kupaca.
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Datum završetka prijema trebao bi biti veći od datuma početka upisa.
 DocType: Location,Area,područje
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Novi Kontakt
 DocType: Company,Company Description,Opis Tvrtke
@@ -3126,6 +3171,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Prijenos podataka
 DocType: Purchase Order Item,Warehouse and Reference,Skladište i reference
 DocType: Payroll Period Date,Payroll Period Date,Datum razdoblja obračuna plaće
+DocType: Loan Disbursement,Against Loan,Protiv zajma
 DocType: Supplier,Statutory info and other general information about your Supplier,Zakonska info i druge opće informacije o vašem Dobavljaču
 DocType: Item,Serial Nos and Batches,Serijski brojevi i serije
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Snaga grupe učenika
@@ -3191,6 +3237,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Odaberite tvrtku
 DocType: Delivery Settings,Delivery Settings,Postavke isporuke
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Dohvatite podatke
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Ne može se poništiti više od {0} broj od {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimalni dopust dopušten u dopuštenoj vrsti {0} je {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Objavite 1 predmet
 DocType: SMS Center,Create Receiver List,Stvaranje Receiver popis
@@ -3339,6 +3386,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Baza Iznos (Društvo valuta)
 DocType: Purchase Invoice,Registered Regular,Registrirano redovito
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Sirovine
+DocType: Plaid Settings,sandbox,kutija s pijeskom
 DocType: Payment Reconciliation Payment,Reference Row,Referentni Row
 DocType: Installation Note,Installation Time,Vrijeme instalacije
 DocType: Sales Invoice,Accounting Details,Računovodstvo Detalji
@@ -3351,12 +3399,11 @@
 DocType: Leave Ledger Entry,Transaction Type,vrsta transakcije
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriterij prihvaćanja
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Unesite materijala zahtjeva u gornjoj tablici
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Ukupno obveze prema dobavljačima iznos
 DocType: Task,Expected Time (in hours),Očekivani vrijeme (u satima)
 DocType: Item Reorder,Check in (group),Check in (grupa)
 DocType: Soil Texture,Silt,Mulj
@@ -3387,6 +3434,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Odbitak poreza za nepodoban dokaz o oslobođenju poreza
 DocType: Volunteer,Anytime,Bilo kada
 DocType: Bank Account,Bank Account No,Bankovni račun br
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Isplata i otplata
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Podnošenje dokaza o izuzeću od izuzeća od zaposlenika
 DocType: Patient,Surgical History,Kirurška povijest
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3450,6 +3498,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Napravite laboratorijske testove na prodajnoj dostavnici
 DocType: Serial No,Invoice Details,Pojedinosti fakture
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Struktura plaće mora se podnijeti prije podnošenja Izjave o porezu
+DocType: Loan Application,Proposed Pledges,Predložena obećanja
 DocType: Grant Application,Show on Website,Pokaži na web stranici
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Započnite
 DocType: Hub Tracked Item,Hub Category,Kategorija hubova
@@ -3461,7 +3510,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Stalna ocjena dobavljača
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Redak {0}: broj materijala koji nije pronađen za stavku {1}
 DocType: Contract Fulfilment Checklist,Requirement,Zahtjev
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Postavite sustav imenovanja zaposlenika u Ljudski resursi&gt; HR postavke
 DocType: Journal Entry,Accounts Receivable,Potraživanja
 DocType: Quality Goal,Objectives,Ciljevi
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Uloga je dopuštena za kreiranje sigurnosne aplikacije za odlazak
@@ -3474,6 +3522,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Uključi pomirio objave
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Ukupni dodijeljeni iznos ({0}) namazan je od uplaćenog iznosa ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuirati optužbi na temelju
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Plaćeni iznos ne može biti manji od {0}
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR postavke
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Majstori računovodstva
@@ -3619,6 +3668,7 @@
 DocType: Employee,Health Insurance,Zdravstveno osiguranje
 DocType: Asset Repair,Manufacturing Manager,Upravitelj proizvodnje
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serijski Ne {0} je pod jamstvom upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Iznos zajma premašuje maksimalni iznos zajma od {0} po predloženim vrijednosnim papirima
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimalna dopuštena vrijednost
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Korisnik {0} već postoji
 apps/erpnext/erpnext/hooks.py,Shipments,Pošiljke
@@ -3662,7 +3712,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Vrsta poslovanja
 DocType: Sales Invoice,Consumer,Potrošač
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Odaberite Dodijeljeni iznos, Vrsta računa i broj računa u atleast jednom redu"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Postavite Nameing Series za {0} putem Postavke&gt; Postavke&gt; Imenovanje serija
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Trošak kupnje novog
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0}
 DocType: Grant Application,Grant Description,Opis potpore
@@ -3671,6 +3720,7 @@
 DocType: Subscription,Discounts,Popusti
 DocType: Bank Transaction,Unallocated Amount,Nealocirano Količina
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Omogući primjenjivo na narudžbenicu i odnosi se na aktualne troškove rezervacije
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} nije bankovni račun tvrtke
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Ne možete pronaći odgovarajući stavku. Odaberite neku drugu vrijednost za {0}.
 DocType: POS Profile,Taxes and Charges,Porezi i naknade
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Proizvod ili usluga koja je kupljena, prodana ili zadržana na lageru."
@@ -3719,6 +3769,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Vrijedi od datuma mora biti manji od Valid Upto Date.
 DocType: Employee Skill,Evaluation Date,Datum evaluacije
 DocType: Quotation Item,Stock Balance,Skladišna bilanca
+DocType: Loan Security Pledge,Total Security Value,Ukupna vrijednost sigurnosti
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Prodajnog naloga za plaćanje
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Uz plaćanje poreza
@@ -3731,6 +3782,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Račun {0} ne postoji na grafikonu nadzorne ploče {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Prikaži svojstva varijacije
@@ -3812,6 +3864,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutno Vrednovanje Ocijenite
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Broj korijenskih računa ne može biti manji od 4
 DocType: Training Event,Advance,napredovati
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Protiv zajma:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Postavke GoCardless gateway plaćanja
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Razmjena Dobit / gubitak
 DocType: Opportunity,Lost Reason,Razlog gubitka
@@ -3895,8 +3948,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Odaberite šifra serije
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Pogrešna {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Redak {0}: datum rođenja braće ne može biti veći od današnjeg.
 DocType: Fee Validity,Reference Inv,Referenca Inv
 DocType: Sales Invoice Advance,Advance Amount,Iznos predujma
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Kazna kamata (%) po danu
 DocType: Manufacturing Settings,Capacity Planning,Planiranje kapaciteta
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Podešavanje zaokruživanja (valuta tvrtke
 DocType: Asset,Policy number,Broj osiguranja
@@ -3912,7 +3967,9 @@
 DocType: Normal Test Items,Require Result Value,Zahtijevati vrijednost rezultata
 DocType: Purchase Invoice,Pricing Rules,Pravila cijena
 DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice
+DocType: Appointment Letter,Body,Tijelo
 DocType: Tax Withholding Rate,Tax Withholding Rate,Stopa zadržavanja poreza
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Datum početka otplate je obvezan za oročene kredite
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Sastavnice
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,prodavaonice
@@ -3932,7 +3989,7 @@
 DocType: Call Log,Received By,Primljeno od
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trajanje sastanka (u nekoliko minuta)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pojedinosti o predlošku mapiranja novčanog toka
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Upravljanje zajmom
+DocType: Loan,Loan Management,Upravljanje zajmom
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Pratite poseban prihodi i rashodi za vertikala proizvoda ili podjele.
 DocType: Rename Tool,Rename Tool,Preimenovanje
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Update cost
@@ -3940,6 +3997,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Oblik
 DocType: Sales Invoice,Mode of Transport,Način prijevoza
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Prikaži Plaća proklizavanja
+DocType: Loan,Is Term Loan,Je li Term zajam
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Prijenos materijala
 DocType: Fees,Send Payment Request,Pošalji zahtjev za plaćanje
 DocType: Travel Request,Any other details,Sve ostale pojedinosti
@@ -3957,6 +4015,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Novčani tijek iz financijskih
 DocType: Budget Account,Budget Account,proračun računa
 DocType: Quality Inspection,Verified By,Ovjeren od strane
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Dodajte sigurnost kredita
 DocType: Travel Request,Name of Organizer,Naziv Organizatora
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne mogu promijeniti tvrtke zadanu valutu , jer postoje neki poslovi . Transakcije mora biti otkazana promijeniti zadanu valutu ."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Je li obveza poreza na dobit
@@ -4007,6 +4066,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Potrebna On
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ako je označeno, sakriva i onemogućuje polje Zaokruženo ukupno u listićima plaće"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ovo je zadani offset (dani) za datum isporuke u prodajnim narudžbama. Ponovno nadoknađivanje iznosi 7 dana od datuma slanja narudžbe.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Postavite brojevnu seriju za Attendance putem Postavljanje&gt; Numeriranje
 DocType: Rename Tool,File to Rename,Datoteka za Preimenovanje
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Odaberite BOM za točku u nizu {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Dohvati ažuriranja pretplate
@@ -4019,6 +4079,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Napravljeni su serijski brojevi
 DocType: POS Profile,Applicable for Users,Primjenjivo za korisnike
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Od datuma i do dana obvezni su
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Postaviti Projekt i sve zadatke na status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Postavi unaprijed i dodijeliti (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nema stvorenih radnih naloga
@@ -4028,6 +4089,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Predmeti do
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Troškovi kupljene predmete
 DocType: Employee Separation,Employee Separation Template,Predložak za razdvajanje zaposlenika
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Nula {0} založila se za zajam {0}
 DocType: Selling Settings,Sales Order Required,Prodajnog naloga Obvezno
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Postanite prodavač
 ,Procurement Tracker,Tragač za nabavom
@@ -4124,11 +4186,12 @@
 ,Minutes to First Response for Opportunity,Zapisnik na prvi odgovor za priliku
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Ukupno Odsutni
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Iznos koji se plaća
+DocType: Loan Repayment,Payable Amount,Iznos koji se plaća
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Prilika
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maksimalna čvrstoća ne može biti manja od nule.
 DocType: Options,Option,Opcija
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Ne možete stvoriti knjigovodstvene unose u zatvorenom obračunskom razdoblju {0}
 DocType: Operation,Default Workstation,Zadana Workstation
@@ -4170,6 +4233,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Iznos kamate je obvezan
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Sljedeći koraci
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Spremljene stavke
@@ -4240,8 +4304,6 @@
 DocType: Grant Application,Grant Application Details ,Pojedinosti o podnošenju zahtjeva
 DocType: Employee Separation,Employee Separation,Razdvajanje zaposlenika
 DocType: BOM Item,Original Item,Izvorna stavka
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum dokumenta
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Naknada zapisa nastalih - {0}
 DocType: Asset Category Account,Asset Category Account,Imovina Kategorija račun
@@ -4277,6 +4339,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Predmet laboratorijskog testa {0} već postoji
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je praznik tvrtke
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Sati naplate
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Zatezna kamata se svakodnevno obračunava na viši iznos kamate u slučaju kašnjenja s kašnjenjem
+DocType: Appointment Letter content,Appointment Letter content,Sadržaj pisma za sastanak
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Pusti status obavijesti
 DocType: Patient Appointment,Procedure Prescription,Postupak na recept
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Namještaja i rasvjete
@@ -4296,7 +4360,7 @@
 DocType: Opportunity,Customer / Lead Name,Kupac / Potencijalni kupac
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Razmak Datum nije spomenuo
 DocType: Payroll Period,Taxable Salary Slabs,Oporezive plaće
-DocType: Job Card,Production,Proizvodnja
+DocType: Plaid Settings,Production,Proizvodnja
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Nevažeći GSTIN! Uneseni unos ne odgovara formatu GSTIN-a.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Vrijednost računa
 DocType: Guardian,Occupation,Okupacija
@@ -4440,6 +4504,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Zbirka programa lojalnosti
 DocType: Stock Entry Detail,Subcontracted Item,Podugovarana stavka
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Student {0} ne pripada skupini {1}
+DocType: Appointment Letter,Appointment Date,Datum imenovanja
 DocType: Budget,Cost Center,Troška
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,bon #
 DocType: Tax Rule,Shipping Country,Dostava Država
@@ -4510,6 +4575,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Računovodstvena dimenzija
 ,Profit and Loss Statement,Račun dobiti i gubitka
 DocType: Bank Reconciliation Detail,Cheque Number,Ček Broj
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Plaćeni iznos ne može biti nula
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Stavka upućena {0} - {1} već je fakturirana
 ,Sales Browser,prodaja preglednik
 DocType: Journal Entry,Total Credit,Ukupna kreditna
@@ -4626,6 +4692,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Dodavanje / uređivanje uvjeta kupona
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Rashodi / Razlika računa ({0}) mora biti račun 'dobit ili gubitak'
 DocType: Stock Entry Detail,Stock Entry Child,Dijete za ulazak na zalihe
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Zajam za jamstvo zajma i Tvrtka za zajam moraju biti isti
 DocType: Project,Copied From,Kopiran iz
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Račun je već izrađen za sva vremena naplate
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},greška Ime: {0}
@@ -4633,6 +4700,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Je li trošak financiranja
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Gledatelja za zaposlenika {0} već označen
 DocType: Packing Slip,If more than one package of the same type (for print),Ako je više od jedan paket od iste vrste (za tisak)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Postavite sustav imenovanja instruktora u Obrazovanje&gt; Postavke obrazovanja
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Postavite zadani klijent u Postavkama restorana
 ,Salary Register,Plaća Registracija
 DocType: Company,Default warehouse for Sales Return,Zadano skladište za povrat prodaje
@@ -4677,7 +4745,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Trenutni serijski br
 DocType: Employee,Attendance and Leave Details,Pojedinosti o posjetima i odlasci
 ,BOM Comparison Tool,Alat za usporedbu BOM-a
-,Requested,Tražena
+DocType: Loan Security Pledge,Requested,Tražena
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4689,7 +4757,6 @@
 DocType: Drug Prescription,Drug Prescription,Lijek na recept
 DocType: Service Level,Support and Resolution,Podrška i rezolucija
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Besplatni kod predmeta nije odabran
-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
@@ -4723,6 +4790,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Već ste ocijenili kriterije procjene {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Iznos manjka
 DocType: Vehicle Service,Engine Oil,Motorno ulje
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Kreirani radni nalozi: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Molimo vas da odredite ID e-pošte za Lead {0}
@@ -4741,6 +4809,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Račun nije postavljen za grafikon na nadzornoj ploči {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Nanesite dodatni popust na
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Odaberite vrstu ...
+DocType: Loan Interest Accrual,Amounts,iznosi
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše ulaznice
 DocType: Account,Root Type,korijen Tip
 DocType: Item,FIFO,FIFO
@@ -4748,6 +4817,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Red # {0}: Ne može se vratiti više od {1} za točku {2}
 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: Loan Security Price,Loan Security Price,Cijena osiguranja zajma
 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,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Trgovina na malo
@@ -4886,6 +4956,7 @@
 DocType: Coupon Code,Coupon Description,Opis kupona
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Šarža je obavezna u retku {0}
 DocType: Company,Default Buying Terms,Zadani uvjeti kupnje
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Isplata zajma
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Zaprimljena stavka iz primke
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Omogući zakazanu sinkronizaciju
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Za datetime
@@ -4914,6 +4985,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Unesite vrijednost betweeen {0} i {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Unesite naziv kampanje, ako je izvor upit je kampanja"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Novinski izdavači
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Nije pronađena valjana <b>cijena</b> jamstva za <b>zajam</b> {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Budući datumi nisu dopušteni
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Očekivani datum isporuke trebao bi biti nakon datuma prodaje
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Poredaj Razina
@@ -4980,6 +5052,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Prijedlog / Citat
 DocType: Antibiotic,Healthcare,Zdravstvo
 DocType: Target Detail,Target Detail,Ciljana Detalj
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Procesi zajma
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Jedna varijanta
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Svi poslovi
 DocType: Sales Order,% of materials billed against this Sales Order,% robe od ove narudžbe je naplaćeno
@@ -5042,7 +5115,7 @@
 DocType: Item,Reorder level based on Warehouse,Razina redoslijeda na temelju Skladište
 DocType: Activity Cost,Billing Rate,Ocijenite naplate
 ,Qty to Deliver,Količina za otpremu
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Izradite unos isplate
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Izradite unos isplate
 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,Operations cannot be left blank,Rad se ne može ostati prazno
@@ -5076,6 +5149,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Prekini vezu s vanjskim integracijama
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Odaberite odgovarajuće plaćanje
 DocType: Pricing Rule,Item Code,Šifra proizvoda
+DocType: Loan Disbursement,Pending Amount For Disbursal,Iznos koji čeka na raspravu
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Jamstveni / AMC Brodu
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Ručno odaberite studente za Grupu temeljenu na aktivnostima
@@ -5099,6 +5173,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Ukupni broj
 DocType: Landed Cost Item,Receipt Document,Prijem dokumenata
 DocType: Employee Education,School/University,Škola / Sveučilište
+DocType: Loan Security Pledge,Loan  Details,Pojedinosti o zajmu
 DocType: Sales Invoice Item,Available Qty at Warehouse,Dostupna količina na skladištu
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Naplaćeni iznos
 DocType: Share Transfer,(including),(uključujući)
@@ -5122,6 +5197,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupe
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupa po računu
 DocType: Purchase Invoice,Hold Invoice,Držite fakturu
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Status zaloga
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Odaberite zaposlenika
 DocType: Sales Order,Fully Delivered,Potpuno Isporučeno
 DocType: Promotional Scheme Price Discount,Min Amount,Min. Iznos
@@ -5131,7 +5207,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni Iznos ne može biti veća od iznos kredita {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Red {0} # Dodijeljeni iznos {1} ne može biti veći od neimenovanog iznosa {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Nosi proslijeđen lišće
@@ -5159,6 +5234,7 @@
 DocType: Pick List Item,Serial No and Batch,Serijski broj i serije
 DocType: Warranty Claim,From Company,Iz Društva
 DocType: GSTR 3B Report,January,siječanj
+DocType: Loan Repayment,Principal Amount Paid,Iznos glavnice
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Zbroj ocjene kriterija za ocjenjivanje treba biti {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Molimo postavite Broj deprecijaciju Rezervirano
 DocType: Supplier Scorecard Period,Calculations,izračuni
@@ -5184,6 +5260,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vašoj tvrtki
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Pokaži podatke o starenju zaliha
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit na računu mora biti bilanca račun
+DocType: Loan Repayment,Penalty Amount,Iznos kazne
 DocType: Donor,Donor,donator
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ažurirajte poreze na stavke
 DocType: Global Defaults,Disable In Words,Onemogućavanje riječima
@@ -5214,6 +5291,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Troškovno središte i proračun
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Početno stanje kapital
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Djelomični plaćeni ulazak
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Molimo postavite Raspored plaćanja
 DocType: Pick List,Items under this warehouse will be suggested,Predlozi ispod ovog skladišta bit će predloženi
 DocType: Purchase Invoice,N,N
@@ -5247,7 +5325,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nije pronađen za stavku {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrijednost mora biti između {0} i {1}
 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,"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,Message Sent,Poslana poruka
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5261,6 +5338,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Omogući automatsku ponovnu narudžbu
 DocType: Stock Settings,Item Naming By,Proizvod imenovan po
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Drugi period Zatvaranje Stupanje {0} je postignut nakon {1}
+DocType: Proposed Pledge,Proposed Pledge,Predloženo založno pravo
 DocType: Work Order,Material Transferred for Manufacturing,Materijal Preneseni za Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Račun {0} ne postoji
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Odaberite program lojalnosti
@@ -5271,7 +5349,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Postavljanje Događaji na {0}, budući da je zaposlenik u prilogu niže prodaje osoba nema ID korisnika {1}"
 DocType: Timesheet,Billing Details,Detalji o naplati
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Izvorna i odredišna skladište mora biti drugačiji
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Postavite sustav imenovanja zaposlenika u Ljudski resursi&gt; HR postavke
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plaćanje neuspjelo. Više pojedinosti potražite u svojem računu za GoCardless
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nije dopušteno ažuriranje skladišnih transakcija starijih od {0}
 DocType: Stock Entry,Inspection Required,Inspekcija Obvezno
@@ -5284,6 +5361,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Isporuka skladište potrebno za dionicama stavku {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto težina paketa. Obično neto težina + ambalaža težina. (Za tisak)
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Protiv zaloga
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Korisnici s ovom ulogom smiju postaviti zamrznute račune i izradu / izmjenu računovodstvenih unosa protiv zamrznutih računa
 DocType: Plaid Settings,Plaid Environment,Plaid okoliš
 ,Project Billing Summary,Sažetak naplate projekta
@@ -5335,6 +5413,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,serije
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Broj dana termina može se unaprijed rezervirati
 DocType: Article,LMS User,Korisnik LMS-a
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Zalog osiguranja zajma obvezan je za zajam
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Mjesto opskrbe (država / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
@@ -5409,6 +5488,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Izradite Job Card
 DocType: Quotation,Referral Sales Partner,Preporuka prodajni partner
 DocType: Quality Procedure Process,Process Description,Opis procesa
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Ne mogu se ukloniti, vrijednost jamstva zajma je veća od otplaćenog iznosa"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Korisnik {0} je stvoren.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5429,7 +5509,7 @@
 DocType: Asset,Insurance Details,Detalji osiguranje
 DocType: Account,Payable,Plativ
 DocType: Share Balance,Share Type,Vrsta dijeljenja
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Unesite razdoblja otplate
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Unesite razdoblja otplate
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dužnici ({0})
 DocType: Pricing Rule,Margin,Marža
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Novi kupci
@@ -5438,6 +5518,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Promjena POS profila
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Količina ili iznos je mandatroy za osiguranje kredita
 DocType: Bank Reconciliation Detail,Clearance Date,Razmak Datum
 DocType: Delivery Settings,Dispatch Notification Template,Predložak obavijesti o otpremi
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Izvješće o procjeni
@@ -5473,6 +5554,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Dijelite knjigu
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Izrađena je prodajna faktura {0}
 DocType: Employee,Confirmation Date,potvrda Datum
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 DocType: Inpatient Occupancy,Check Out,Provjeri
 DocType: C-Form,Total Invoiced Amount,Ukupno Iznos dostavnice
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Minimalna količina ne može biti veća od maksimalne količine
@@ -5486,7 +5569,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID tvrtke QuickBooks
 DocType: Travel Request,Travel Funding,Financiranje putovanja
 DocType: Employee Skill,Proficiency,vještina
-DocType: Loan Application,Required by Date,Potrebna po datumu
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detalji potvrde o kupnji
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Veza na sve lokacije u kojima raste usjeva
 DocType: Lead,Lead Owner,Vlasnik potencijalnog kupca
@@ -5505,7 +5587,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plaća proklizavanja ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dobavljač&gt; vrsta dobavljača
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Višestruke inačice
 DocType: Sales Invoice,Against Income Account,Protiv računu dohotka
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Isporučeno
@@ -5538,7 +5619,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Troškovi tipa Vrednovanje se ne može označiti kao Inclusive
 DocType: POS Profile,Update Stock,Ažuriraj zalihe
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Pojedinosti o plaćanju
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM stopa
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Čitanje prenesene datoteke
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Zaustavljen radni nalog ne može se otkazati, prvo ga otkazati"
@@ -5573,6 +5654,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Maksimalna vrijednost zajma
 ,Stock Ledger,Glavna knjiga
 DocType: Company,Exchange Gain / Loss Account,Razmjena Dobit / gubitka
 DocType: Amazon MWS Settings,MWS Credentials,MWS vjerodajnice
@@ -5580,6 +5662,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Svrha mora biti jedna od {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Ispunite obrazac i spremite ga
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Nema dopuštenih zaposlenika: {0} za vrstu odmora: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Stvarni kvota na zalihi
 DocType: Homepage,"URL for ""All Products""",URL za &quot;sve proizvode&quot;
 DocType: Leave Application,Leave Balance Before Application,Bilanca odsustva prije predaje zahtjeva
@@ -5681,7 +5764,6 @@
 DocType: Fee Schedule,Fee Schedule,Naknada Raspored
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Oznake stupaca:
 DocType: Bank Transaction,Settled,Obavljene
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Datum isplate ne može biti nakon početnog datuma vraćanja zajma
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Uspjeh
 DocType: Quality Feedback,Parameters,parametri
 DocType: Company,Create Chart Of Accounts Based On,Izrada kontnog plana na temelju
@@ -5701,6 +5783,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Uvjeti ograničenja i plaćanja kredita
 DocType: Loyalty Program,Collection Rules,Pravila za prikupljanje
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Stavka 3
+DocType: Loan Security Shortfall,Shortfall Time,Vrijeme pada
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Unos narudžbe
 DocType: Purchase Order,Customer Contact Email,Kupac Kontakt e
 DocType: Warranty Claim,Item and Warranty Details,Stavka i jamstvo Detalji
@@ -5720,12 +5803,14 @@
 DocType: Sales Person,Sales Person Name,Ime prodajne osobe
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Unesite atleast jedan račun u tablici
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nije izrađen laboratorijski test
+DocType: Loan Security Shortfall,Security Value ,Vrijednost sigurnosti
 DocType: POS Item Group,Item Group,Grupa proizvoda
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Skupina studenata:
 DocType: Depreciation Schedule,Finance Book Id,ID knjige financiranja
 DocType: Item,Safety Stock,Sigurnost Stock
 DocType: Healthcare Settings,Healthcare Settings,Postavke zdravstvene zaštite
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Ukupno dopuštena lišća
+DocType: Appointment Letter,Appointment Letter,Pismo o sastanku
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Napredak% za zadatak ne može biti više od 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Prije pomirenja
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Za {0}
@@ -5780,6 +5865,7 @@
 DocType: Stock Entry,From BOM,Od sastavnice
 DocType: Assessment Code,Assessment Code,kod procjena
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Osnovni
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Prijave za zajmove od kupaca i zaposlenika.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Stock transakcije prije {0} se zamrznut
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Molimo kliknite na ""Generiraj raspored '"
 DocType: Job Card,Current Time,Trenutno vrijeme
@@ -5806,7 +5892,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nema studentskih grupa stvorena.
 DocType: Purchase Invoice Item,Serial No,Serijski br
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečni iznos otplate ne može biti veća od iznosa kredita
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečni iznos otplate ne može biti veća od iznosa kredita
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Unesite prva Maintaince Detalji
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Red # {0}: očekivani datum isporuke ne može biti prije datuma narudžbe
 DocType: Purchase Invoice,Print Language,Ispis Language
@@ -5820,6 +5906,7 @@
 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,All Territories,Sve teritorije
+DocType: Plaid Settings,development,razvoj
 DocType: Lost Reason Detail,Lost Reason Detail,Detalj o izgubljenom razlogu
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Nevažeća narudžba pokrivača za odabrane kupce i stavku
@@ -5882,12 +5969,14 @@
 DocType: Staffing Plan Detail,Current Openings,Trenutni otvori
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Novčani tijek iz redovnog poslovanja
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Iznos CGST
+DocType: Vehicle Log,Current Odometer value ,Trenutna vrijednost odometra
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Stvorite Student
 DocType: Asset Movement Item,Asset Movement Item,Stavka kretanja imovine
 DocType: Purchase Invoice,Shipping Rule,Dostava Pravilo
 DocType: Patient Relation,Spouse,Suprug
 DocType: Lab Test Groups,Add Test,Dodajte test
 DocType: Manufacturer,Limited to 12 characters,Ograničiti na 12 znakova
+DocType: Appointment Letter,Closing Notes,Završne napomene
 DocType: Journal Entry,Print Heading,Ispis naslova
 DocType: Quality Action Table,Quality Action Table,Tablica kvalitete kvalitete
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Ukupna ne može biti nula
@@ -5954,6 +6043,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Ukupno (AMT)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Identificirajte / kreirajte račun (grupu) za vrstu - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Zabava i slobodno vrijeme
+DocType: Loan Security,Loan Security,Zajam zajma
 ,Item Variant Details,Pojedinosti varijante stavke
 DocType: Quality Inspection,Item Serial No,Serijski broj proizvoda
 DocType: Payment Request,Is a Subscription,Je li pretplata
@@ -5966,7 +6056,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Najnovije doba
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Zakazani i prihvaćeni datumi ne mogu biti manji nego danas
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Prebaci Materijal Dobavljaču
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može biti na skladištu. Skladište mora biti postavljen od strane međuskladišnice ili primke
 DocType: Lead,Lead Type,Tip potencijalnog kupca
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Napravi ponudu
@@ -5984,7 +6073,6 @@
 DocType: Leave Allocation,Leave Period,Ostavite razdoblje
 DocType: Item,Default Material Request Type,Zadana Materijal Vrsta zahtjeva
 DocType: Supplier Scorecard,Evaluation Period,Razdoblje procjene
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kupac&gt; Grupa kupaca&gt; Teritorij
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nepoznat
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Radni nalog nije izrađen
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6068,7 +6156,8 @@
 ,Customer-wise Item Price,Kupcima prilagođena cijena
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Izvještaj o novčanom tijeku
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nije stvoren materijalni zahtjev
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od maksimalnog iznosa zajma {0}
+DocType: Loan,Loan Security Pledge,Zalog osiguranja zajma
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,licenca
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6086,6 +6175,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Shema popusta na cijene
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Status održavanja mora biti poništen ili dovršen za slanje
 DocType: Amazon MWS Settings,US,NAS
+DocType: Loan Security Pledge,Pledged,obećao
 DocType: Holiday List,Add Weekly Holidays,Dodajte tjedne praznike
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Stavka izvješća
 DocType: Staffing Plan Detail,Vacancies,Slobodna radna mjesta
@@ -6104,7 +6194,6 @@
 DocType: Production Plan Item,Planned Start Date,Planirani datum početka
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Odaberite BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Availed ITC integrirani porez
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Izradite unos otplate
 DocType: Purchase Order Item,Blanket Order Rate,Brzina narudžbe
 ,Customer Ledger Summary,Sažetak knjige klijenta
 apps/erpnext/erpnext/hooks.py,Certification,potvrda
@@ -6125,6 +6214,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Procjena Predložak Naslov
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,trgovački
 DocType: Patient,Alcohol Current Use,Tekuća upotreba alkohola
+DocType: Loan,Loan Closure Requested,Zatraženo zatvaranje zajma
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Iznos plaćanja iznajmljivanja kuće
 DocType: Student Admission Program,Student Admission Program,Program upisa studenata
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Kategorija oslobođenja od plaćanja poreza
@@ -6148,6 +6238,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Prodaja
 DocType: Stock Entry Detail,Basic Amount,Osnovni iznos
 DocType: Training Event,Exam,Ispit
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Nedostatak sigurnosti zajma u procesu
 DocType: Email Campaign,Email Campaign,Kampanja e-pošte
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Pogreška na tržištu
 DocType: Complaint,Complaint,prigovor
@@ -6227,6 +6318,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Pošaljite ovo kako biste stvorili zapisnik zaposlenika
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Cijena osiguranja zajma koji se preklapa s {0}
 DocType: Item Default,Item Default,Stavka je zadana
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Unutarnje države
 DocType: Chapter Member,Leave Reason,Ostavite razlog
@@ -6253,6 +6345,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Kuponi se koriste {1}. Dozvoljena količina se iscrpljuje
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Želite li poslati materijalni zahtjev
 DocType: Job Offer,Awaiting Response,Očekujem odgovor
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Zajam je obvezan
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Iznad
 DocType: Support Search Source,Link Options,Mogućnosti veze
@@ -6265,6 +6358,7 @@
 DocType: Training Event Employee,Optional,neobavezan
 DocType: Salary Slip,Earning & Deduction,Zarada &amp; Odbitak
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode
+DocType: Pledge,Post Haircut Amount,Iznos pošiljanja frizure
 DocType: Sales Order,Skip Delivery Note,Preskočite dostavnicu
 DocType: Price List,Price Not UOM Dependent,Cijena nije UOM ovisna
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,Stvorene su varijante {0}.
@@ -6291,6 +6385,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Se predmeti s Bundle proizvoda
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Način otplate je obvezan za oročene kredite
 DocType: Asset,Straight Line,Ravna crta
 DocType: Project User,Project User,Korisnik projekta
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Split
@@ -6335,7 +6430,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uloga dopušteno postavljanje blokada računa i uređivanje Frozen Entries
 DocType: Supplier Scorecard Scoring Variable,Path,Staza
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ne može se pretvoriti troška za knjigu , kao da ima djece čvorova"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor konverzije UOM ({0} -&gt; {1}) nije pronađen za stavku: {2}
 DocType: Production Plan,Total Planned Qty,Ukupni planirani broj
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcije su već povučene iz izjave
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Otvaranje vrijednost
@@ -6344,11 +6438,8 @@
 DocType: Material Request Plan Item,Required Quantity,Potrebna količina
 DocType: Lab Test Template,Lab Test Template,Predložak testa laboratorija
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Računovodstveno razdoblje se preklapa s {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dobavljač&gt; vrsta dobavljača
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Račun prodaje
 DocType: Purchase Invoice Item,Total Weight,Totalna tezina
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument"
 DocType: Pick List Item,Pick List Item,Odaberi stavku popisa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija za prodaju
 DocType: Job Offer Term,Value / Description,Vrijednost / Opis
@@ -6395,6 +6486,7 @@
 DocType: Patient Encounter,Encounter Date,Datum susreta
 DocType: Work Order,Update Consumed Material Cost In Project,Ažuriranje troškova utrošenog materijala u projektu
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutom: {1} ne može se odabrati
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Krediti kupcima i zaposlenicima.
 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
@@ -6463,7 +6555,6 @@
 DocType: Contract,Signed On,Potpisan
 DocType: Bank Account,Party Type,Tip stranke
 DocType: Discounted Invoice,Discounted Invoice,Račun s popustom
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b>
 DocType: Payment Schedule,Payment Schedule,Raspored plaćanja
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Za određenu vrijednost polja zaposlenika nije pronađen nijedan zaposlenik. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Skraćenica
@@ -6535,6 +6626,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Vjerovnici
 DocType: Assessment Plan,Assessment Name,Naziv Procjena
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Red # {0}: Serijski br obvezno
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Za zatvaranje zajma potreban je iznos {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Porezna Detalj
 DocType: Employee Onboarding,Job Offer,Ponuda za posao
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut naziv
@@ -6558,7 +6650,6 @@
 DocType: Purchase Order,To Receive,Primiti
 DocType: Leave Period,Holiday List for Optional Leave,Popis za odmor za izborni dopust
 DocType: Item Tax Template,Tax Rates,Porezne stope
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod artikla&gt; Grupa artikala&gt; Marka
 DocType: Asset,Asset Owner,Vlasnik imovine
 DocType: Item,Website Content,Sadržaj web stranice
 DocType: Bank Account,Integration ID,Integracijski ID
@@ -6575,6 +6666,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Sinkronizacijske narudžbe
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Narudžbe objavljen za proizvodnju.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Odaberite fiskalnu godinu ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Odaberite vrstu kredita za tvrtku {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profil potrebna da bi POS unos
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6603,6 +6695,7 @@
 DocType: Customer,Mention if non-standard receivable account,Spomenuti ako nestandardni potraživanja račun
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Dodajte preostale pogodnosti {0} na bilo koju postojeću komponentu
+DocType: Bank Account,Is Default Account,Je zadani račun
 DocType: Journal Entry Account,If Income or Expense,Ako prihoda i rashoda
 DocType: Course Topic,Course Topic,Tema predmeta
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Prostor za zatvaranje bonova za POS postoji {0} između datuma {1} i {2}
@@ -6615,7 +6708,7 @@
 DocType: Disease,Treatment Task,Zadatak liječenja
 DocType: Payment Order Reference,Bank Account Details,Detalji bankovnog računa
 DocType: Purchase Order Item,Blanket Order,Narudžba pokrivača
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Iznos otplate mora biti veći od
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Iznos otplate mora biti veći od
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,porezna imovina
 DocType: BOM Item,BOM No,BOM br.
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Ažuriraj pojedinosti
@@ -6671,6 +6764,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce proizvodi
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},sintaktička pogreška u formuli ili stanja: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Proizvod {0} se ignorira budući da nije skladišni artikal
+,Loan Security Status,Status osiguranja zajma
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Da se ne primjenjuje pravilo Cijene u određenoj transakciji, svim primjenjivim pravilima cijena bi trebala biti onemogućen."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dan (i) nakon završetka mjeseca fakture
 DocType: Assessment Group,Parent Assessment Group,Roditelj Grupa procjena
@@ -6685,7 +6779,6 @@
 DocType: Stock Entry Detail,Additional Cost,Dodatni trošak
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer"
 DocType: Quality Inspection,Incoming,Dolazni
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Postavite brojevnu seriju za Attendance putem Postavljanje&gt; Numeriranje serija
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Osnovni su predlošci poreza za prodaju i kupnju.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Zapis ocjena rezultata {0} već postoji.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Primjer: ABCD. #####. Ako je niz postavljen, a transakcije se ne navode u Batch No, tada će se automatski izračunati broj serije na temelju ove serije. Ako uvijek želite izričito spomenuti Nijednu seriju za ovu stavku, ostavite to prazno. Napomena: ta će postavka imati prednost pred Prefiksom serije naziva u Stock Settings."
@@ -6696,8 +6789,10 @@
 DocType: Contract,Party User,Korisnik stranke
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Sredstva nisu stvorena za <b>{0}</b> . Morat ćete stvoriti imovinu ručno.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Postavite prazan filtar Tvrtke ako je Skupna pošta &quot;Tvrtka&quot;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kupac&gt; Grupa kupaca&gt; Teritorij
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Knjiženja Datum ne može biti datum u budućnosti
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Red # {0}: Serijski br {1} ne odgovara {2} {3}
+DocType: Loan Repayment,Interest Payable,Kamata se plaća
 DocType: Stock Entry,Target Warehouse Address,Adresa ciljne skladišta
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual dopust
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Vrijeme prije početka vremena smjene tijekom kojeg se prijava zaposlenika uzima u obzir za prisustvo.
@@ -6826,6 +6921,7 @@
 DocType: Issue,Reset Service Level Agreement,Poništite ugovor o razini usluge
 ,Sales Person-wise Transaction Summary,Pregled prometa po prodavaču
 DocType: Training Event,Contact Number,Kontakt broj
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Iznos zajma je obvezan
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6874,6 +6970,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Bilanca kol
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Uvjeti će se primjenjivati na sve odabrane stavke zajedno.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Ciljevi ne može biti prazan
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Pogrešno skladište
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Upisuje studente
 DocType: Item Group,Parent Item Group,Nadređena grupa proizvoda
 DocType: Appointment Type,Appointment Type,Vrsta imenovanja
@@ -6927,10 +7024,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prosječna stopa
 DocType: Appointment,Appointment With,Sastanak s
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupni iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Stavka opskrbljena kupcem&quot; ne može imati stopu vrednovanja
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Banka Izjava stanje po glavnom knjigom
-DocType: Job Applicant,Applicant Name,Podnositelj zahtjeva Ime
+DocType: Appointment Letter,Applicant Name,Podnositelj zahtjeva Ime
 DocType: Authorization Rule,Customer / Item Name,Kupac / Stavka Ime
 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**. 
 
@@ -6974,11 +7072,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribucija
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Status zaposlenika ne može se postaviti na &quot;Lijevo&quot;, jer sljedeći zaposlenici trenutno prijavljuju ovog zaposlenika:"
-DocType: Journal Entry Account,Loan,Zajam
+DocType: Loan Repayment,Amount Paid,Plaćeni iznos
+DocType: Loan Security Shortfall,Loan,Zajam
 DocType: Expense Claim Advance,Expense Claim Advance,Predujam za troškove
 DocType: Lab Test,Report Preference,Prednost izvješća
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Dobrovoljne informacije.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Voditelj projekta
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grupiranje prema kupcu
 ,Quoted Item Comparison,Citirano predmeta za usporedbu
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Otpremanje
@@ -6998,6 +7098,7 @@
 DocType: Material Request Plan Item,Material Issue,Materijal Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Besplatna stavka nije postavljena u pravilu o cijenama {0}
 DocType: Employee Education,Qualification,Kvalifikacija
+DocType: Loan Security Shortfall,Loan Security Shortfall,Nedostatak sigurnosti zajma
 DocType: Item Price,Item Price,Cijena proizvoda
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sapun i deterdžent
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zaposlenik {0} ne pripada tvrtki {1}
@@ -7020,6 +7121,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Pojedinosti o imenovanju
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Gotov proizvod
 DocType: Warehouse,Warehouse Name,Naziv skladišta
+DocType: Loan Security Pledge,Pledge Time,Vrijeme zaloga
 DocType: Naming Series,Select Transaction,Odaberite transakciju
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Unesite Odobravanje ulogu ili Odobravanje korisnike
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Ugovor o razini usluge s tipom entiteta {0} i entitetom {1} već postoji.
@@ -7027,7 +7129,6 @@
 DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ako je omogućeno, polje Akademsko razdoblje bit će obvezno u Alatu za upis na program."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vrijednosti izuzetih, nultih bodova i unutarnjih isporuka bez GST-a"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kupac&gt; Grupa kupaca&gt; Teritorij
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Tvrtka</b> je obvezan filtar.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Poništite sve
 DocType: Purchase Taxes and Charges,On Item Quantity,Na Količina predmeta
@@ -7072,7 +7173,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatak Kom
 DocType: Purchase Invoice,Input Service Distributor,Distributer ulaznih usluga
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Inačica Stavka {0} postoji s istim atributima
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Postavite sustav imenovanja instruktora u Obrazovanje&gt; Postavke obrazovanja
 DocType: Loan,Repay from Salary,Vrati iz plaće
 DocType: Exotel Settings,API Token,API token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Zahtjev za isplatu od {0} {1} za iznos {2}
@@ -7092,6 +7192,7 @@
 DocType: Salary Slip,Total Interest Amount,Ukupni iznos kamate
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Dani tišine
 DocType: Travel Itinerary,Arrival Datetime,Datum dolaska
 DocType: Tax Rule,Billing Zipcode,Poštanski broj za slanje računa
@@ -7278,6 +7379,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Sati
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Za vas je stvoren novi sastanak s uslugom {0}
 DocType: Project,Expected Start Date,Očekivani datum početka
+DocType: Work Order,This is a location where raw materials are available.,Ovo je mjesto na kojem su dostupne sirovine.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Ispravak u fakturi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Radni nalog već stvoren za sve stavke s BOM-om
 DocType: Bank Account,Party Details,Detalji stranke
@@ -7296,6 +7398,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,citati:
 DocType: Contract,Partially Fulfilled,Djelomično ispunjeno
 DocType: Maintenance Visit,Fully Completed,Potpuno Završeni
+DocType: Loan Security,Loan Security Name,Naziv osiguranja zajma
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Posebni znakovi osim &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; I &quot;}&quot; nisu dopušteni u imenovanju serija"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Nema ocjene ili je izuzetan
 DocType: Employee,Educational Qualification,Obrazovne kvalifikacije
@@ -7352,6 +7455,7 @@
 DocType: Program,Is Featured,Je istaknuto
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Preuzimanje u tijeku ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Korisnik poljoprivrede
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Vrijednost do datuma ne može biti prije datuma transakcije
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7428,8 +7532,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Zaposlenik {0} je na dopustu na {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Nije odabrana otplata za unos dnevnika
 DocType: Purchase Invoice,GST Category,GST kategorija
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Predložene zaloge su obavezne za osigurane zajmove
 DocType: Payment Reconciliation,From Invoice Date,Iz dostavnice Datum
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Proračuni
 DocType: Invoice Discounting,Disbursed,isplaćeni
@@ -7487,14 +7591,13 @@
 DocType: Restaurant,Active Menu,Aktivni izbornik
 DocType: Accounting Dimension Detail,Default Dimension,Zadana dimenzija
 DocType: Target Detail,Target Qty,Ciljana Kol
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Protiv zajma: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Blagajna Postavke
 DocType: Student Attendance,Present,Sadašnje
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Otpremnica {0} ne smije biti potvrđena
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Popis plaće upućen zaposleniku bit će zaštićen lozinkom, a lozinka će se generirati na temelju pravila o zaporkama."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,mjerač za pređeni put
 DocType: Production Plan Item,Ordered Qty,Naručena kol
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Stavka {0} je onemogućen
 DocType: Stock Settings,Stock Frozen Upto,Kataloški Frozen Upto
@@ -7551,7 +7654,6 @@
 DocType: Serial No,Delivery Document Type,Dokument isporuke - tip
 DocType: Sales Order,Partly Delivered,Djelomično isporučeno
 DocType: Item Variant Settings,Do not update variants on save,Ne ažurirajte inačice spremanja
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,Potraživanja
 DocType: Lead Source,Lead Source,Izvor potencijalnog kupca
 DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu.
@@ -7648,6 +7750,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Stvaran
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Voditelj restorana
+DocType: Loan,Penalty Income Account,Račun primanja penala
 DocType: Call Log,Call Log,Popis poziva
 DocType: Authorization Rule,Customerwise Discount,Customerwise Popust
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet za zadatke.
@@ -7735,6 +7838,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Shema popusta na proizvode
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Nazivatelj nije pokrenuo nijedan problem.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Grupiranje po dobavljaču
 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,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
@@ -7745,7 +7849,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,savjetodavni
 DocType: Subscription Plan,Based on price list,Na temelju cjenika
 DocType: Customer Group,Parent Customer Group,Nadređena grupa kupaca
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON može se generirati samo iz prodajne fakture
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Došli su maksimalni pokušaji ovog kviza!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Pretplata
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Kreiranje pristojbe na čekanju
@@ -7763,6 +7866,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Preventivni remont
 DocType: Delivery Note Item,Against Sales Invoice,Protiv prodaje fakture
 DocType: Purchase Invoice,07-Others,07-Ostalo
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Iznos kotacije
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Unesite serijske brojeve za serijsku stavku
 DocType: Bin,Reserved Qty for Production,Rezervirano Kol za proizvodnju
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Ostavite neoznačeno ako ne želite razmotriti grupu dok stvarate grupe temeljene na tečajima.
@@ -7870,6 +7974,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Plaćanje Potvrda Napomena
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Izradite materijalni zahtjev
+DocType: Loan Interest Accrual,Pending Principal Amount,Na čekanju glavni iznos
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",Datumi završetka i datumi koji nisu u važećem platnom roku ne mogu izračunati {0}
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7913,6 +8018,7 @@
 											to fullfill Sales Order {2}",Nije moguće prikazati serijski broj {0} stavke {1} kao što je rezervirano \ da bi se ispunio prodajni nalog {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Dobavljač Navod {0} stvorio
+DocType: Loan Security Unpledge,Unpledge Type,Vrsta unpledge
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Godina završetka ne može biti prije Početak godine
 DocType: Employee Benefit Application,Employee Benefits,Primanja zaposlenih
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID zaposlenika
@@ -7995,6 +8101,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Šifra predmeta:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Unesite trošak računa
 DocType: Quality Action Resolution,Problem,Problem
+DocType: Loan Security Type,Loan To Value Ratio,Omjer zajma prema vrijednosti
 DocType: Account,Stock,Lager
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8012,6 +8119,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Unos transakcije bankovnih transakcija
 DocType: Sales Invoice Item,Discount and Margin,Popusti i margina
 DocType: Lab Test,Prescription,Recept
+DocType: Process Loan Security Shortfall,Update Time,Vrijeme ažuriranja
 DocType: Import Supplier Invoice,Upload XML Invoices,Prenesite XML fakture
 DocType: Company,Default Deferred Revenue Account,Zadani odgođeni račun prihoda
 DocType: Project,Second Email,Druga e-pošta
@@ -8025,7 +8133,7 @@
 DocType: Quality Action,Preventive,preventivan
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Isporuka za neregistrirane osobe
 DocType: Company,Date of Incorporation,Datum ugradnje
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Ukupno porez
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Ukupno porez
 DocType: Manufacturing Settings,Default Scrap Warehouse,Zadana skladišta otpada
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Zadnja kupovna cijena
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Kol) je obavezno
@@ -8044,6 +8152,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Postavite zadani način plaćanja
 DocType: Stock Entry Detail,Against Stock Entry,Protiv unosa dionica
 DocType: Grant Application,Withdrawn,povučen
+DocType: Loan Repayment,Regular Payment,Redovna uplata
 DocType: Support Search Source,Support Search Source,Potražite izvor za podršku
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Bruto marža %
@@ -8056,8 +8165,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Bez plaćanja poreza
 DocType: BOM Operation,BOM Operation,BOM operacija
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prethodnu Row visini
+DocType: Student,Home Address,Kućna adresa
 DocType: Options,Is Correct,Je točno
 DocType: Item,Has Expiry Date,Ima datum isteka
+DocType: Loan Repayment,Paid Accrual Entries,Plaćeni obračunski unosi
+DocType: Loan Security,Loan Security Type,Vrsta osiguranja zajma
 apps/erpnext/erpnext/config/support.py,Issue Type.,Vrsta izdanja
 DocType: POS Profile,POS Profile,POS profil
 DocType: Training Event,Event Name,Naziv događaja
@@ -8069,6 +8181,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonska za postavljanje proračuna, ciljevi itd"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Nema vrijednosti
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variable Name
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Odaberite bankovni račun da biste ga uskladili.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti"
 DocType: Purchase Invoice Item,Deferred Expense,Odgođeni trošak
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Natrag na poruke
@@ -8120,7 +8233,6 @@
 DocType: GL Entry,To Rename,Za preimenovanje
 DocType: Stock Entry,Repack,Prepakiraj
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Odaberite za dodavanje serijskog broja.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Postavite sustav imenovanja instruktora u Obrazovanje&gt; Postavke obrazovanja
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Molimo postavite fiskalni kod za kupca &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najprije odaberite tvrtku
 DocType: Item Attribute,Numeric Values,Brojčane vrijednosti
@@ -8144,6 +8256,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Dohvaćanje na temelju FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Korijen ne može se mijenjati .
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Vrijednost kredita zajma
 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
@@ -8190,6 +8303,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Molimo odaberite kategoriju prvi
 apps/erpnext/erpnext/config/projects.py,Project master.,Projekt majstor.
 DocType: Contract,Contract Terms,Uvjeti ugovora
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Odobreni iznos iznosa
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Nastavite s konfiguracijom
 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,Maximum benefit amount of component {0} exceeds {1},Maksimalna naknada komponente {0} prelazi {1}
@@ -8222,6 +8336,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Pogledajte dnevnik poziva
 DocType: BOM Operation,Operating Cost(Company Currency),Operativni trošak (Društvo valuta)
 DocType: Loan Application,Rate of Interest,Kamatna stopa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Zajam zajam zajma već založen protiv zajma {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Iznos kažnjeni
 DocType: Item,Shelf Life In Days,Rok trajanja u danima
 DocType: GL Entry,Is Opening,Je Otvaranje
@@ -8235,3 +8350,4 @@
 DocType: Account,Cash,Gotovina
 DocType: Sales Invoice,Unpaid and Discounted,Neplaćeno i sniženo
 DocType: Employee,Short biography for website and other publications.,Kratka biografija za web stranice i drugih publikacija.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Redak broj {0}: Nije moguće odabrati skladište dobavljača dok dobavlja sirovine podizvođaču
diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv
index 19e2b1c..52088fe 100644
--- a/erpnext/translations/hu.csv
+++ b/erpnext/translations/hu.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Lehetséges ok
 DocType: Patient Appointment,Check availability,Ellenőrizd az elérhetőséget
 DocType: Retention Bonus,Bonus Payment Date,Bónusz fizetési dátuma
-DocType: Employee,Job Applicant,Állásra pályázó
+DocType: Appointment Letter,Job Applicant,Állásra pályázó
 DocType: Job Card,Total Time in Mins,Teljes idő percben
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Elérhetőség
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Bármi keresése ...
 ,Stock and Account Value Comparison,Készlet- és számlaérték-összehasonlítás
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,"A folyósított összeg nem lehet nagyobb, mint a hitel összege"
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Érdekelt
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Megnyitott
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,"Az érvényes időtől kevesebbnek kell lennie, mint az érvényes érvényességi időnek."
 DocType: Item,Copy From Item Group,Másolás tétel csoportból
 DocType: Journal Entry,Opening Entry,Kezdő könyvelési tétel
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Számla csak fizetésre
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Osztály
 DocType: Restaurant Table,No of Seats,Ülőhelyek  száma
+DocType: Loan Type,Grace Period in Days,Türelmi idő napokban
 DocType: Sales Invoice,Overdue and Discounted,Lejárt és kedvezményes
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},A {0} eszköz nem tartozik a {1} letétkezelőhöz
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Hívás megszakítva
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Előírt eljárások
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Csak POS megjelenítése
 DocType: Supplier Group,Supplier Group Name,A beszállító csoport neve
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Jelölje meg a részvételt mint <b></b>
 DocType: Driver,Driving License Categories,Vezetői engedély kategóriái
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Kérjük, adja meg a szállítási határidőt"
 DocType: Depreciation Schedule,Make Depreciation Entry,ÉCS bejegyzés generálás
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Részletek az elvégzett műveletekethez.
 DocType: Asset Maintenance Log,Maintenance Status,Karbantartás állapota
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Tétel adóösszeg az értékben
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Hitelbiztosítási fedezetlenség
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Tagság adatai
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Beszállító kötelező a fizetendő számlához {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Tételek és árak
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Összesen az órák: {0}
+DocType: Loan,Loan Manager,Hitelkezelő
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dátumtól a pénzügyi éven belül kell legyen. Feltételezve a dátumtól = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervallum
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Frissítve 'Idő napló' által
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Válassza ki a vevőt vagy a beszállítót.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,A fájlban található országkód nem egyezik a rendszerben beállított országkóddal
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},A {0}számlához nem tartozik a {1} Vállalat
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Csak egy prioritást válasszon alapértelmezésként.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -543,7 +548,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Távollét blokkolt
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank bejegyzések
-DocType: Customer,Is Internal Customer,Ő belső vevő
+DocType: Sales Invoice,Is Internal Customer,Ő belső vevő
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -567,6 +572,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Anyagigénylés
 DocType: Bank Reconciliation,Update Clearance Date,Végső dátum frissítése
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Menny
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Nem lehet hitelt létrehozni, amíg az alkalmazást jóvá nem hagyják"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -574,6 +580,7 @@
 DocType: Quiz Result,Correct,Helyes
 DocType: Student Guardian,Mother,Anya
 DocType: Restaurant Reservation,Reservation End Time,Foglalás vége
+DocType: Salary Slip Loan,Loan Repayment Entry,Hitel-visszafizetési tétel
 DocType: Crop,Biennial,Kétévenként
 ,BOM Variance Report,ANYAGJ variáció jelentés
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Visszaigazolt Vevői megrendelések.
@@ -595,6 +602,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Fizetés {0} {1} ellenében nem lehet nagyobb, mint kintlevő, fennálló negatív összeg {2}"
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Összes egészségügyi szolgáltató egység
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,A lehetőség konvertálásáról
+DocType: Loan,Total Principal Paid,Fizetett teljes összeg
 DocType: Bank Account,Address HTML,HTML Cím
 DocType: Lead,Mobile No.,Mobil sz.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Fizetési mód
@@ -613,12 +621,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Mérleg az alap pénznemben
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max osztályzat
 DocType: Email Digest,New Quotations,Új árajánlat
+DocType: Loan Interest Accrual,Loan Interest Accrual,Hitel kamat elhatárolása
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Részvételt nem jelölte {0} , mert {1} -en távolléten volt."
 DocType: Journal Entry,Payment Order,Fizetési felszólítás
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,E-mail megerősítés
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Egyéb forrásokból származó jövedelem
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ha üres, akkor a szülői raktári fiókot vagy a vállalat alapértelmezett értékét veszi figyelembe"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-mailek bérpapírok az alkalmazottak részére az alkalmazottak preferált e-mail kiválasztása alapján
+DocType: Work Order,This is a location where operations are executed.,"Ez egy olyan hely, ahol a műveleteket végrehajtják."
 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,Learn,Tanulás
@@ -627,6 +637,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Alkalmazott kuponkód
 DocType: Asset,Next Depreciation Date,Következő Értékcsökkenés dátuma
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Alkalmazottankénti Tevékenység költség
+DocType: Loan Security,Haircut %,Hajvágás%
 DocType: Accounts Settings,Settings for Accounts,Fiókok beállítása
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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/crm.py,Manage Sales Person Tree.,Kezelje az értékesítő szeméályek fáját.
@@ -665,6 +676,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Kérjük, állítsa be a szobaárakat a {}"
 DocType: Journal Entry,Multi Currency,Több pénznem
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Számla típusa
+DocType: Loan,Loan Security Details,Hitelbiztonsági részletek
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,A dátumtól érvényesnek kevesebbnek kell lennie az érvényes dátumig
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Kivétel történt a (z) {0} összeegyeztetése során
 DocType: Purchase Invoice,Set Accepted Warehouse,Elfogadott raktárak beállítása
@@ -771,7 +783,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Laboratóriumi teszt jóváhagyása szükséges
 DocType: Attendance,Working Hours,Munkaidő
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Teljes fennálló kintlévő
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konverziós tényező ({0} -&gt; {1}) nem található az elemre: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Megváltoztatni a kezdő / aktuális sorszámot egy meglévő sorozatban.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Százalékos arányban számolhat többet a megrendelt összeggel szemben. Például: Ha az elem rendelési értéke 100 USD, és a tűrést 10% -ra állítják be, akkor számolhat 110 USD-ért."
 DocType: Dosage Strength,Strength,Dózis
@@ -789,6 +800,7 @@
 DocType: Purchase Receipt,Vehicle Date,Jármű dátuma
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampány e-mail ütemezése
 DocType: Student Log,Medical,Orvosi
+DocType: Work Order,This is a location where scraped materials are stored.,"Ez egy olyan hely, ahol a lekapart anyagokat tárolják."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,"Kérem, válassza a Drug"
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,"Érdeklődés tulajdonosa nem lehet ugyanaz, mint az érdeklődés"
 DocType: Announcement,Receiver,Fogadó
@@ -884,7 +896,7 @@
 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: BOM,Total Cost (Company Currency),Teljes költség (vállalati pénznem)
-DocType: Loan,Total Payment,Teljes fizetés
+DocType: Repayment Schedule,Total Payment,Teljes fizetés
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,A PO már létrehozott minden vevői rendelési tételhez
@@ -910,6 +922,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Vevői rendelések figyelmeztetése
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Bérelt dátumtól
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Elég alkatrészek a megépítéshez
+DocType: Loan Security,Loan Security Code,Hitelbiztonsági kód
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Kérjük, először mentse"
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Tételek szükségesek a hozzá kapcsolódó alapanyagok húzásához.
 DocType: POS Profile User,POS Profile User,POS profil felhasználója
@@ -966,6 +979,7 @@
 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,Stock Entries already created for Work Order ,Munka megrendelésre már létrehozott készletbejegyzések
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Cikkszám&gt; Tételcsoport&gt; Márka
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Lásd a korábbi megrendeléseket
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} beszélgetés
 DocType: Vital Signs,Respiratory rate,Légzésszám
@@ -998,7 +1012,6 @@
 DocType: Company,Delete Company Transactions,Vállalati tranzakciók törlése
 DocType: Production Plan Item,Quantity and Description,Mennyiség és leírás
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Hivatkozási szám és Referencia dátum kötelező a Banki tranzakcióhoz
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Kérjük, állítsa a Naming Series értékét a (z) {0} beállításra a Beállítás&gt; Beállítások&gt; Soros elnevezés menüponttal"
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adók és költségek hozzáadása / szerkesztése
 DocType: Payment Entry Reference,Supplier Invoice No,Beszállítói számla száma
 DocType: Territory,For reference,Referenciaként
@@ -1029,6 +1042,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Adó visszatartási számla
 DocType: Pricing Rule,Sales Partner,Vevő partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Összes Beszállító eredménymutatói.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Rendelési mennyiség
+DocType: Loan,Disbursed Amount,Kifizetett összeg
 DocType: Buying Settings,Purchase Receipt Required,Beszerzési megrendelés nyugta kötelező
 DocType: Sales Invoice,Rail,Sín
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tényleges költség
@@ -1069,6 +1084,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Csatlakoztatva a QuickBookshez
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Kérjük, azonosítsa / hozzon létre egy fiókot (főkönyvet) a (z) {0} típushoz"
 DocType: Bank Statement Transaction Entry,Payable Account,Beszállítói követelések fizetendő számla
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,A fizetési bejegyzéshez a számla kötelező
 DocType: Payment Entry,Type of Payment,Fizetés típusa
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,A félnapos dátuma kötelező
 DocType: Sales Order,Billing and Delivery Status,Számlázási és Szállítási állapot
@@ -1107,7 +1123,7 @@
 DocType: Purchase Order Item,Billed Amt,Számlázott össz.
 DocType: Training Result Employee,Training Result Employee,Képzési munkavállalói eredmény
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,A logikai Raktárkészlet amelyhez a készlet állomány bejegyzések történnek.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Tőkeösszeg
+DocType: Repayment Schedule,Principal Amount,Tőkeösszeg
 DocType: Loan Application,Total Payable Interest,Összesen fizetendő kamat
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Összes kinntlevő: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Nyissa meg a Kapcsolattartót
@@ -1121,6 +1137,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Tételek
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Szállító&gt; Beszállító típusa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pályázatírás
 DocType: Payment Entry Deduction,Payment Entry Deduction,Fizetés megadásának levonása
 DocType: Service Level Priority,Service Level Priority,Szolgáltatási szintű prioritás
@@ -1153,6 +1170,7 @@
 DocType: Batch,Batch Description,Köteg leírás
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Diákcsoportok létrehozása
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Fizetési  átjáró számla nem jön létre, akkor hozzon létre egyet manuálisan."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},"A Csoportraktárak nem használhatók tranzakciókban. Kérjük, módosítsa a (z) {0} értékét"
 DocType: Supplier Scorecard,Per Year,Évente
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,A programban való részvételre nem jogosult a DOB szerint
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"{0} sor: Nem lehet törölni a (z) {1} cikket, amelyet az ügyfél megrendelése rendel hozzá."
@@ -1275,7 +1293,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","A (z) {0} gyermekvállalat számára fiók létrehozása közben a (z) {1} szülői fiók nem található. Kérjük, hozza létre a szülői fiókot a megfelelő COA-ban"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,Tanuló Nézőszám
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Nincs adat exportálni
 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
@@ -1288,6 +1305,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Beszállító
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tényleges kézbesítés dátuma
 DocType: Lab Test,Test Template,Teszt sablon
+DocType: Loan Security Pledge,Securities,Értékpapír
 DocType: Restaurant Order Entry Item,Served,Kiszolgált
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Fejezet információ.
 DocType: Account,Accounts,Főkönyvi számlák
@@ -1381,6 +1399,7 @@
 DocType: Inpatient Record,O Negative,O Negatív
 DocType: Work Order Operation,Planned End Time,Tervezett befejezési idő
 DocType: POS Profile,Only show Items from these Item Groups,Csak ezeknek a tételcsoportoknak a tételeit mutassa
+DocType: Loan,Is Secured Loan,Biztosított hitel
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,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
@@ -1417,6 +1436,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Beteg találkozóból beszerzett
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konverziós tényező ({0} -&gt; {1}) nem található az elemre: {2}
 DocType: Subscriber,Subscriber,Előfizető
 DocType: Item Attribute Value,Item Attribute Value,Tétel Jellemző értéke
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,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.
@@ -1496,6 +1516,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nincs jogosultság
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Szerződéses teljesítésének ellenőrzőlistája
 DocType: Vital Signs,Heart Rate / Pulse,Pulzusszám / pulzus
+DocType: Customer,Default Company Bank Account,Alapértelmezett vállalati bankszámla
 DocType: Supplier,Default Bank Account,Alapértelmezett bankszámlaszám
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Az Ügyfél alapján kiszűrni, válasszuk ki az Ügyfél típpust először"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"'Készlet frissítés' nem ellenőrizhető, mert a tételek nem lettek elszállítva ezzel: {0}"
@@ -1613,7 +1634,6 @@
 DocType: Sales Team,Incentives,Ösztönzők
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Értékek szinkronban
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Különbségérték
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Kérjük, állítsa be a számozási sorozatokat a jelenléthez a Beállítás&gt; Számozási sorozat segítségével"
 DocType: SMS Log,Requested Numbers,Kért számok
 DocType: Volunteer,Evening,Este
 DocType: Quiz,Quiz Configuration,Kvízkonfiguráció
@@ -1633,6 +1653,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Előző sor összeshez
 DocType: Purchase Invoice Item,Rejected Qty,Elutasított db
 DocType: Setup Progress Action,Action Field,Műveleti terület
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Hitel típusa a kamat és a büntetési ráta számára
 DocType: Healthcare Settings,Manage Customer,Ügyfél kezelése
 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
@@ -1644,6 +1665,7 @@
 ,Final Assessment Grades,Végső értékelési osztályok
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"A vállalkozásának a neve, amelyre ezt a rendszert beállítja."
 DocType: HR Settings,Include holidays in Total no. of Working Days,A munkanapok számának összege tartalmazza az ünnepnapokat
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,A teljes összeg% -a
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Állítsa be az Intézetét az ERP-ben
 DocType: Agriculture Analysis Criteria,Plant Analysis,Növény elemzés
 DocType: Task,Timeline,Idővonal
@@ -1651,9 +1673,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatív tétel
 DocType: Shopify Log,Request Data,Adat kérés
 DocType: Employee,Date of Joining,Csatlakozás dátuma
+DocType: Delivery Note,Inter Company Reference,Cégközi referencia
 DocType: Naming Series,Update Series,Sorszámozás frissítése
 DocType: Supplier Quotation,Is Subcontracted,Alvállalkozó által feldolgozandó?
 DocType: Restaurant Table,Minimum Seating,Minimum ülések száma
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,A kérdés nem lehet másolat
 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,Purchase Receipt,Beszerzési megrendelés nyugta
@@ -1755,6 +1779,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Offline számlák szinkronizálása
 DocType: Payment Request,Paid,Fizetett
 DocType: Service Level,Default Priority,Alapértelmezett prioritás
+DocType: Pledge,Pledge,Fogadalom
 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."
@@ -1768,6 +1793,7 @@
 DocType: Guardian,Guardian Name,Helyettesítő neve
 DocType: Cheque Print Template,Has Print Format,Rendelkezik nyomtatási formátummal
 DocType: Support Settings,Get Started Sections,Get Started részek
+,Loan Repayment and Closure,Hitel visszafizetése és lezárása
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,Szankcionált
 ,Base Amount,Alapösszeg
@@ -1778,10 +1804,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Helyből
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},"A hitel összege nem lehet nagyobb, mint {0}"
 DocType: Student Admission,Publish on website,Közzéteszi honlapján
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Beszállítói Számla dátuma nem lehet nagyobb, mint Beküldés dátuma"
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Cikkszám&gt; Tételcsoport&gt; Márka
 DocType: Subscription,Cancelation Date,Visszavonás dátuma
 DocType: Purchase Invoice Item,Purchase Order Item,Beszerzési megrendelés tétel
 DocType: Agriculture Task,Agriculture Task,Mezőgazdaság feladat
@@ -1800,7 +1826,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,További kedvezmény százalék
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Minden súgó video megtekintése
 DocType: Agriculture Analysis Criteria,Soil Texture,Talaj textúra
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Válassza ki a a bank fiók vezetőjéet, ahol a csekket letétbe rakta."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,"Lehetővé teszi, hogy a felhasználó szerkeszthesse az Árlista értékeinek adóit a  tranzakciókban"
 DocType: Pricing Rule,Max Qty,Max mennyiség
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Jelentéskártya nyomtató
@@ -1932,7 +1957,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Beállítás után a számla a beállított dátumig feltartva
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Értékesítési összeg
-DocType: Repayment Schedule,Interest Amount,Kamatösszeg
+DocType: Loan Interest Accrual,Interest Amount,Kamatösszeg
 DocType: Job Card,Time Logs,Időnaplók
 DocType: Sales Invoice,Loyalty Amount,Hűségösszeg
 DocType: Employee Transfer,Employee Transfer Detail,Munkavállalói transzfer részletei
@@ -1947,6 +1972,7 @@
 DocType: Cashier Closing,Returns,Visszatérítés
 DocType: Job Card,WIP Warehouse,WIP Raktár
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Széria sz. {0} jelenleg karbantartási szerződés  alatt áll eddig {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},A (z) {0} {1} áthúzott szankcionált összeghatár
 apps/erpnext/erpnext/config/hr.py,Recruitment,Toborzás
 DocType: Lead,Organization Name,Vállalkozás neve
 DocType: Support Settings,Show Latest Forum Posts,A legfrissebb fórum hozzászólások megjelenítése
@@ -1973,7 +1999,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Beszerzési rendelések tételei lejártak
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Irányítószám
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Vevői rendelés {0} az ez {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Készlet bejegyzés létrehozás
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Nem támogathatja a távolléten lévő Alkalmazottat
@@ -2057,7 +2082,6 @@
 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,Start Year,Kezdő év
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Hozzon létre kölcsönt
 DocType: Purchase Invoice,Start date of current invoice's period,Kezdési időpont az aktuális számla időszakra
 DocType: Shift Type,Process Attendance After,Folyamat jelenlét után
 ,IRS 1099,IRS 1099
@@ -2078,6 +2102,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Válassza ki a domainjeit
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify beszállító
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Fizetési számlák tételei
+DocType: Repayment Schedule,Is Accrued,Felhalmozott
 DocType: Payroll Entry,Employee Details,Munkavállalói Részletek
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML fájlok feldolgozása
 DocType: Amazon MWS Settings,CN,CN
@@ -2109,6 +2134,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Hűségpont bejegyzés
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Alapértelmezett tételcsoport
+DocType: Loan,Partially Disbursed,Részben folyosított
 DocType: Job Card Time Log,Time In Mins,Idő Minsben
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Támogatás információi.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Ez a művelet elválasztja ezt a fiókot minden olyan külső szolgáltatástól, amely integrálja az ERPNext-et a bankszámlájával. Nem vonható vissza. Biztos vagy benne ?"
@@ -2124,6 +2150,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Hitel lezárása
 DocType: Call Log,Lead,Érdeklődés
 DocType: Email Digest,Payables,Kötelezettségek
 DocType: Amazon MWS Settings,MWS Auth Token,MWS hitelesítő token
@@ -2156,6 +2183,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Az e-Way Bill JSON csak benyújtott dokumentumból generálható
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Munkavállalói adó és juttatások
 DocType: Bank Guarantee,Validity in Days,Érvényesség napokban
+DocType: Unpledge,Haircut,Hajvágás
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-forma nem alkalmazható erre a számlára: {0}
 DocType: Certified Consultant,Name of Consultant,Tanácsadó neve
 DocType: Payment Reconciliation,Unreconciled Payment Details,Nem egyeztetett fizetési részletek
@@ -2208,7 +2236,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,A világ többi része
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,A tétel {0} nem lehet Köteg
 DocType: Crop,Yield UOM,Hozam ME
+DocType: Loan Security Pledge,Partially Pledged,Részben ígéretet tett
 ,Budget Variance Report,Költségvetés variáció jelentés
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Szankcionált hitelösszeg
 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,Get Items from Healthcare Services,Szerezd meg az egészségügyi szolgáltatásokból származó elemeket
@@ -2243,6 +2273,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Új minőségi eljárás
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Mérlegek a {0} számlákhoz legyenek mindig {1}
 DocType: Patient Appointment,More Info,További információk
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,"Születési ideje nem lehet nagyobb, mint a csatlakozási dátum."
 DocType: Supplier Scorecard,Scorecard Actions,Mutatószám műveletek
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Beszállító {0} nem található itt: {1}
 DocType: Purchase Invoice,Rejected Warehouse,Elutasított raktár
@@ -2339,6 +2370,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,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,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Létrehozott hitelbiztosítási zálogjog: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Vizitek és a beteg látogatások
@@ -2394,6 +2426,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Párhuzamos kinevezések száma
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Elkezdeni
 DocType: Purchase Invoice,Taxes and Charges Calculation,Adók és költségek számítása
+DocType: Loan Interest Accrual,Payable Principal Amount,Fizetendő alapösszeg
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Könyv szerinti értékcsökkenés automatikus bejegyzés
 DocType: BOM Operation,Workstation,Munkaállomás
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Beszállítói Árajánlatkérés
@@ -2430,7 +2463,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Élelmiszer
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,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: Bank Account,Is the Default Account,Az alapértelmezett fiók
 DocType: Shopify Log,Shopify Log,Shopify napló
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nem található kommunikáció.
 DocType: Inpatient Occupancy,Check In,Bejelentkezés
@@ -2488,12 +2520,14 @@
 DocType: Sales Order Item,Planned Quantity,Tervezett mennyiség
 DocType: Water Analysis,Water Analysis Criteria,Vízelemzés kritériumok
 DocType: Item,Maintain Stock,Készlet karbantartás
+DocType: Loan Security Unpledge,Unpledge Time,Lefedettség ideje
 DocType: Terms and Conditions,Applicable Modules,Alkalmazható modulok
 DocType: Employee,Prefered Email,Preferált e-mail
 DocType: Student Admission,Eligibility and Details,Jogosultság és részletek
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,A bruttó nyereség részét képezi
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Nettó álló-eszköz változás
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Igényelt menny
+DocType: Work Order,This is a location where final product stored.,"Ez egy olyan hely, ahol a végterméket tárolják."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Dátumtól
@@ -2534,8 +2568,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garancia és éves karbantartási szerződés állapota
 ,Accounts Browser,Számlák böngészője
 DocType: Procedure Prescription,Referral,Hivatkozó
+,Territory-wise Sales,Területi szempontból értékesítés
 DocType: Payment Entry Reference,Payment Entry Reference,Fizetés megadásának hivatkozása
 DocType: GL Entry,GL Entry,FŐKSZLA bejegyzés
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,{0} sor: Az elfogadott raktár és a beszállítói raktár nem lehet azonos
 DocType: Support Search Source,Response Options,Válaszbeállítások
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Alkalmazza a többszörös árképzési szabályokat
 DocType: HR Settings,Employee Settings,Alkalmazott beállítások
@@ -2595,6 +2631,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Mezőgazdaság (béta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Csomagjegy
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Kérjük, állítsa a Naming Series értékét a (z) {0} beállításra a Beállítás&gt; Beállítások&gt; Soros elnevezés menüponttal"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Iroda bérlés
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS átjáró telepítése
 DocType: Disease,Common Name,Gyakori név
@@ -2611,6 +2648,7 @@
 DocType: Item,Sales Details,Értékesítés részletei
 DocType: Coupon Code,Used,Használt
 DocType: Opportunity,With Items,Tételekkel
+DocType: Vehicle Log,last Odometer Value ,utolsó kilométer-számérték
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',A (z) {0} kampány már létezik a (z) {1} &#39;{2}&#39; kampányhoz
 DocType: Asset Maintenance,Maintenance Team,Karbantartó csoport
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","A szakaszok megjelenésének sorrendje. 0 az első, 1 a második és így tovább."
@@ -2621,7 +2659,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Költség igény {0} már létezik a Gépjármű naplóra
 DocType: Asset Movement Item,Source Location,Forrás helyszín
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Intézmény neve
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Kérjük, adja meg törlesztés összegét"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Kérjük, adja meg törlesztés összegét"
 DocType: Shift Type,Working Hours Threshold for Absent,Munkaidő-küszöb hiánya
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,A teljes elköltött összteljesítmény alapján többféle szintű gyűjtési tényező lehet. De a megváltás konverziós faktora mindig ugyanaz lesz az összes szintre.
 apps/erpnext/erpnext/config/help.py,Item Variants,Tétel változatok
@@ -2645,6 +2683,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},"{0}: {1} -nek kevesebbnek kell lennie, mint {2}"
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Először válassza a Jelentkező típusát
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Válasszon ANYAGJ, menny. és  raktárhoz"
 DocType: GST HSN Code,GST HSN Code,GST HSN kód
 DocType: Employee External Work History,Total Experience,Összes Tapasztalat
@@ -2735,7 +2774,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",A (z) {0} tételhez nem található aktív BOM. Nem biztosítható a \ Serial No \ Delivery
 DocType: Sales Partner,Sales Partner Target,Vevő partner cél
-DocType: Loan Type,Maximum Loan Amount,Maximális hitel összeg
+DocType: Loan Application,Maximum Loan Amount,Maximális hitel összeg
 DocType: Coupon Code,Pricing Rule,Árképzési szabály
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Ismétlődő lajstromszám ehhez a hallgatóhoz: {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Anyagigénylés -&gt; Beszerzési megrendelésre
@@ -2758,6 +2797,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Távollét foglalása sikeres erre {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Nincsenek tételek csomagoláshoz
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Jelenleg csak .csv és .xlsx fájlok támogatottak
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Kérjük, állítsa be a Munkavállalók elnevezési rendszerét a Humán erőforrás&gt; HR beállítások menüpontban"
 DocType: Shipping Rule Condition,From Value,Értéktől
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Gyártási mennyiség kötelező
 DocType: Loan,Repayment Method,Törlesztési mód
@@ -2842,6 +2882,7 @@
 DocType: Customer,Customer POS Id,Vevő POS azon
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,A (z) {0} e-mail című hallgató nem létezik
 DocType: Account,Account Name,Számla név
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},A (z) {0} szankcionált hitelösszeg már létezik a (z) {1} társasággal szemben
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"Dátumtól nem lehet nagyobb, mint dátumig"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Szériaszám: {0} és mennyiség: {1} nem lehet törtrész
 DocType: Pricing Rule,Apply Discount on Rate,Alkalmazzon kedvezményt az áron
@@ -2913,6 +2954,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Nettó nyereség
 DocType: Purchase Invoice,Eligibility For ITC,Jogosultság az ITC használatára
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 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,Net Change in Accounts Payable,Nettó Beszállítói követelések változása
@@ -2924,6 +2966,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Jelenlévő eszköz azonosítója (biometrikus / RF címke azonosítója)
 DocType: Quotation,Term Details,ÁSZF részletek
 DocType: Item,Over Delivery/Receipt Allowance (%),Túlzott szállítási / átvételi kedvezmény (%)
+DocType: Appointment Letter,Appointment Letter Template,Kinevezési levél sablonja
 DocType: Employee Incentive,Employee Incentive,Munkavállalói ösztönzés
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Összesen (adó nélkül/nettó)
@@ -2946,6 +2989,7 @@
 					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,"
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Fizetetlen számlához tartozó Fizetés megszüntetése
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Folyamatban lévő hitelkamat elhatárolása
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},"Jelenlegi leolvasott kilométerállásnak nagyobbnak kell lennie, mint a Jármű kezdeti kilométeróra állása {0}"
 ,Purchase Order Items To Be Received or Billed,"Megrendelési tételek, amelyeket meg kell kapni vagy számlázni kell"
 DocType: Restaurant Reservation,No Show,Nincs megjelenítés
@@ -3032,6 +3076,7 @@
 DocType: Payment Schedule,Payment Term,Fizetési feltétel
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Egy vevő csoport létezik azonos névvel, kérjük változtassa meg a Vevő nevét vagy nevezze át a 
 Vevői csoportot"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,"A felvételi záró dátumnak nagyobbnak kell lennie, mint a felvételi kezdő dátum."
 DocType: Location,Area,Terület
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Új kapcsolat
 DocType: Company,Company Description,cégleírás
@@ -3106,6 +3151,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Leképezett adatok
 DocType: Purchase Order Item,Warehouse and Reference,Raktár és Referencia
 DocType: Payroll Period Date,Payroll Period Date,Bérszámfejtés időszak dátuma
+DocType: Loan Disbursement,Against Loan,Hitel ellen
 DocType: Supplier,Statutory info and other general information about your Supplier,Törvényes info és más általános információk a Beszállítóról
 DocType: Item,Serial Nos and Batches,Sorszámok és kötegek
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Diák csoport állomány
@@ -3172,6 +3218,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Válasszon társaságot
 DocType: Delivery Settings,Delivery Settings,Szállítási beállítások
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Adatok lekérése
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Nem vonhatjuk le a (z) {0} db {0} -nál többet
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},A {0} távolétre megengedett maximális távollétek száma {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 tétel közzététele
 DocType: SMS Center,Create Receiver List,Címzettlista létrehozása
@@ -3319,6 +3366,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Alapösszeg (Vállalat pénzneme)
 DocType: Purchase Invoice,Registered Regular,Regisztrált rendszeres
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Nyersanyagok
+DocType: Plaid Settings,sandbox,sandbox
 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
@@ -3331,12 +3379,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Tranzakció Típusa
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Elfogadási kritérium
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Összesen fizetendő összeg
 DocType: Task,Expected Time (in hours),Várható idő (óra)
 DocType: Item Reorder,Check in (group),Bejelentkezés (csoport)
 DocType: Soil Texture,Silt,Iszap
@@ -3367,6 +3414,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Levonja az adót a meg nam fizetett adómentességi igazolásra
 DocType: Volunteer,Anytime,Bármikor
 DocType: Bank Account,Bank Account No,Bankszámla szám
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Kifizetés és visszafizetés
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Munkavállalói adómentesség bizonyíték benyújtása
 DocType: Patient,Surgical History,Sebészeti előzmény
 DocType: Bank Statement Settings Item,Mapped Header,Átkötött fejléc
@@ -3430,6 +3478,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Hozzon létre laboratóriumi teszteket a Sales invoice Submit-ban
 DocType: Serial No,Invoice Details,Számla részletei
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,A fizetés struktúráját be kell nyújtani az adócsökkentési nyilatkozat benyújtása előtt
+DocType: Loan Application,Proposed Pledges,Javasolt ígéretek
 DocType: Grant Application,Show on Website,Megjelenítés a weboldalon
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Kezdés ekkor
 DocType: Hub Tracked Item,Hub Category,Hub kategória
@@ -3441,7 +3490,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Beszállító mutatószámláló állása
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Sor {0}: Anyagjegyzéket nem találtunk a Tételre {1}
 DocType: Contract Fulfilment Checklist,Requirement,Követelmény
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Kérjük, állítsa be a Munkavállalók elnevezési rendszerét a Humán erőforrás&gt; HR beállítások menüpontban"
 DocType: Journal Entry,Accounts Receivable,Bevételi számlák
 DocType: Quality Goal,Objectives,célok
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Hátralévő szabadság-alkalmazás létrehozásának megengedett szerepe
@@ -3454,6 +3502,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Tartalmazza az Egyeztetett bejegyzéseket
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,"A teljes allokált összeg ({0}) nagyobbak, mint a kifizetett összeg ({1})."
 DocType: Landed Cost Voucher,Distribute Charges Based On,Forgalmazói díjak ez alapján
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},"A fizetett összeg nem lehet kevesebb, mint {0}"
 DocType: Projects Settings,Timesheets,"Munkaidő jelenléti ív, nyilvántartók"
 DocType: HR Settings,HR Settings,Munkaügyi beállítások
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Számviteli Mesterek
@@ -3599,6 +3648,7 @@
 DocType: Employee,Health Insurance,Egészségbiztosítás
 DocType: Asset Repair,Manufacturing Manager,Gyártási menedzser
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Széria sz. {0} még garanciális eddig {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,A hitelösszeg meghaladja a javasolt értékpapírok szerinti {0} maximális hitelösszeget
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimális megengedhető érték
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,A(z) {0} felhasználó már létezik
 apps/erpnext/erpnext/hooks.py,Shipments,Szállítások
@@ -3642,7 +3692,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Vállalkozás típusa
 DocType: Sales Invoice,Consumer,Fogyasztó
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Kérjük, válasszon odaítélt összeg, Számla típust és számlaszámot legalább egy sorban"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Kérjük, állítsa a Naming Series értékét a (z) {0} beállításra a Beállítás&gt; Beállítások&gt; Soros elnevezés menüponttal"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Új beszerzés költsége
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Vevői rendelés szükséges ehhez a tételhez {0}
 DocType: Grant Application,Grant Description,Adomány leírása
@@ -3651,6 +3700,7 @@
 DocType: Subscription,Discounts,Kedvezmények
 DocType: Bank Transaction,Unallocated Amount,A le nem foglalt összeg
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,"Kérjük, engedélyezze a beszerzési megrendeléssel kapcsolatos és a tényleges költségek megtérítésénél alkalmazandó"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,A (z) {0} nem egy vállalati bankszámla
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,"Nem találja a megfelelő tétel. Kérjük, válasszon egy másik értéket erre {0}."
 DocType: POS Profile,Taxes and Charges,Adók és költségek
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","A termék vagy szolgáltatás, amelyet vásárolt, eladott vagy tartanak raktáron."
@@ -3699,6 +3749,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,"A dátumtól számított értéknek kisebbnek kell lennie, mint a Valós idejű dátum."
 DocType: Employee Skill,Evaluation Date,Értékelési dátum
 DocType: Quotation Item,Stock Balance,Készlet egyenleg
+DocType: Loan Security Pledge,Total Security Value,Teljes biztonsági érték
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Vevői rendelés a Fizetéshez
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Vezérigazgató(CEO)
 DocType: Purchase Invoice,With Payment of Tax,Adófizetéssel
@@ -3711,6 +3762,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},A (z) {0} fiók nem létezik az {1} irányítópult-táblán
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Változat tulajdonságaniak megjelenítése
@@ -3792,6 +3844,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuális Készletérték ár
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,"A gyökérfiókok száma nem lehet kevesebb, mint 4"
 DocType: Training Event,Advance,Előleg
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Kölcsön ellen:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless fizetési átjáró beállítása
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Árfolyamnyereség / veszteség
 DocType: Opportunity,Lost Reason,Elvesztés oka
@@ -3875,8 +3928,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Válasszon köteg sz.
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Érvénytelen {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,"{0} sor: Testvér születési ideje nem lehet nagyobb, mint ma."
 DocType: Fee Validity,Reference Inv,Szla. referencia
 DocType: Sales Invoice Advance,Advance Amount,Előleg összege
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Büntetési kamatláb (%) naponta
 DocType: Manufacturing Settings,Capacity Planning,Kapacitástervezés
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Kerekítési korrekció (Vállalkozás pénznemében
 DocType: Asset,Policy number,Irányelv száma
@@ -3892,7 +3947,9 @@
 DocType: Normal Test Items,Require Result Value,Eredmény értékeire van szükség
 DocType: Purchase Invoice,Pricing Rules,Árképzési szabályok
 DocType: Item,Show a slideshow at the top of the page,Mutass egy diavetítést  a lap tetején
+DocType: Appointment Letter,Body,Test
 DocType: Tax Withholding Rate,Tax Withholding Rate,Adó visszatartási díj
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,A visszafizetés kezdete kötelező a lejáratú hiteleknél
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Anyagjegyzékek
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Üzletek
@@ -3912,7 +3969,7 @@
 DocType: Call Log,Received By,Megkapta
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Kinevezés időtartama (percben)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pénzforgalom térképezés sablon részletei
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Hitelkezelés
+DocType: Loan,Loan Management,Hitelkezelés
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Kövesse nyomon külön a bevételeket és ráfordításokat a termék tetőpontokkal vagy felosztásokkal.
 DocType: Rename Tool,Rename Tool,Átnevezési eszköz
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Költségek újraszámolása
@@ -3920,6 +3977,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,A szállítási mód
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Bérkarton megjelenítése
+DocType: Loan,Is Term Loan,A lejáratú hitel
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Anyag Átvitel
 DocType: Fees,Send Payment Request,Fizetési kérelem küldése
 DocType: Travel Request,Any other details,"Egyéb, más részletek"
@@ -3937,6 +3995,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Pénzforgalom pénzügyről
 DocType: Budget Account,Budget Account,Költségvetési elszámolási számla
 DocType: Quality Inspection,Verified By,Ellenőrizte
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Adja hozzá a hitelbiztonságot
 DocType: Travel Request,Name of Organizer,Szervező neve
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nem lehet megváltoztatni a vállalkozás alapértelmezett pénznemét, mert már léteznek tranzakciók. Tranzakciókat törölni kell az alapértelmezett pénznem megváltoztatásához."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Ez jövedelemadó kötelezettség
@@ -3987,6 +4046,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Szükség
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ha be van jelölve, elrejti és letiltja a Kerek összesített mezőt a Fizetési utalványokban"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ez az eladási megrendelésekben szereplő kézbesítési dátum alapértelmezett eltolása (napokban). A tartalék eltolás 7 nap a megrendelés leadásának napjától.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Kérjük, állítsa be a számozási sorozatokat a jelenléthez a Beállítás&gt; Számozási sorozat segítségével"
 DocType: Rename Tool,File to Rename,Átnevezendő fájl
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Előfizetési frissítések lekérése
@@ -3999,6 +4059,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Létrehozott sorozatszám
 DocType: POS Profile,Applicable for Users,Alkalmazható a felhasználókra
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,A dátum és a dátum kötelező
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Állítsa a projektet és az összes feladatot {0} állapotra?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Az előlegek és a hozzárendelések (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nincs létrehozva munka megrendelés
@@ -4008,6 +4069,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Tételek készítette
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Bszerzett tételek költsége
 DocType: Employee Separation,Employee Separation Template,Munkavállalói elválasztási sablon
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},A (z) {0} zéró darab zálogkölcsön ({0})
 DocType: Selling Settings,Sales Order Required,Vevői rendelés szükséges
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Legyél eladó
 ,Procurement Tracker,Beszerzési nyomkövető
@@ -4105,11 +4167,12 @@
 ,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,Total Absent,Összes Hiány
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Fizetendő összeg
+DocType: Loan Repayment,Payable Amount,Fizetendő összeg
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Lehetőség
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,"A maximális szilárdság nem lehet kevesebb, mint nulla."
 DocType: Options,Option,választási lehetőség
 DocType: Operation,Default Workstation,Alapértelmezett Munkaállomás
 DocType: Payment Entry,Deductions or Loss,Levonások vagy veszteségek
@@ -4150,6 +4213,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,A kamat összege kötelező
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Következő lépések
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Mentett elemek
@@ -4200,8 +4264,6 @@
 DocType: Grant Application,Grant Application Details ,Támogatási kérelem részletei
 DocType: Employee Separation,Employee Separation,Munkavállalói elválasztás
 DocType: BOM Item,Original Item,Eredeti tétel
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Kérjük, törölje a (z) <a href=""#Form/Employee/{0}"">{0}</a> alkalmazottat a dokumentum visszavonásához"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc dátum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Díj rekordok létrehozva - {0}
 DocType: Asset Category Account,Asset Category Account,Vagyontárgy kategória főkönyvi számla
@@ -4237,6 +4299,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,A (z) {0} laboratóriumi teszt elem már létezik
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,A(z) {0} vállallati ünnepi időszak
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Számlázható órák
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,A késedelmi visszafizetés esetén a késedelmi kamatlábat napi alapon számítják a függőben lévő kamatösszegre
+DocType: Appointment Letter content,Appointment Letter content,Kinevezési levél tartalma
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Távollét állapotjelentés
 DocType: Patient Appointment,Procedure Prescription,Vényköteles eljárás
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Bútorok és világítótestek
@@ -4256,7 +4320,7 @@
 DocType: Opportunity,Customer / Lead Name,Vevő / Érdeklődő neve
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Végső dátum nem szerepel
 DocType: Payroll Period,Taxable Salary Slabs,Adóköteles bérszakaszok
-DocType: Job Card,Production,Gyártás
+DocType: Plaid Settings,Production,Gyártás
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Érvénytelen GSTIN! A beírt adat nem felel meg a GSTIN formátumának.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Számlaérték
 DocType: Guardian,Occupation,Foglalkozása
@@ -4400,6 +4464,7 @@
 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,Student {0} does not belong to group {1},A {0} diák nem tartozik a (z) {1} csoporthoz
+DocType: Appointment Letter,Appointment Date,Kinevezés időpontja
 DocType: Budget,Cost Center,Költséghely
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Utalvány #
 DocType: Tax Rule,Shipping Country,Szállítás Országa
@@ -4470,6 +4535,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Számviteli dimenzió
 ,Profit and Loss Statement,Az eredmény-kimutatás
 DocType: Bank Reconciliation Detail,Cheque Number,Csekk száma
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,A kifizetett összeg nem lehet nulla
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,A (z) {0} - {1} által hivatkozott tétel már számlázott
 ,Sales Browser,Értékesítési böngésző
 DocType: Journal Entry,Total Credit,Követelés összesen
@@ -4574,6 +4640,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Kuponfeltételek hozzáadása / szerkesztése
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Költség / Különbség számla ({0}) ,aminek ""Nyereség és Veszteség""  számlának kell lennie"
 DocType: Stock Entry Detail,Stock Entry Child,Stock Entry gyermek
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,A hitelbiztosítási zálogkölcsön-társaságnak és a hitelintézetnek azonosnak kell lennie
 DocType: Project,Copied From,Innen másolt
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Összes számlázási órához már létrehozta a számlát
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Név hiba: {0}
@@ -4581,6 +4648,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Ez pénzügyi költség
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,A {0} alkalmazott már megjelölt a részvételin
 DocType: Packing Slip,If more than one package of the same type (for print),Ha egynél több csomag azonos típusból (nyomtatáshoz)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Kérjük, állítsa be az Oktató elnevezési rendszert az Oktatás&gt; Oktatási beállítások menüben"
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,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: Company,Default warehouse for Sales Return,Alapértelmezett raktár az értékesítés visszatéréséhez
@@ -4625,7 +4693,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Aktuális sorozatszám
 DocType: Employee,Attendance and Leave Details,Részvétel és részvételi részletek
 ,BOM Comparison Tool,BOM összehasonlító eszköz
-,Requested,Igényelt
+DocType: Loan Security Pledge,Requested,Igényelt
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4637,7 +4705,6 @@
 DocType: Drug Prescription,Drug Prescription,Gyógyszerkönyv
 DocType: Service Level,Support and Resolution,Támogatás és megoldás
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Az ingyenes cikkkód nincs kiválasztva
-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
@@ -4671,6 +4738,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Már értékelte ezekkel az értékelési kritériumokkal: {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Hiányos összeg
 DocType: Vehicle Service,Engine Oil,Motorolaj
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Létrehozott munka rendelések : {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},"Kérjük, állítson be egy e-mail azonosítót a vezető számára {0}"
@@ -4689,6 +4757,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},A fiók nincs beállítva az irányítópult diagramjára: {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Alkalmazzon további kedvezmény ezen
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Válasszon típust...
+DocType: Loan Interest Accrual,Amounts,összegek
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,A jegyei
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO (EBEK)
@@ -4696,6 +4765,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Sor # {0}: Nem lehet vissza több mint {1} jogcím {2}
 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: Loan Security Price,Loan Security Price,Hitelbiztosítási ár
 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,Target warehouse is mandatory for row {0},Cél raktár kötelező ebben a sorban {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Kiskereskedelmi műveletek
@@ -4834,6 +4904,7 @@
 DocType: Coupon Code,Coupon Description,Kupon leírás
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Köteg kötelező ebben a sorban {0}
 DocType: Company,Default Buying Terms,Alapértelmezett vásárlási feltételek
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Hitel folyósítása
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Beszerzési nyugta tételek beszállítva
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Az ütemezett szinkronizálás engedélyezése
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Végső dátumig
@@ -4862,6 +4933,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Írja be a (z) {0} és {1} betweeen értéket
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Adja meg a kampányt nevét, ha az árajánlat kérés forrása kampány"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Hírlevél publikálók
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Nem található érvényes <b>hitelbiztosítási ár</b> ehhez: {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,A jövőbeni dátumok nem megengedettek
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Várható szállítási határidőtnek az értékesítési rendelés utáninak kell lennie
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Újra rendelési szint
@@ -4928,6 +5000,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,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/config/loan_management.py,Loan Processes,Hitel folyamatok
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Egy változat
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Összes állás
 DocType: Sales Order,% of materials billed against this Sales Order,% anyag tételek számlázva ehhez a Vevői Rendeléhez
@@ -4989,7 +5062,7 @@
 DocType: Item,Reorder level based on Warehouse,Raktárkészleten alapuló újrerendelési szint
 DocType: Activity Cost,Billing Rate,Számlázási ár
 ,Qty to Deliver,Leszállítandó mannyiség
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Kifizetési tétel létrehozása
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Kifizetési tétel létrehozása
 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,Operations cannot be left blank,Műveletek nem maradhatnak üresen
@@ -5023,6 +5096,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Kapcsolja le a külső integrációkat
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Válassza ki a megfelelő fizetést
 DocType: Pricing Rule,Item Code,Tételkód
+DocType: Loan Disbursement,Pending Amount For Disbursal,A kifizetés függőben lévő összege
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garancia és éves karbantartási szerződés részletei
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Válassza a diákokat kézzel az Aktivitás alapú csoporthoz
@@ -5046,6 +5120,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Összes mennyiség
 DocType: Landed Cost Item,Receipt Document,Nyugta dokumentum
 DocType: Employee Education,School/University,Iskola / Egyetem
+DocType: Loan Security Pledge,Loan  Details,Hitel részletei
 DocType: Sales Invoice Item,Available Qty at Warehouse,Elérhető mennyiség a raktárban
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Számlázott összeg
 DocType: Share Transfer,(including),(beleértve)
@@ -5069,6 +5144,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Csoportok
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Számla által csoportosítva
 DocType: Purchase Invoice,Hold Invoice,Számla megtartása
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Zálogállapot
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,"Kérjük, válassza ki a Munkavállalót"
 DocType: Sales Order,Fully Delivered,Teljesen leszállítva
 DocType: Promotional Scheme Price Discount,Min Amount,Min. Összeg
@@ -5078,7 +5154,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},"Folyósított összeg nem lehet nagyobb, a kölcsön összegénél {0}"
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"{0} sor # A lekötött összeg {1} nem lehet nagyobb, mint a nem követelt összeg {2}"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Beszerzési megrendelés száma szükséges ehhez az elemhez {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Áthozott szabadnapok száma
@@ -5106,6 +5181,7 @@
 DocType: Pick List Item,Serial No and Batch,Széria sz. és Köteg
 DocType: Warranty Claim,From Company,Cégtől
 DocType: GSTR 3B Report,January,január
+DocType: Loan Repayment,Principal Amount Paid,Fizetett főösszeg
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Értékelési kritériumok pontszám összegének ennyinek kell lennie: {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Kérjük, állítsa be a könyvelt amortizációk számát"
 DocType: Supplier Scorecard Period,Calculations,Számítások
@@ -5131,6 +5207,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,A Társaságról
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Jelenítse meg az állomány öregedési adatait
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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: Loan Repayment,Penalty Amount,Büntetés összege
 DocType: Donor,Donor,Adományozó
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Frissítse az elemek adóit
 DocType: Global Defaults,Disable In Words,Szavakkal mező elrejtése
@@ -5161,6 +5238,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Költségközpont és költségvetés-tervezés
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Saját tőke nyitó egyenlege
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Részben fizetett belépés
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Kérjük, állítsa be a fizetési ütemezést"
 DocType: Pick List,Items under this warehouse will be suggested,A raktár alatti tételeket javasoljuk
 DocType: Purchase Invoice,N,N
@@ -5194,7 +5272,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nem található az {1} tételhez
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Az értéknek {0} és {1} között kell lennie
 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,"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,Message Sent,Üzenet elküldve
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5208,6 +5285,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Engedélyezze az automatikus újrarendelést
 DocType: Stock Settings,Item Naming By,Tétel elnevezés típusa
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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: Proposed Pledge,Proposed Pledge,Javasolt ígéret
 DocType: Work Order,Material Transferred for Manufacturing,Anyag átrakva gyártáshoz
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,A {0} számla nem létezik
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Válassza ki a Hűségprogramot
@@ -5218,7 +5296,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Beállítás Események {0}, mivel az Alkalmazott hozzácsatolt a lenti értékesítőkhöz, akiknek  nincsenek felhasználói azonosítói: {1}"
 DocType: Timesheet,Billing Details,Számlázási adatok
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Forrás és cél raktárnak különböznie kell
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Kérjük, állítsa be a Munkavállalók elnevezési rendszerét a Humán erőforrás&gt; HR beállítások menüpontban"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Fizetés meghiúsult. További részletekért tekintse meg GoCardless-fiókját
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Nem engedélyezett a készlet tranzakciók frissítése, mely régebbi, mint {0}"
 DocType: Stock Entry,Inspection Required,Minőség-ellenőrzés szükséges
@@ -5231,6 +5308,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Szállítási raktár szükséges erre az tételre: {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),A csomag bruttó tömege. Általában a nettó tömeg + csomagolóanyag súlya. (nyomtatáshoz)
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Fogadalom ellen
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"A felhasználók ezzel a Beosztással engedélyt kapnak, hogy zároljanak számlákat és létrehozzanek / módosítsanak könyvelési tételeket a zárolt számlákon"
 DocType: Plaid Settings,Plaid Environment,Kockás környezet
 ,Project Billing Summary,A projekt számlázásának összefoglalása
@@ -5282,6 +5360,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,"Sarzsok, kötegek"
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,A napok számát előre lehet foglalni
 DocType: Article,LMS User,LMS felhasználó
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,A hitelbiztosítás kötelező a biztosíték fedezetéhez
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Átadás helye (állam / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Készlet mértékegysége
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Beszerzési megrendelés {0} nem nyújtják be
@@ -5356,6 +5435,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Hozzon létre Munkalapot
 DocType: Quotation,Referral Sales Partner,Referral Sales Partner
 DocType: Quality Procedure Process,Process Description,Folyamatleírás
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Nem vonható le, és a hitelbiztonsági érték nagyobb, mint a visszafizetett összeg"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,A(z)  {0} vevő létrehozva.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5376,7 +5456,7 @@
 DocType: Asset,Insurance Details,Biztosítási részletek
 DocType: Account,Payable,Kifizetendő
 DocType: Share Balance,Share Type,Típus megosztása
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Kérjük, írja be a törlesztési időszakokat"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Kérjük, írja be a törlesztési időszakokat"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Követelések ({0})
 DocType: Pricing Rule,Margin,Árkülönbözet
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Új Vevők
@@ -5385,6 +5465,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,POS profil megváltoztatása
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,A mennyiség vagy az összeg kötelezővé teszi a hitelbiztosítást
 DocType: Bank Reconciliation Detail,Clearance Date,Végső dátum
 DocType: Delivery Settings,Dispatch Notification Template,Feladási értesítési sablon
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Értékelő jelentés
@@ -5420,6 +5501,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledger megosztása
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,A {0} kimenő értékesítési számla létrehozva
 DocType: Employee,Confirmation Date,Visszaigazolás dátuma
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Kérjük, törölje a (z) <a href=""#Form/Employee/{0}"">{0}</a> alkalmazottat a dokumentum visszavonásához"
 DocType: Inpatient Occupancy,Check Out,Kijelentkezés
 DocType: C-Form,Total Invoiced Amount,Teljes kiszámlázott összeg
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,"Min Menny nem lehet nagyobb, mint Max Mennyiség"
@@ -5433,7 +5516,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,QuickBooks cégazonosító ID
 DocType: Travel Request,Travel Funding,Utazás finanszírozás
 DocType: Employee Skill,Proficiency,Jártasság
-DocType: Loan Application,Required by Date,Kötelező dátumonként
 DocType: Purchase Invoice Item,Purchase Receipt Detail,A beszerzési nyugtának részlete
 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"
 DocType: Lead,Lead Owner,Érdeklődés tulajdonosa
@@ -5452,7 +5534,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Jelenlegi anyagjegyzék és az ÚJ anyagjegyzés nem lehet ugyanaz
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Bérpapír ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Nyugdíjazás dátumának nagyobbnak kell lennie, mint Csatlakozás dátuma"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Szállító&gt; Beszállító típusa
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Több változat
 DocType: Sales Invoice,Against Income Account,Elleni jövedelem számla
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% szállítva
@@ -5485,7 +5566,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Készletérték típusú költségeket nem lehet megjelölni értékbe beszámíthatónak
 DocType: POS Profile,Update Stock,Készlet frissítése
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Fizetés részletei
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Anyagjegyzék Díjszabási ár
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Feltöltött fájl olvasása
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5520,6 +5601,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Hitel maximális értéke
 ,Stock Ledger,Készlet könyvelés
 DocType: Company,Exchange Gain / Loss Account,Árfolyamnyereség / veszteség számla
 DocType: Amazon MWS Settings,MWS Credentials,MWS hitelesítő adatok
@@ -5527,6 +5609,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,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,Community Forum,Közösségi Fórum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Nincsenek munkavállalóknak kiosztott levelek: {0} szabadság típusa: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Tényleges Mennyiség a raktáron
 DocType: Homepage,"URL for ""All Products""","AZ ""Összes termék"" URL elérési útja"
 DocType: Leave Application,Leave Balance Before Application,Távollét egyenleg az alkalmazás előtt
@@ -5628,7 +5711,6 @@
 DocType: Fee Schedule,Fee Schedule,Díj időzítése
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Oszlopcímkék:
 DocType: Bank Transaction,Settled,telepedett
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,A folyósítás dátuma nem lehet a kölcsön visszafizetésének kezdő dátuma
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,illeték
 DocType: Quality Feedback,Parameters,paraméterek
 DocType: Company,Create Chart Of Accounts Based On,Készítsen számlatükröt ez alapján
@@ -5648,6 +5730,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Hitelkeret és Fizetési feltételek
 DocType: Loyalty Program,Collection Rules,Gyűjtési szabályok
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,3. tétel
+DocType: Loan Security Shortfall,Shortfall Time,Hiányidő
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Rendelés iktatás
 DocType: Purchase Order,Customer Contact Email,Vevői Email
 DocType: Warranty Claim,Item and Warranty Details,Tétel és garancia Részletek
@@ -5667,12 +5750,14 @@
 DocType: Sales Person,Sales Person Name,Értékesítő neve
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Kérjük, adjon meg legalább 1 számlát a táblázatban"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nincs létrehozva laboratóriumi teszt
+DocType: Loan Security Shortfall,Security Value ,Biztonsági érték
 DocType: POS Item Group,Item Group,Tételcsoport
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Diák csoport:
 DocType: Depreciation Schedule,Finance Book Id,Pénzügyi könyvazonosító
 DocType: Item,Safety Stock,Biztonsági készlet
 DocType: Healthcare Settings,Healthcare Settings,Egészségügyi beállítások
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Teljes elosztott távollétek száma
+DocType: Appointment Letter,Appointment Letter,Kinevezési levél
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,"Előrehaladás % , egy feladatnak nem lehet nagyobb, mint 100."
 DocType: Stock Reconciliation Item,Before reconciliation,Főkönyvi egyeztetés előtt
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Címzett {0}
@@ -5727,6 +5812,7 @@
 DocType: Stock Entry,From BOM,Anyagjegyzékből
 DocType: Assessment Code,Assessment Code,Értékelés kód
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Alapvető
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Hitelkérelmek az ügyfelek és az alkalmazottak részéről.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Készlet tranzakciók  {0}  előtt befagyasztották
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Kérjük, kattintson a 'Ütemterv létrehozás' -ra"
 DocType: Job Card,Current Time,Aktuális idő
@@ -5753,7 +5839,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Támogatás
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Diákcsoportokat nem hozott létre.
 DocType: Purchase Invoice Item,Serial No,Széria sz.
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,"Havi törlesztés összege nem lehet nagyobb, mint a hitel összege"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,"Havi törlesztés összege nem lehet nagyobb, mint a hitel összege"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Kérjük, adja meg a fenntartás Részleteket először"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,# {0} sor: Az elvárt kiszállítási dátum nem lehet a Beszerzési megrendelés dátuma előtt
 DocType: Purchase Invoice,Print Language,Nyomtatási nyelv
@@ -5767,6 +5853,7 @@
 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,All Territories,Összes Terület
+DocType: Plaid Settings,development,fejlesztés
 DocType: Lost Reason Detail,Lost Reason Detail,Elvesztett ok részlete
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Érvénytelen üres rendelés a kiválasztott vevőhöz és tételhez
@@ -5829,12 +5916,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aktuális megnyitások
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Pénzforgalom a működtetésből
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST összeg
+DocType: Vehicle Log,Current Odometer value ,A kilométer-számláló aktuális értéke
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Hozzon létre hallgatót
 DocType: Asset Movement Item,Asset Movement Item,Eszközmozgási tétel
 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
 DocType: Manufacturer,Limited to 12 characters,12 karakterre korlátozva
+DocType: Appointment Letter,Closing Notes,Záró megjegyzések
 DocType: Journal Entry,Print Heading,Címsor nyomtatás
 DocType: Quality Action Table,Quality Action Table,Minőségi cselekvési táblázat
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Összesen nem lehet nulla
@@ -5901,6 +5990,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Összesen (Menny)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},"Kérjük, azonosítsa / hozzon létre fiókot (csoportot) a (z) - {0} típushoz"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Szórakozás és szabadidő
+DocType: Loan Security,Loan Security,Hitelbiztosítás
 ,Item Variant Details,Tétel változat részletei
 DocType: Quality Inspection,Item Serial No,Tétel-sorozatszám
 DocType: Payment Request,Is a Subscription,Ez egy feliratkozás
@@ -5913,7 +6003,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Legújabb kor
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,"Az ütemezett és az elfogadott dátum nem lehet kevesebb, mint a mai nap"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Át az anyagot szállító
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Új széria számnak nem lehet Raktára. Raktárat be kell állítani a Készlet bejegyzéssel vagy Beszerzési nyugtával
 DocType: Lead,Lead Type,Érdeklődés típusa
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Hozzon létre Idézet
@@ -5931,7 +6020,6 @@
 DocType: Leave Allocation,Leave Period,Távollét időszaka
 DocType: Item,Default Material Request Type,Alapértelmezett anyagigény típus
 DocType: Supplier Scorecard,Evaluation Period,Értékelési időszak
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Vevő&gt; Vevőcsoport&gt; Terület
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Ismeretlen
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Munkamegrendelést nem hoztuk létre
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6015,7 +6103,8 @@
 ,Customer-wise Item Price,Ügyfélszemélyes ár
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Pénzforgalmi kimutatás
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nincs létrehozva anyag igény kérés
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Hitel összege nem haladhatja meg a maximális kölcsön összegét {0}
+DocType: Loan,Loan Security Pledge,Hitelbiztosítási zálogjog
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licenc
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -6033,6 +6122,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Árkedvezményes rendszer
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Karbantartási állapotot törölni vagy befejezni kell a küldéshez
 DocType: Amazon MWS Settings,US,MINKET
+DocType: Loan Security Pledge,Pledged,elzálogosított
 DocType: Holiday List,Add Weekly Holidays,Heti ünnepek hozzáadása
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Jelentés elem
 DocType: Staffing Plan Detail,Vacancies,Állásajánlatok
@@ -6051,7 +6141,6 @@
 DocType: Production Plan Item,Planned Start Date,Tervezett kezdési dátum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,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
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Hozzon létre visszafizetési tételt
 DocType: Purchase Order Item,Blanket Order Rate,Keretszerződési ár
 ,Customer Ledger Summary,Vevőkönyv összegzése
 apps/erpnext/erpnext/hooks.py,Certification,Tanúsítvány
@@ -6072,6 +6161,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Teljesítmény értékelő sablon címe
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Kereskedelmi
 DocType: Patient,Alcohol Current Use,Jelenlegi alkoholfogyasztás
+DocType: Loan,Loan Closure Requested,Igényelt kölcsön lezárás
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Ház bérlet fizetendő összeg
 DocType: Student Admission Program,Student Admission Program,Tanulói felvételi program
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Adómentesség kategóriája
@@ -6095,6 +6185,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Értékesítés
 DocType: Stock Entry Detail,Basic Amount,Alapösszege
 DocType: Training Event,Exam,Vizsga
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Folyamathitel-biztonsági hiány
 DocType: Email Campaign,Email Campaign,E-mail kampány
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Piaci hiba
 DocType: Complaint,Complaint,Panasz
@@ -6174,6 +6265,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Küldje el ezt a Munkavállalói rekord létrehozásához
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},A kölcsönbiztosítási ár átfedésben a (z) {0} -gal
 DocType: Item Default,Item Default,Alapértelmezett tétel
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Államon belüli készletek
 DocType: Chapter Member,Leave Reason,Távollét oka
@@ -6199,6 +6291,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,Felhasznált távollétek
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Szeretné benyújtani az anyagkérelmet
 DocType: Job Offer,Awaiting Response,Várakozás válaszra
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,A hitel kötelező
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Fent
 DocType: Support Search Source,Link Options,Elérési link opciók
@@ -6211,6 +6304,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
+DocType: Pledge,Post Haircut Amount,Hajvágás utáni összeg
 DocType: Sales Order,Skip Delivery Note,Átugrani a szállítólevelet
 DocType: Price List,Price Not UOM Dependent,Az ár nem UOM-tól függ
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} változatokat hoztak létre.
@@ -6237,6 +6331,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Elemek beszerzése a termék csomagokból
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,A visszafizetési módszer kötelező a lejáratú kölcsönök esetében
 DocType: Asset,Straight Line,Egyenes
 DocType: Project User,Project User,Projekt téma felhasználó
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Osztott
@@ -6281,7 +6376,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Beosztás élesítheni a zárolt számlákat & szerkeszthesse a zárolt bejegyzéseket
 DocType: Supplier Scorecard Scoring Variable,Path,Útvonal
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Nem lehet átalakítani költséghelyet főkönyvi számlán hiszen vannak al csomópontjai
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konverziós tényező ({0} -&gt; {1}) nem található az elemre: {2}
 DocType: Production Plan,Total Planned Qty,Teljes tervezett mennyiség
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,A tranzakciók már visszavonultak a nyilatkozatból
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nyitó érték
@@ -6290,11 +6384,8 @@
 DocType: Material Request Plan Item,Required Quantity,Szükséges mennyiség
 DocType: Lab Test Template,Lab Test Template,Labor teszt sablon
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},A számviteli időszak átfedésben van a (z) {0} -gal
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Szállító&gt; Beszállító típusa
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Értékesítési számla
 DocType: Purchase Invoice Item,Total Weight,Össz súly
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Kérjük, törölje a (z) <a href=""#Form/Employee/{0}"">{0}</a> alkalmazottat a dokumentum visszavonásához"
 DocType: Pick List Item,Pick List Item,Válassza ki az elemet
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Értékesítések jutalékai
 DocType: Job Offer Term,Value / Description,Érték / Leírás
@@ -6340,6 +6431,7 @@
 DocType: Patient Encounter,Encounter Date,Találkozó dátuma
 DocType: Work Order,Update Consumed Material Cost In Project,Frissítse a felhasznált anyagköltségeket a projektben
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Számla: {0} ebben a pénznemben: {1} nem választható
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Az ügyfelek és az alkalmazottak számára nyújtott kölcsönök.
 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
@@ -6407,7 +6499,6 @@
 DocType: Contract,Signed On,Bejelentkezve
 DocType: Bank Account,Party Type,Ügyfél típusa
 DocType: Discounted Invoice,Discounted Invoice,Kedvezményes számla
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Jelölje meg a részvételt mint <b></b>
 DocType: Payment Schedule,Payment Schedule,Fizetési ütemeés
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Az adott alkalmazott mezőértékhez nem található alkalmazott. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Rövidítés
@@ -6479,6 +6570,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Hitelezők
 DocType: Assessment Plan,Assessment Name,Értékelés Neve
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Sor # {0}: Sorszám kötelező
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,A hitel lezárásához {0} összeg szükséges
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Tételenkénti adó részletek
 DocType: Employee Onboarding,Job Offer,Állás ajánlat
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Intézmény rövidítése
@@ -6502,7 +6594,6 @@
 DocType: Purchase Order,To Receive,Beérkeztetés
 DocType: Leave Period,Holiday List for Optional Leave,Távolléti lista az opcionális távollétekhez
 DocType: Item Tax Template,Tax Rates,Adókulcsok
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Cikkszám&gt; Tételcsoport&gt; Márka
 DocType: Asset,Asset Owner,Vagyontárgy tulajdonos
 DocType: Item,Website Content,Weboldal tartalma
 DocType: Bank Account,Integration ID,Integrációs azonosító
@@ -6518,6 +6609,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Szinkronrend
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Megrendelések gyártásra bocsátva.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Válasszon pénzügyi évet ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Válassza ki a (z) {0} vállalat hitel típusát
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6546,6 +6638,7 @@
 DocType: Customer,Mention if non-standard receivable account,"Megemlít, ha nem szabványos bevételi számla"
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Adja hozzá a fennmaradó előnyöket {0} a már létező elemekhez
+DocType: Bank Account,Is Default Account,Alapértelmezett fiók
 DocType: Journal Entry Account,If Income or Expense,Ha bevétel vagy kiadás
 DocType: Course Topic,Course Topic,Tanfolyam téma
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},A POS záró utalvány napja {0} létezik a (z) {1} és {2} között
@@ -6558,7 +6651,7 @@
 DocType: Disease,Treatment Task,Kezelési feladat
 DocType: Payment Order Reference,Bank Account Details,Bankszámla adatai
 DocType: Purchase Order Item,Blanket Order,Keretszerződés
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,"A visszafizetési összegnek nagyobbnak kell lennie, mint"
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,"A visszafizetési összegnek nagyobbnak kell lennie, mint"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Adó tárgyi eszközökhöz
 DocType: BOM Item,BOM No,Anyagjegyzék száma
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Frissítse a részleteket
@@ -6614,6 +6707,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce termékek
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Szintaktikai hiba a képletben vagy állapotban: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Tétel: {0} - figyelmen kívül hagyva, mivel ez nem egy készletezhető tétel"
+,Loan Security Status,Hitelbiztosítási állapot
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Hogy nem használhassa az árképzési szabályt egy adott ügyletben, az összes árképzési szabályt le kell tiltani."
 DocType: Payment Term,Day(s) after the end of the invoice month,Nap(ok) a számlázási hónap vége után
 DocType: Assessment Group,Parent Assessment Group,Fő értékelési csoport
@@ -6628,7 +6722,6 @@
 DocType: Stock Entry Detail,Additional Cost,Járulékos költség
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nem tudja szűrni utalvány szám alapján, ha utalványonként csoportosított"
 DocType: Quality Inspection,Incoming,Bejövő
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Kérjük, állítsa be a számozási sorozatokat a jelenléthez a Beállítás&gt; Számozási sorozat segítségével"
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Az értékesítés és a vásárlás alapértelmezett adómintáit létre hozták.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Értékelés eredménye rekord {0} már létezik.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Példa: ABCD. #####. Ha sorozatot állít be, és a tétel nem szerepel a tranzakciókban, akkor a sorozaton alapuló automatikus tételszám kerül létrehozásra. Ha mindig erről a tételr köteg számról szeretné kifejezetten megemlíteni a tételszámot, hagyja üresen. Megjegyzés: ez a beállítás elsőbbséget élvez a készletbeállítások között az elnevezési sorozat előtag felett a leltár beállításoknál."
@@ -6639,8 +6732,10 @@
 DocType: Contract,Party User,Ügyfél felhasználó
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,A (z) <b>{0}</b> számára nem létrehozott eszközök. Az eszközt manuálisan kell létrehoznia.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Kérjük, állítsa Vállakozás szűrését üresre, ha a csoportosítás beállítása 'Vállalkozás'"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Vevő&gt; Vevőcsoport&gt; Terület
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Könyvelési dátum nem lehet jövőbeni időpontban
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Sor # {0}: Sorszám {1} nem egyezik a {2} {3}
+DocType: Loan Repayment,Interest Payable,Fizetendő kamat
 DocType: Stock Entry,Target Warehouse Address,Cél raktár címe
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Alkalmi távollét
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"A műszak indulása előtti idő, amely során a munkavállalói bejelentkezést figyelembe veszik a részvételhez."
@@ -6769,6 +6864,7 @@
 DocType: Issue,Reset Service Level Agreement,A szolgáltatási szintű szerződés visszaállítása
 ,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/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,A hitelösszeg kötelező
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6817,6 +6913,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Mérleg mennyiség
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,A feltételek a kiválasztott elemekre együttesen vonatkoznak.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Célok nem lehetnek üresek
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Helytelen raktár
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Hallgatói beiratkozások
 DocType: Item Group,Parent Item Group,Fő tétel csoport
 DocType: Appointment Type,Appointment Type,Vizit időpont típus
@@ -6870,10 +6967,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Átlagérték
 DocType: Appointment,Appointment With,Kinevezés
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,A kifizetési ütemezés teljes összegének meg kell egyeznie a Teljes / kerekített összeggel
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Jelölje meg a részvételt mint <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Felhasználó által közölt tétel"" nem lehet Készletérték ára"
 DocType: Subscription Plan Detail,Plan,Terv
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,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
+DocType: Appointment Letter,Applicant Name,Pályázó neve
 DocType: Authorization Rule,Customer / Item Name,Vevő / Tétel Név
 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**. 
 
@@ -6917,11 +7015,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Képviselet
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Az alkalmazotti státuszt nem lehet &quot;Balra&quot; beállítani, mivel a következő alkalmazottak jelenleg jelentést tesznek ennek a munkavállalónak:"
-DocType: Journal Entry Account,Loan,Hitel
+DocType: Loan Repayment,Amount Paid,Kifizetett Összeg
+DocType: Loan Security Shortfall,Loan,Hitel
 DocType: Expense Claim Advance,Expense Claim Advance,Költség igény előleg
 DocType: Lab Test,Report Preference,Jelentés preferencia
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Önkéntes információi.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Projekt téma menedzser
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Csoportos ügyfél
 ,Quoted Item Comparison,Ajánlott tétel összehasonlítás
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Feladás
@@ -6941,6 +7041,7 @@
 DocType: Material Request Plan Item,Material Issue,Anyag probléma
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Ingyenes áru nincs meghatározva az árképzési szabályban {0}
 DocType: Employee Education,Qualification,Képesítés
+DocType: Loan Security Shortfall,Loan Security Shortfall,Hitelbiztonsági hiány
 DocType: Item Price,Item Price,Tétel ár
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Szappan & Mosószer
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},A (z) {0} alkalmazott nem tartozik a (z) {1} céghez
@@ -6963,6 +7064,7 @@
 DocType: Appointment Booking Settings,Appointment Details,A kinevezés részletei
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Késztermék
 DocType: Warehouse,Warehouse Name,Raktár neve
+DocType: Loan Security Pledge,Pledge Time,Ígéret ideje
 DocType: Naming Series,Select Transaction,Válasszon Tranzakciót
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Kérjük, adja be Beosztás jóváhagyásra vagy Felhasználó jóváhagyásra"
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Szolgáltatási szintű megállapodás a (z) {0} típusú entitással és a {1} entitással már létezik.
@@ -6970,7 +7072,6 @@
 DocType: BOM,Rate Of Materials Based On,Anyagköltség számítás módja
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ha engedélyezve van, az Akadémiai mező mező kötelező lesz a program beiratkozási eszközben."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Az adómentes, nulla névleges és nem GST behozatali termékek értékei"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Vevő&gt; Vevőcsoport&gt; Terület
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>A társaság</b> kötelező szűrő.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Összes kijelöletlen
 DocType: Purchase Taxes and Charges,On Item Quantity,A tétel mennyiségen
@@ -7015,7 +7116,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Hiány Mennyisége
 DocType: Purchase Invoice,Input Service Distributor,Bemeneti szolgáltató
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Tétel változat {0} létezik azonos Jellemzőkkel
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Kérjük, állítsa be az Oktató elnevezési rendszert az Oktatás&gt; Oktatási beállítások menüben"
 DocType: Loan,Repay from Salary,Bérből törleszteni
 DocType: Exotel Settings,API Token,API token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Fizetési igény ehhez {0} {1} ezzel az összeggel {2}
@@ -7035,6 +7135,7 @@
 DocType: Salary Slip,Total Interest Amount,Összes kamatösszeg
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Átmeneti napok
 DocType: Travel Itinerary,Arrival Datetime,Érkezési dátumidő
 DocType: Tax Rule,Billing Zipcode,Számlázási irányítószám
@@ -7221,6 +7322,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Órák
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Új találkozót hoztak létre a következőkkel: {0}
 DocType: Project,Expected Start Date,Várható indulás dátuma
+DocType: Work Order,This is a location where raw materials are available.,Ezen a helyen nyersanyagok állnak rendelkezésre.
 DocType: Purchase Invoice,04-Correction in Invoice,04- Korrekció a számlán
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,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: Bank Account,Party Details,Párt Részletek
@@ -7239,6 +7341,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Árajánlatok:
 DocType: Contract,Partially Fulfilled,Részben teljesítve
 DocType: Maintenance Visit,Fully Completed,Teljesen kész
+DocType: Loan Security,Loan Security Name,Hitelbiztonsági név
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Speciális karakterek, kivéve &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; És &quot;}&quot;, a sorozatok elnevezése nem megengedett"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Nincs nulla besorolás vagy mentesség
 DocType: Employee,Educational Qualification,Iskolai végzettség
@@ -7295,6 +7398,7 @@
 DocType: Program,Is Featured,Kiemelt
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Elragadó...
 DocType: Agriculture Analysis Criteria,Agriculture User,Mezőgazdaság felhasználó
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Érvényes dátum nem lehet a tranzakció időpontja előtt
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7372,8 +7476,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Alkalmazott {0} távolléten van ekkor {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Nincs kiválasztva visszafizetés a naplóbejegyzéshez
 DocType: Purchase Invoice,GST Category,GST kategória
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,A javasolt biztosítékok kötelezőek a fedezett kölcsönöknél
 DocType: Payment Reconciliation,From Invoice Date,Számla dátumától
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Költségvetési
 DocType: Invoice Discounting,Disbursed,Folyósított
@@ -7431,14 +7535,13 @@
 DocType: Restaurant,Active Menu,Aktív menü
 DocType: Accounting Dimension Detail,Default Dimension,Alapértelmezett méret
 DocType: Target Detail,Target Qty,Cél menny.
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Hitel ellenében: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Kijelentkezés beállítások
 DocType: Student Attendance,Present,Jelen
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,A {0} Szállítólevelet nem kell benyújtani
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","A munkavállalónak e-mailben elküldött fizetési bizonylat jelszóval védett, a jelszó a jelszavas házirend alapján készül."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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ó
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Kilométer-számláló
 DocType: Production Plan Item,Ordered Qty,Rendelt menny.
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Tétel {0} letiltva
 DocType: Stock Settings,Stock Frozen Upto,Készlet zárolása eddig
@@ -7495,7 +7598,6 @@
 DocType: Serial No,Delivery Document Type,Szállítási Document típusa
 DocType: Sales Order,Partly Delivered,Részben szállítva
 DocType: Item Variant Settings,Do not update variants on save,Ne módosítsa a változatokat mentéskor
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Csoport
 DocType: Email Digest,Receivables,Követelések
 DocType: Lead Source,Lead Source,Érdeklődés forrása
 DocType: Customer,Additional information regarding the customer.,További információt az ügyfélről.
@@ -7591,6 +7693,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Tényleges
 DocType: Appointment,Skype ID,Skype felhasználónév
 DocType: Restaurant Menu,Restaurant Manager,Éttermi vezető
+DocType: Loan,Penalty Income Account,Büntetési jövedelem számla
 DocType: Call Log,Call Log,Hívásnapló
 DocType: Authorization Rule,Customerwise Discount,Vevőszerinti kedvezmény
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Jelenléti ív a feladatokra.
@@ -7678,6 +7781,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Termékkedvezmény rendszer
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,A hívó nem vetett fel kérdést.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Csoport szerint beszállító
 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,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"
@@ -7688,7 +7792,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Tanácsadó
 DocType: Subscription Plan,Based on price list,Árlista alapján
 DocType: Customer Group,Parent Customer Group,Fő Vevő csoport
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Az e-Way Bill JSON csak az értékesítési számlából generálható
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Elérte a kvíz maximális kísérleteit!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Előfizetés
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Díj létrehozása függőben van
@@ -7706,6 +7809,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Megelőző karbantartás
 DocType: Delivery Note Item,Against Sales Invoice,Értékesítési ellenszámlák
 DocType: Purchase Invoice,07-Others,07-Egyebek
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Ajánlati összeg
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,"Kérjük, adjaon sorozatszámokat a sorbarendezett tételekhez"
 DocType: Bin,Reserved Qty for Production,Lefoglalt mennyiség a termeléshez
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Hagyja bejelöletlenül, ha nem szeretné, kötegelni miközben kurzus alapú csoportokat hoz létre."
@@ -7813,6 +7917,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Fizetési átvételi Megjegyzés
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Anyagkérés létrehozása
+DocType: Loan Interest Accrual,Pending Principal Amount,Függőben lévő főösszeg
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","A kezdési és a befejezési dátum nem érvényes érvényes béridőszakban van, nem tudja kiszámítani a (z) {0} -ot"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7856,6 +7961,7 @@
 											to fullfill Sales Order {2}","Az {1} tétel {0} sorszáma nem adható meg, mivel fenntartva \ teljesítési megbízás {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,ÉRT-ÁRAJ-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Beszállító árajánlata :{0} létrehozva
+DocType: Loan Security Unpledge,Unpledge Type,Lefedettség típusa
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Befejező év nem lehet a kezdés évnél korábbi
 DocType: Employee Benefit Application,Employee Benefits,Alkalmazotti juttatások
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,munkavállalói azonosító
@@ -7938,6 +8044,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Tanfolyam kód:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Kérjük, adja meg a Költség számlát"
 DocType: Quality Action Resolution,Problem,Probléma
+DocType: Loan Security Type,Loan To Value Ratio,Hitel és érték arány
 DocType: Account,Stock,Készlet
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7955,6 +8062,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Banki kivonat tranzakció bejegyzés
 DocType: Sales Invoice Item,Discount and Margin,Kedvezmény és árkülönbözet
 DocType: Lab Test,Prescription,Recept
+DocType: Process Loan Security Shortfall,Update Time,Frissítési idő
 DocType: Import Supplier Invoice,Upload XML Invoices,Tölts fel XML számlákat
 DocType: Company,Default Deferred Revenue Account,Alapértelmezett halasztott bevételi számla
 DocType: Project,Second Email,Második e-mail
@@ -7968,7 +8076,7 @@
 DocType: Quality Action,Preventive,Megelőző
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Regisztrálatlan személyek részére készített ellátás
 DocType: Company,Date of Incorporation,Bejegyzés kelte
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Összes adó
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Összes adó
 DocType: Manufacturing Settings,Default Scrap Warehouse,Alapértelmezett hulladékraktár
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Utolsó vétel ár
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Mennyiséghez (gyártott db) kötelező
@@ -7987,6 +8095,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Állítsa be a fizetés alapértelmezett módját
 DocType: Stock Entry Detail,Against Stock Entry,A készletbejegyzés ellen
 DocType: Grant Application,Withdrawn,Visszavont
+DocType: Loan Repayment,Regular Payment,Rendszeres fizetés
 DocType: Support Search Source,Support Search Source,Támogatás kereső forrása
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Bruttó árkülönbözet %
@@ -7999,8 +8108,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Adófizetés nélkül
 DocType: BOM Operation,BOM Operation,ANYGJZ művelet
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Előző sor összegén
+DocType: Student,Home Address,Lakcím
 DocType: Options,Is Correct,Helyes
 DocType: Item,Has Expiry Date,Érvényességi idővel rendelkezik
+DocType: Loan Repayment,Paid Accrual Entries,Fizetett eredményszemléletű bejegyzések
+DocType: Loan Security,Loan Security Type,Hitelbiztosítási típus
 apps/erpnext/erpnext/config/support.py,Issue Type.,Probléma típus.
 DocType: POS Profile,POS Profile,POS profil
 DocType: Training Event,Event Name,Esemény neve
@@ -8012,6 +8124,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Szezonalitás a költségvetések tervezéséhez, célok stb"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Nincs érték
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Változó név
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Válassza ki az egyeztetni kívánt bankszámlát.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Tétel:  {0}, egy sablon, kérjük, válasszon variánst"
 DocType: Purchase Invoice Item,Deferred Expense,Halasztott költség
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Vissza az üzenetekhez
@@ -8063,7 +8176,6 @@
 DocType: GL Entry,To Rename,Átnevezni
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Válassza ki a sorozatszám hozzáadásához.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Kérjük, állítsa be az Oktató elnevezési rendszert az Oktatás&gt; Oktatási beállítások menüben"
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Kérjük, állítsa be az adószámot a (z)% s ügyfél számára"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,"Kérjük, először válassza ki a Vállalkozást"
 DocType: Item Attribute,Numeric Values,Numerikus értékek
@@ -8087,6 +8199,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Lekérés a FIFO alapján
 DocType: Soil Texture,Clay Loam,Agyagos termőtalaj
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root nem lehet szerkeszteni.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Hitelbiztosítási érték
 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
@@ -8133,6 +8246,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Kérjük, válasszon Kategóriát először"
 apps/erpnext/erpnext/config/projects.py,Project master.,Projek témák törzsadat.
 DocType: Contract,Contract Terms,Szerződéses feltételek
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Szankcionált összeghatár
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Folytassa a konfigurációt
 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,Maximum benefit amount of component {0} exceeds {1},A (z) {0} komponens maximális haszna meghaladja {1}
@@ -8165,6 +8279,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Hívásnapló megtekintése
 DocType: BOM Operation,Operating Cost(Company Currency),Üzemeltetési költség (Vállaklozás pénzneme)
 DocType: Loan Application,Rate of Interest,Kamatláb
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Hitelbiztosítási zálogjog már ígéretet tett a kölcsön ellen {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Szentesített Összeg
 DocType: Item,Shelf Life In Days,Az eltarthatóság napokban
 DocType: GL Entry,Is Opening,Ez nyitás
@@ -8177,3 +8292,4 @@
 DocType: Account,Cash,Készpénz
 DocType: Sales Invoice,Unpaid and Discounted,Fizetetlen és kedvezményes
 DocType: Employee,Short biography for website and other publications.,Rövid életrajz a honlaphoz és egyéb kiadványokhoz.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,"{0} sor: Nem lehet kiválasztani a Beszállítói Raktárt, miközben nyersanyagokat szállítunk alvállalkozónak"
diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv
index 9d3b1c4..a27b0a7 100644
--- a/erpnext/translations/id.csv
+++ b/erpnext/translations/id.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Peluang Hilang Alasan
 DocType: Patient Appointment,Check availability,Cek ketersediaan
 DocType: Retention Bonus,Bonus Payment Date,Tanggal Pembayaran Bonus
-DocType: Employee,Job Applicant,Pemohon Kerja
+DocType: Appointment Letter,Job Applicant,Pemohon Kerja
 DocType: Job Card,Total Time in Mins,Total Waktu dalam Menit
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontak informasi
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Cari apa saja ...
 ,Stock and Account Value Comparison,Perbandingan Nilai Saham dan Akun
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Jumlah yang Dicairkan tidak boleh lebih besar dari jumlah pinjaman
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Tertarik
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Pembukaan
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Berlaku Dari Waktu harus lebih kecil dari Waktu Berlaku yang Valid.
 DocType: Item,Copy From Item Group,Salin Dari Grup Stok Barang
 DocType: Journal Entry,Opening Entry,Entri Pembukaan
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Akun Pembayaran Saja
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Kelas
 DocType: Restaurant Table,No of Seats,Tidak ada tempat duduk
+DocType: Loan Type,Grace Period in Days,Periode Rahmat dalam hitungan Hari
 DocType: Sales Invoice,Overdue and Discounted,Tunggakan dan Diskon
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Aset {0} bukan milik penjaga {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Panggilan Terputus
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Prosedur yang Ditetapkan
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Hanya tampilkan POS
 DocType: Supplier Group,Supplier Group Name,Nama Grup Pemasok
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandai kehadiran sebagai <b></b>
 DocType: Driver,Driving License Categories,Kategori Lisensi Mengemudi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Harap masukkan Tanggal Pengiriman
 DocType: Depreciation Schedule,Make Depreciation Entry,Membuat Penyusutan Masuk
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Rincian operasi yang dilakukan.
 DocType: Asset Maintenance Log,Maintenance Status,Status pemeliharaan
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Jumlah Pajak Barang Termasuk dalam Nilai
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Jaminan Keamanan Pinjaman
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Rincian Keanggotaan
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Pemasok diperlukan untuk akun Hutang {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Item dan Harga
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Jumlah jam: {0}
+DocType: Loan,Loan Manager,Manajer Pinjaman
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dari tanggal harus dalam Tahun Anggaran. Dengan asumsi Dari Tanggal = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Selang
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Diperbarui melalui 'Log Waktu'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Pilih pelanggan atau pemasok.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kode Negara dalam File tidak cocok dengan kode negara yang diatur dalam sistem
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Akun {0} bukan milik Perusahaan {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Pilih hanya satu Prioritas sebagai Default.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Cuti Diblokir
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Entri Bank
-DocType: Customer,Is Internal Customer,Apakah Pelanggan Internal
+DocType: Sales Invoice,Is Internal Customer,Apakah Pelanggan Internal
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Permintaan Material
 DocType: Bank Reconciliation,Update Clearance Date,Perbarui Tanggal Kliring
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundel Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Tidak dapat membuat pinjaman sampai permohonan disetujui
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Benar
 DocType: Student Guardian,Mother,Ibu
 DocType: Restaurant Reservation,Reservation End Time,Reservasi Akhir Waktu
+DocType: Salary Slip Loan,Loan Repayment Entry,Entri Pembayaran Pinjaman
 DocType: Crop,Biennial,Dua tahunan
 ,BOM Variance Report,Laporan Varians BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Pesanan terkonfirmasi dari Pelanggan.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Pembayaran terhadap {0} {1} tidak dapat lebih besar dari Posisi Jumlah {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Semua Unit Layanan Kesehatan
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Tentang Konversi Peluang
+DocType: Loan,Total Principal Paid,Total Pokok yang Dibayar
 DocType: Bank Account,Address HTML,Alamat HTML
 DocType: Lead,Mobile No.,Nomor Ponsel
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Mode Pembayaran
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Saldo dalam Mata Uang Dasar
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Kutipan Baru
+DocType: Loan Interest Accrual,Loan Interest Accrual,Bunga Kredit Akrual
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Kehadiran tidak dikirimkan untuk {0} sebagai {1} saat cuti.
 DocType: Journal Entry,Payment Order,Pesanan Pembayaran
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,verifikasi email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Penghasilan Dari Sumber Lain
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Jika kosong, Akun Gudang induk atau standar perusahaan akan dipertimbangkan"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Surel slip gaji ke karyawan berdasarkan surel utama yang dipilih dalam Karyawan
+DocType: Work Order,This is a location where operations are executed.,Ini adalah lokasi di mana operasi dijalankan.
 DocType: Tax Rule,Shipping County,Pengiriman County
 DocType: Currency Exchange,For Selling,Untuk Jual
 apps/erpnext/erpnext/config/desktop.py,Learn,Belajar
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Kode Kupon Terapan
 DocType: Asset,Next Depreciation Date,Berikutnya Penyusutan Tanggal
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Biaya Aktivitas Per Karyawan
+DocType: Loan Security,Haircut %,Potongan rambut%
 DocType: Accounts Settings,Settings for Accounts,Pengaturan Akun
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Pemasok Faktur ada ada di Purchase Invoice {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Pengelolaan Tingkat Salesman
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Harap atur Tarif Kamar Hotel di {}
 DocType: Journal Entry,Multi Currency,Multi Mata Uang
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipe Faktur
+DocType: Loan,Loan Security Details,Detail Keamanan Pinjaman
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Valid dari tanggal harus kurang dari tanggal yang berlaku
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Pengecualian terjadi saat merekonsiliasi {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Tetapkan Gudang yang Diterima
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Memerlukan Lab Test Approval
 DocType: Attendance,Working Hours,Jam Kerja
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Posisi
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor Konversi UOM ({0} -&gt; {1}) tidak ditemukan untuk item: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mengubah mulai / nomor urut saat ini dari seri yang ada.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Persentase Anda dapat menagih lebih banyak dari jumlah yang dipesan. Misalnya: Jika nilai pesanan adalah $ 100 untuk item dan toleransi ditetapkan 10%, maka Anda diizinkan untuk menagih $ 110."
 DocType: Dosage Strength,Strength,Kekuatan
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Tanggal Kendaraan
 DocType: Campaign Email Schedule,Campaign Email Schedule,Jadwal Email Kampanye
 DocType: Student Log,Medical,Medis
+DocType: Work Order,This is a location where scraped materials are stored.,Ini adalah lokasi penyimpanan bahan bekas.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Silakan pilih Obat
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Pemilik Prospek tidak bisa sama dengan Prospek
 DocType: Announcement,Receiver,Penerima
@@ -886,7 +898,7 @@
 DocType: Driver,Applicable for external driver,Berlaku untuk driver eksternal
 DocType: Sales Order Item,Used for Production Plan,Digunakan untuk Rencana Produksi
 DocType: BOM,Total Cost (Company Currency),Total Biaya (Mata Uang Perusahaan)
-DocType: Loan,Total Payment,Total pembayaran
+DocType: Repayment Schedule,Total Payment,Total pembayaran
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO sudah dibuat untuk semua item pesanan penjualan
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Peringatkan untuk Pesanan Pembelian
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Disewa Dari Tanggal
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Bagian yang cukup untuk Membangun
+DocType: Loan Security,Loan Security Code,Kode Keamanan Pinjaman
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Harap simpan dulu
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Item diperlukan untuk menarik bahan baku yang terkait dengannya.
 DocType: POS Profile User,POS Profile User,Profil Pengguna POS
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Entri Saham sudah dibuat untuk Perintah Kerja
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kode Barang&gt; Grup Barang&gt; Merek
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Lihat pesanan sebelumnya
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} percakapan
 DocType: Vital Signs,Respiratory rate,Tingkat pernapasan
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Hapus Transaksi Perusahaan
 DocType: Production Plan Item,Quantity and Description,Kuantitas dan Deskripsi
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referensi ada dan Tanggal referensi wajib untuk transaksi Bank
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan&gt; Pengaturan&gt; Seri Penamaan
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Pajak dan Biaya
 DocType: Payment Entry Reference,Supplier Invoice No,Nomor Faktur Supplier
 DocType: Territory,For reference,Untuk referensi
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Akun Pemotongan Pajak
 DocType: Pricing Rule,Sales Partner,Mitra Penjualan
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Semua kartu pemilih Pemasok.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Jumlah pesanan
+DocType: Loan,Disbursed Amount,Jumlah yang Dicairkan
 DocType: Buying Settings,Purchase Receipt Required,Diperlukan Nota Penerimaan
 DocType: Sales Invoice,Rail,Rel
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Harga asli
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Terhubung ke QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Harap identifikasi / buat Akun (Buku Besar) untuk tipe - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Akun Hutang
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Akun wajib untuk mendapatkan entri pembayaran
 DocType: Payment Entry,Type of Payment,Jenis Pembayaran
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Setengah Hari Tanggal adalah wajib
 DocType: Sales Order,Billing and Delivery Status,Status Penagihan dan Pengiriman
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Nilai Tagihan
 DocType: Training Result Employee,Training Result Employee,Pelatihan Hasil Karyawan
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Suatu Gudang maya dimana entri persediaan dibuat.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Jumlah pokok
+DocType: Repayment Schedule,Principal Amount,Jumlah pokok
 DocType: Loan Application,Total Payable Interest,Total Utang Bunga
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total Posisi: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Kontak Terbuka
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Kesalahan terjadi selama proses pembaruan
 DocType: Restaurant Reservation,Restaurant Reservation,Reservasi Restoran
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Barang Anda
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Pemasok&gt; Jenis Pemasok
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Penulisan Proposal
 DocType: Payment Entry Deduction,Payment Entry Deduction,Pembayaran Masuk Pengurangan
 DocType: Service Level Priority,Service Level Priority,Prioritas Tingkat Layanan
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Kumpulan Keterangan
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Menciptakan kelompok siswa
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Gateway Akun pembayaran tidak dibuat, silakan membuat satu secara manual."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Gudang Grup tidak dapat digunakan dalam transaksi. Silakan ubah nilai {0}
 DocType: Supplier Scorecard,Per Year,Per tahun
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Tidak memenuhi syarat untuk masuk dalam program ini sesuai DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Baris # {0}: Tidak dapat menghapus item {1} yang ditetapkan untuk pesanan pembelian pelanggan.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Saat membuat akun untuk Perusahaan anak {0}, akun induk {1} tidak ditemukan. Harap buat akun induk di COA yang sesuai"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Terbagi Masalah
 DocType: Student Attendance,Student Attendance,Kehadiran mahasiswa
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Tidak ada data untuk diekspor
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tanggal Pengiriman Aktual
 DocType: Lab Test,Test Template,Uji Template
+DocType: Loan Security Pledge,Securities,Efek
 DocType: Restaurant Order Entry Item,Served,Melayani
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informasi pasal
 DocType: Account,Accounts,Akun / Rekening
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O negatif
 DocType: Work Order Operation,Planned End Time,Rencana Waktu Berakhir
 DocType: POS Profile,Only show Items from these Item Groups,Hanya perlihatkan Item dari Grup Item ini
+DocType: Loan,Is Secured Loan,Apakah Pinjaman Terjamin
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Rincian Jenis Memebership
 DocType: Delivery Note,Customer's Purchase Order No,Nomor Order Pembelian Pelanggan
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Dapatkan dari Pertemuan Pasien
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor Konversi UOM ({0} -&gt; {1}) tidak ditemukan untuk item: {2}
 DocType: Subscriber,Subscriber,Subscriber
 DocType: Item Attribute Value,Item Attribute Value,Nilai Item Atribut
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Pertukaran Mata Uang harus berlaku untuk Membeli atau untuk Penjualan.
@@ -1498,6 +1518,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Tidak ada Izin
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Daftar Periksa Pemenuhan Kontrak
 DocType: Vital Signs,Heart Rate / Pulse,Heart Rate / Pulse
+DocType: Customer,Default Company Bank Account,Akun Bank Perusahaan Default
 DocType: Supplier,Default Bank Account,Standar Rekening Bank
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Untuk menyaring berdasarkan Party, pilih Partai Ketik terlebih dahulu"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'Pembaruan Persediaan’ tidak dapat dipilih karena barang tidak dikirim melalui {0}
@@ -1615,7 +1636,6 @@
 DocType: Sales Team,Incentives,Insentif
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Nilai Tidak Disinkronkan
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Nilai Perbedaan
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Silakan atur seri penomoran untuk Kehadiran melalui Pengaturan&gt; Seri Penomoran
 DocType: SMS Log,Requested Numbers,Nomor yang Diminta
 DocType: Volunteer,Evening,Malam
 DocType: Quiz,Quiz Configuration,Konfigurasi Kuis
@@ -1635,6 +1655,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Jumlah Pada Row Sebelumnya
 DocType: Purchase Invoice Item,Rejected Qty,ditolak Qty
 DocType: Setup Progress Action,Action Field,Bidang Aksi
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Jenis Pinjaman untuk suku bunga dan penalti
 DocType: Healthcare Settings,Manage Customer,Kelola Pelanggan
 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
@@ -1646,6 +1667,7 @@
 ,Final Assessment Grades,Penilaian Akhir Kelas
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Nama perusahaan Anda yang Anda sedang mengatur sistem ini.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Sertakan Hari Libur di total no. dari Hari Kerja
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Dari Total Grand
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Siapkan Institut Anda di ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analisis Tanaman
 DocType: Task,Timeline,Garis waktu
@@ -1653,9 +1675,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Item Alternatif
 DocType: Shopify Log,Request Data,Meminta Data
 DocType: Employee,Date of Joining,Tanggal Bergabung
+DocType: Delivery Note,Inter Company Reference,Referensi Perusahaan Antar
 DocType: Naming Series,Update Series,Perbarui Seri
 DocType: Supplier Quotation,Is Subcontracted,Apakah Subkontrak?
 DocType: Restaurant Table,Minimum Seating,Tempat Duduk Minimal
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Pertanyaan tidak dapat diduplikasi
 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,Purchase Receipt,Nota Penerimaan
@@ -1757,6 +1781,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinkronisasi Offline Faktur
 DocType: Payment Request,Paid,Dibayar
 DocType: Service Level,Default Priority,Prioritas Default
+DocType: Pledge,Pledge,Janji
 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."
@@ -1770,6 +1795,7 @@
 DocType: Guardian,Guardian Name,Nama wali
 DocType: Cheque Print Template,Has Print Format,Memiliki Print Format
 DocType: Support Settings,Get Started Sections,Mulai Bagian
+,Loan Repayment and Closure,Pembayaran dan Penutupan Pinjaman
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sanksi
 ,Base Amount,Jumlah dasar
@@ -1780,10 +1806,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Dari Tempat
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Jumlah pinjaman tidak boleh lebih dari {0}
 DocType: Student Admission,Publish on website,Mempublikasikan di website
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Pemasok Faktur Tanggal tidak dapat lebih besar dari Posting Tanggal
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kode Barang&gt; Grup Barang&gt; Merek
 DocType: Subscription,Cancelation Date,Tanggal Pembatalan
 DocType: Purchase Invoice Item,Purchase Order Item,Stok Barang Order Pembelian
 DocType: Agriculture Task,Agriculture Task,Tugas Pertanian
@@ -1802,7 +1828,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Persentase Diskon Tambahan
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Lihat daftar semua bantuan video
 DocType: Agriculture Analysis Criteria,Soil Texture,Tekstur Tanah
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Pilih kepala rekening bank mana cek diendapkan.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Izinkan user/pengguna untuk mengubah rate daftar harga di dalam transaksi
 DocType: Pricing Rule,Max Qty,Qty Maksimum
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Cetak Kartu Laporan
@@ -1934,7 +1959,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Setelah ditetapkan, faktur ini akan ditahan hingga tanggal yang ditetapkan"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Nilai Penjualan
-DocType: Repayment Schedule,Interest Amount,Jumlah bunga
+DocType: Loan Interest Accrual,Interest Amount,Jumlah bunga
 DocType: Job Card,Time Logs,Log Waktu
 DocType: Sales Invoice,Loyalty Amount,Jumlah Loyalitas
 DocType: Employee Transfer,Employee Transfer Detail,Detail Transfer Karyawan
@@ -1949,6 +1974,7 @@
 DocType: Cashier Closing,Returns,Retur
 DocType: Job Card,WIP Warehouse,WIP Gudang
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serial ada {0} berada di bawah kontrak pemeliharaan upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Batas Jumlah yang disetujui terlampaui untuk {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Pengerahan
 DocType: Lead,Organization Name,Nama Organisasi
 DocType: Support Settings,Show Latest Forum Posts,Tampilkan Posting Forum Terbaru
@@ -1975,7 +2001,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Item Pesanan Pembelian terlambat
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Kode Pos
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Sales Order {0} adalah {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Pilih akun pendapatan bunga dalam pinjaman {0}
 DocType: Opportunity,Contact Info,Informasi Kontak
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Membuat Entri Persediaan
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Tidak dapat mempromosikan Karyawan dengan status Kiri
@@ -2059,7 +2084,6 @@
 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,Start Year,Mulai Tahun
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Buat Pinjaman
 DocType: Purchase Invoice,Start date of current invoice's period,Tanggal faktur periode saat ini mulai
 DocType: Shift Type,Process Attendance After,Proses Kehadiran Setelah
 ,IRS 1099,IRS 1099
@@ -2080,6 +2104,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Pilih Bidang Usaha Anda
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Pemasok Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Item Faktur Pembayaran
+DocType: Repayment Schedule,Is Accrued,Dikumpulkan
 DocType: Payroll Entry,Employee Details,Detail Karyawan
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Memproses File XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2111,6 +2136,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Entry Point Loyalitas
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Standar Item Grup
+DocType: Loan,Partially Disbursed,sebagian Dicairkan
 DocType: Job Card Time Log,Time In Mins,Time In Mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Berikan informasi.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Tindakan ini akan memutuskan tautan akun ini dari layanan eksternal yang mengintegrasikan ERPNext dengan rekening bank Anda. Itu tidak bisa diurungkan. Apakah Anda yakin ?
@@ -2126,6 +2152,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,item yang sama tidak dapat dimasukkan beberapa kali.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Penutupan Pinjaman
 DocType: Call Log,Lead,Prospek
 DocType: Email Digest,Payables,Hutang
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2158,6 +2185,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON hanya dapat dihasilkan dari dokumen yang dikirimkan
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Pajak dan Manfaat Karyawan
 DocType: Bank Guarantee,Validity in Days,Validitas dalam hari
+DocType: Unpledge,Haircut,Potong rambut
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-bentuk tidak berlaku untuk Faktur: {0}
 DocType: Certified Consultant,Name of Consultant,Nama Konsultan
 DocType: Payment Reconciliation,Unreconciled Payment Details,Rincian Pembayaran Unreconciled
@@ -2210,7 +2238,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Rest of The World
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Item {0} tidak dapat memiliki Batch
 DocType: Crop,Yield UOM,Hasil UOM
+DocType: Loan Security Pledge,Partially Pledged,Diagunkan Sebagian
 ,Budget Variance Report,Laporan Perbedaan Anggaran
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Jumlah Pinjaman Yang Diberi Sanksi
 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,Get Items from Healthcare Services,Dapatkan Item dari Layanan Kesehatan
@@ -2245,6 +2275,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Prosedur Kualitas Baru
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo Rekening {0} harus selalu {1}
 DocType: Patient Appointment,More Info,Info Selengkapnya
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Tanggal Lahir tidak boleh lebih dari Tanggal Bergabung.
 DocType: Supplier Scorecard,Scorecard Actions,Tindakan Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Pemasok {0} tidak ditemukan di {1}
 DocType: Purchase Invoice,Rejected Warehouse,Gudang Reject
@@ -2341,6 +2372,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Harap set Kode Item terlebih dahulu
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Ikrar Keamanan Pinjaman Dibuat: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Janji dan Pertemuan Pasien
@@ -2396,6 +2428,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Jumlah Janji Serentak
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Mulai
 DocType: Purchase Invoice,Taxes and Charges Calculation,Pajak dan Biaya Dihitung
+DocType: Loan Interest Accrual,Payable Principal Amount,Jumlah Pokok Hutang
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Rekam Entri Depresiasi Asset secara Otomatis
 DocType: BOM Operation,Workstation,Workstation
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Permintaan Quotation Pemasok
@@ -2432,7 +2465,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Makanan
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rentang Umur 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detail Voucher Penutupan POS
-DocType: Bank Account,Is the Default Account,Apakah Akun Default
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Tidak ada komunikasi yang ditemukan.
 DocType: Inpatient Occupancy,Check In,Mendaftar
@@ -2490,12 +2522,14 @@
 DocType: Sales Order Item,Planned Quantity,Direncanakan Kuantitas
 DocType: Water Analysis,Water Analysis Criteria,Kriteria Analisis Air
 DocType: Item,Maintain Stock,Jaga Persediaan
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge Time
 DocType: Terms and Conditions,Applicable Modules,Modul yang Berlaku
 DocType: Employee,Prefered Email,Email Utama
 DocType: Student Admission,Eligibility and Details,Kelayakan dan Detail
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Termasuk dalam Laba Kotor
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Perubahan bersih dalam Aset Tetap
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Ini adalah lokasi penyimpanan produk akhir.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Dari Datetime
@@ -2536,8 +2570,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garansi / Status AMC
 ,Accounts Browser,Browser Nama Akun
 DocType: Procedure Prescription,Referral,Referral
+,Territory-wise Sales,Penjualan Wilayah-bijaksana
 DocType: Payment Entry Reference,Payment Entry Reference,Pembayaran Referensi Masuk
 DocType: GL Entry,GL Entry,GL Entri
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Baris # {0}: Gudang yang Diterima dan Gudang Pemasok tidak boleh sama
 DocType: Support Search Source,Response Options,Opsi Tanggapan
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Terapkan Beberapa Aturan Harga
 DocType: HR Settings,Employee Settings,Pengaturan Karyawan
@@ -2598,6 +2634,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Pertanian (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Slip Packing
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan&gt; Pengaturan&gt; Seri Penamaan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Sewa Kantor
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Pengaturan gerbang Pengaturan SMS
 DocType: Disease,Common Name,Nama yang umum
@@ -2614,6 +2651,7 @@
 DocType: Item,Sales Details,Detail Penjualan
 DocType: Coupon Code,Used,Bekas
 DocType: Opportunity,With Items,Dengan Produk
+DocType: Vehicle Log,last Odometer Value ,Nilai Odometer terakhir
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampanye &#39;{0}&#39; sudah ada untuk {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Tim Pemeliharaan
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Urutan bagian mana yang akan muncul. 0 adalah yang pertama, 1 yang kedua dan seterusnya."
@@ -2624,7 +2662,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Beban Klaim {0} sudah ada untuk Kendaraan Log
 DocType: Asset Movement Item,Source Location,Sumber Lokasi
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,nama institusi
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Masukkan pembayaran Jumlah
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Masukkan pembayaran Jumlah
 DocType: Shift Type,Working Hours Threshold for Absent,Ambang Jam Kerja untuk Absen
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Ada beberapa faktor pengumpulan berdasarkan jumlah total yang dibelanjakan. Tetapi faktor konversi untuk penebusan akan selalu sama untuk semua tingkatan.
 apps/erpnext/erpnext/config/help.py,Item Variants,Item Varian
@@ -2648,6 +2686,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} harus kurang dari {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Silakan pilih Jenis Pemohon terlebih dahulu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Pilih BOM, Jumlah dan Untuk Gudang"
 DocType: GST HSN Code,GST HSN Code,Kode HSN GST
 DocType: Employee External Work History,Total Experience,Jumlah Pengalaman
@@ -2738,7 +2777,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Tidak ada BOM aktif yang ditemukan untuk item {0}. Pengiriman oleh \ Serial Tidak dapat dipastikan
 DocType: Sales Partner,Sales Partner Target,Sasaran Mitra Penjualan
-DocType: Loan Type,Maximum Loan Amount,Maksimum Jumlah Pinjaman
+DocType: Loan Application,Maximum Loan Amount,Maksimum Jumlah Pinjaman
 DocType: Coupon Code,Pricing Rule,Aturan Harga
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Nomor pengguliran duplikat untuk siswa {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Permintaan Material untuk Order Pembelian
@@ -2761,6 +2800,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},cuti Dialokasikan Berhasil untuk {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Tidak ada item untuk dikemas
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Hanya file .csv dan .xlsx yang didukung saat ini
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia&gt; Pengaturan SDM
 DocType: Shipping Rule Condition,From Value,Dari Nilai
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Qty Manufaktur  wajib diisi
 DocType: Loan,Repayment Method,Metode pembayaran
@@ -2844,6 +2884,7 @@
 DocType: Customer,Customer POS Id,Id POS Pelanggan
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Siswa dengan email {0} tidak ada
 DocType: Account,Account Name,Nama Akun
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Jumlah Pinjaman yang Diberi Sanksi sudah ada untuk {0} melawan perusahaan {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Dari Tanggal tidak dapat lebih besar dari To Date
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial ada {0} kuantitas {1} tak bisa menjadi pecahan
 DocType: Pricing Rule,Apply Discount on Rate,Terapkan Diskon pada Harga
@@ -2915,6 +2956,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Laba bersih
 DocType: Purchase Invoice,Eligibility For ITC,Kelayakan Untuk ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Tidak dijanjikan
 DocType: Journal Entry,Entry Type,Entri Type
 ,Customer Credit Balance,Saldo Kredit Pelanggan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Perubahan bersih Hutang
@@ -2926,6 +2968,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID Perangkat Kehadiran (ID tag Biometrik / RF)
 DocType: Quotation,Term Details,Rincian Term
 DocType: Item,Over Delivery/Receipt Allowance (%),Kelebihan Pengiriman / Penerimaan Kwitansi (%)
+DocType: Appointment Letter,Appointment Letter Template,Templat Surat Pengangkatan
 DocType: Employee Incentive,Employee Incentive,Insentif Karyawan
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Total (Tanpa Pajak)
@@ -2948,6 +2991,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Membatalkan tautan Pembayaran pada Pembatalan Faktur
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Memproses Bunga Pinjaman Akrual
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Odometer membaca saat masuk harus lebih besar dari awal Kendaraan Odometer {0}
 ,Purchase Order Items To Be Received or Billed,Beli Barang Pesanan Yang Akan Diterima atau Ditagih
 DocType: Restaurant Reservation,No Show,Tidak menunjukkan
@@ -3033,6 +3077,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Pusat Biaya diperlukan untuk akun 'Rugi Laba' {2}. Silakan membuat Pusat Biaya default untuk Perusahaan.
 DocType: Payment Schedule,Payment Term,Jangka waktu pembayaran
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Sudah ada Kelompok Pelanggan dengan nama yang sama, silakan ganti Nama Pelanggan atau ubah nama Kelompok Pelanggan"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Tanggal Akhir Penerimaan harus lebih besar dari Tanggal Mulai Penerimaan.
 DocType: Location,Area,Daerah
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Kontak baru
 DocType: Company,Company Description,Deskripsi Perusahaan
@@ -3107,6 +3152,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Data yang Dipetakan
 DocType: Purchase Order Item,Warehouse and Reference,Gudang dan Referensi
 DocType: Payroll Period Date,Payroll Period Date,Tanggal Periode Penggajian
+DocType: Loan Disbursement,Against Loan,Terhadap Pinjaman
 DocType: Supplier,Statutory info and other general information about your Supplier,Info Statutory dan informasi umum lainnya tentang Supplier Anda
 DocType: Item,Serial Nos and Batches,Nomor Seri dan Partai
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Kekuatan Kelompok Mahasiswa
@@ -3173,6 +3219,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Pilih perusahaan
 DocType: Delivery Settings,Delivery Settings,Pengaturan Pengiriman
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ambil Data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Tidak dapat membatalkan janji lebih dari {0} qty dari {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Cuti maksimum yang diizinkan dalam jenis cuti {0} adalah {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publikasikan 1 Item
 DocType: SMS Center,Create Receiver List,Buat Daftar Penerima
@@ -3321,6 +3368,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Dasar Penilaian (Mata Uang Perusahaan)
 DocType: Purchase Invoice,Registered Regular,Terdaftar Reguler
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Bahan baku
+DocType: Plaid Settings,sandbox,bak pasir
 DocType: Payment Reconciliation Payment,Reference Row,referensi Row
 DocType: Installation Note,Installation Time,Waktu Installasi
 DocType: Sales Invoice,Accounting Details,Rincian Akuntansi
@@ -3333,12 +3381,11 @@
 DocType: Leave Ledger Entry,Transaction Type,tipe transaksi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteria Penerimaan
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Cukup masukkan Permintaan Bahan dalam tabel di atas
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Jumlah Total Hutang
 DocType: Task,Expected Time (in hours),Waktu yang diharapkan (dalam jam)
 DocType: Item Reorder,Check in (group),Check in (kelompok)
 DocType: Soil Texture,Silt,Lanau
@@ -3369,6 +3416,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Kurangi Pajak Untuk Bukti Pembebasan Pajak yang Tidak Diperbolehkan
 DocType: Volunteer,Anytime,Kapan saja
 DocType: Bank Account,Bank Account No,Rekening Bank No
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Pencairan dan Pelunasan
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Pengajuan Bukti Pembebasan Pajak Karyawan
 DocType: Patient,Surgical History,Sejarah Bedah
 DocType: Bank Statement Settings Item,Mapped Header,Header yang Dipetakan
@@ -3432,6 +3480,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Buat Uji Lab (s) pada Pengiriman Faktur Penjualan
 DocType: Serial No,Invoice Details,Detail faktur
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Struktur Gaji harus diserahkan sebelum pengajuan Deklarasi Pembebasan Pajak
+DocType: Loan Application,Proposed Pledges,Janji yang Diusulkan
 DocType: Grant Application,Show on Website,Tampilkan di Website
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Mulai dari
 DocType: Hub Tracked Item,Hub Category,Kategori Hub
@@ -3443,7 +3492,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Berdiri
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Material tidak ditemukan Item {1}
 DocType: Contract Fulfilment Checklist,Requirement,Kebutuhan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia&gt; Pengaturan SDM
 DocType: Journal Entry,Accounts Receivable,Piutang
 DocType: Quality Goal,Objectives,Tujuan
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Peran Diizinkan untuk Membuat Aplikasi Cuti Backdated
@@ -3456,6 +3504,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Termasuk Entri Rekonsiliasi
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Jumlah total yang dialokasikan ({0}) lebih greated daripada jumlah yang dibayarkan ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribusi Biaya Berdasarkan
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Jumlah yang dibayarkan tidak boleh kurang dari {0}
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,Pengaturan Sumber Daya Manusia
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Magister Akuntansi
@@ -3601,6 +3650,7 @@
 DocType: Employee,Health Insurance,Asuransi Kesehatan
 DocType: Asset Repair,Manufacturing Manager,Manajer Manufaktur
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serial ada {0} masih dalam garansi upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Jumlah Pinjaman melebihi jumlah maksimum pinjaman {0} sesuai dengan sekuritas yang diusulkan
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Nilai Diijinkan Minimal
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Pengguna {0} sudah ada
 apps/erpnext/erpnext/hooks.py,Shipments,Pengiriman
@@ -3644,7 +3694,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Jenis bisnis
 DocType: Sales Invoice,Consumer,Konsumen
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Silakan pilih Jumlah Alokasi, Faktur Jenis dan Faktur Nomor di minimal satu baris"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan&gt; Pengaturan&gt; Seri Penamaan
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Biaya Pembelian New
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order yang diperlukan untuk Item {0}
 DocType: Grant Application,Grant Description,Deskripsi Donasi
@@ -3653,6 +3702,7 @@
 DocType: Subscription,Discounts,Diskon
 DocType: Bank Transaction,Unallocated Amount,Jumlah yang tidak terisi
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Harap aktifkan Berlaku pada Pesanan Pembelian dan Berlaku pada Pemesanan Biaya Aktual
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} bukan rekening bank perusahaan
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Tidak dapat menemukan yang cocok Item. Silakan pilih beberapa nilai lain untuk {0}.
 DocType: POS Profile,Taxes and Charges,Pajak dan Biaya
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produk atau Jasa yang dibeli, dijual atau disimpan dalam persediaan."
@@ -3701,6 +3751,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Tanggal Berlaku Sejak Tanggal harus lebih rendah dari Tanggal Upto Berlaku.
 DocType: Employee Skill,Evaluation Date,Tanggal Evaluasi
 DocType: Quotation Item,Stock Balance,Saldo Persediaan
+DocType: Loan Security Pledge,Total Security Value,Nilai Keamanan Total
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Nota Penjualan untuk Pembayaran
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Dengan pembayaran pajak
@@ -3713,6 +3764,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Akun {0} tidak ada dalam bagan dasbor {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Tampilkan Variant Attributes
@@ -3794,6 +3846,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Nilai Tingkat Penilaian Saat ini
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Jumlah akun root tidak boleh kurang dari 4
 DocType: Training Event,Advance,Muka
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Terhadap Pinjaman:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Pengaturan gateway pembayaran GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Efek Gain / Loss
 DocType: Opportunity,Lost Reason,Alasan Kehilangan
@@ -3877,8 +3930,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Pilih Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Valid {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Baris {0}: Tanggal Lahir Saudara tidak boleh lebih besar dari hari ini.
 DocType: Fee Validity,Reference Inv,Referensi Inv
 DocType: Sales Invoice Advance,Advance Amount,Jumlah Uang Muka
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Tingkat Bunga Penalti (%) Per Hari
 DocType: Manufacturing Settings,Capacity Planning,Perencanaan Kapasitas
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Penyesuaian Pembulatan (Mata Uang Perusahaan
 DocType: Asset,Policy number,Nomor polisi
@@ -3894,7 +3949,9 @@
 DocType: Normal Test Items,Require Result Value,Mengharuskan Nilai Hasil
 DocType: Purchase Invoice,Pricing Rules,Aturan Harga
 DocType: Item,Show a slideshow at the top of the page,Tampilkan slideshow di bagian atas halaman
+DocType: Appointment Letter,Body,Tubuh
 DocType: Tax Withholding Rate,Tax Withholding Rate,Tingkat Pemotongan Pajak
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Tanggal Mulai Pembayaran wajib untuk pinjaman berjangka
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOMS
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Toko
@@ -3914,7 +3971,7 @@
 DocType: Call Log,Received By,Diterima oleh
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durasi Pengangkatan (Dalam Menit)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detail Rincian Pemetaan Arus Kas
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Manajemen Pinjaman
+DocType: Loan,Loan Management,Manajemen Pinjaman
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Melacak Penghasilan terpisah dan Beban untuk vertikal produk atau divisi.
 DocType: Rename Tool,Rename Tool,Alat Perubahan Nama
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Perbarui Biaya
@@ -3922,6 +3979,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,Formulir GSTR3B
 DocType: Sales Invoice,Mode of Transport,Mode Transportasi
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Slip acara Gaji
+DocType: Loan,Is Term Loan,Apakah Term Loan
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfer Material/Stok Barang
 DocType: Fees,Send Payment Request,Kirim Permintaan Pembayaran
 DocType: Travel Request,Any other details,Detail lainnya
@@ -3939,6 +3997,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Arus Kas dari Pendanaan
 DocType: Budget Account,Budget Account,Akun anggaran
 DocType: Quality Inspection,Verified By,Diverifikasi oleh
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Tambahkan Keamanan Pinjaman
 DocType: Travel Request,Name of Organizer,Nama Penyelenggara
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Tidak dapat mengubah mata uang default perusahaan, karena ada transaksi yang ada. Transaksi harus dibatalkan untuk mengubah mata uang default."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Apakah Kewajiban Pajak Penghasilan
@@ -3989,6 +4048,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Diperlukan pada
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jika dicentang, sembunyikan dan nonaktifkan bidang Rounded Total dalam Slip Gaji"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ini adalah offset default (hari) untuk Tanggal Pengiriman dalam Pesanan Penjualan. Pengganti mundur adalah 7 hari dari tanggal penempatan pesanan.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Silakan atur seri penomoran untuk Kehadiran melalui Pengaturan&gt; Seri Penomoran
 DocType: Rename Tool,File to Rename,Nama File untuk Diganti
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Silakan pilih BOM untuk Item di Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Ambil Pembaruan Berlangganan
@@ -4001,6 +4061,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Nomor Seri Dibuat
 DocType: POS Profile,Applicable for Users,Berlaku untuk Pengguna
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Dari Tanggal dan Sampai Tanggal adalah Wajib
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Tetapkan Proyek dan semua Tugas ke status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Tetapkan Uang Muka dan Alokasikan (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Tidak ada Perintah Kerja yang dibuat
@@ -4010,6 +4071,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Item oleh
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Biaya Produk Dibeli
 DocType: Employee Separation,Employee Separation Template,Template Pemisahan Karyawan
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Nol qty dari {0} dijaminkan terhadap pinjaman {0}
 DocType: Selling Settings,Sales Order Required,Nota Penjualan Diperlukan
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Menjadi Penjual
 ,Procurement Tracker,Pelacak Pengadaan
@@ -4107,11 +4169,12 @@
 ,Minutes to First Response for Opportunity,Menit ke Response Pertama untuk Peluang
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Jumlah Absen
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Item atau Gudang untuk baris {0} Material tidak cocok Permintaan
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Jumlah Hutang
+DocType: Loan Repayment,Payable Amount,Jumlah Hutang
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Peluang
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Kekuatan maksimum tidak boleh kurang dari nol.
 DocType: Options,Option,Pilihan
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Anda tidak dapat membuat entri akuntansi dalam periode akuntansi tertutup {0}
 DocType: Operation,Default Workstation,Standar Workstation
@@ -4153,6 +4216,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Jumlah Bunga wajib
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Langkah selanjutnya
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Item Tersimpan
@@ -4223,8 +4287,6 @@
 DocType: Grant Application,Grant Application Details ,Berikan Rincian Aplikasi
 DocType: Employee Separation,Employee Separation,Pemisahan Karyawan
 DocType: BOM Item,Original Item,Barang Asli
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Hapus Karyawan <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tanggal Dokumen
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Biaya Rekaman Dibuat - {0}
 DocType: Asset Category Account,Asset Category Account,Aset Kategori Akun
@@ -4260,6 +4322,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Item Uji Lab {0} sudah ada
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} adalah hari libur perusahaan
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Jam yang Dapat Ditagih
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Suku Bunga Denda dikenakan pada jumlah bunga tertunda setiap hari jika terjadi keterlambatan pembayaran
+DocType: Appointment Letter content,Appointment Letter content,Isi Surat Pengangkatan
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Tinggalkan Pemberitahuan Status
 DocType: Patient Appointment,Procedure Prescription,Prosedur Resep
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Mebel dan perlengkapan
@@ -4279,7 +4343,7 @@
 DocType: Opportunity,Customer / Lead Name,Nama Pelanggan / Prospek
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Izin Tanggal tidak disebutkan
 DocType: Payroll Period,Taxable Salary Slabs,LABA Gaji Kena Pajak
-DocType: Job Card,Production,Produksi
+DocType: Plaid Settings,Production,Produksi
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN tidak valid! Input yang Anda masukkan tidak cocok dengan format GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Nilai Akun
 DocType: Guardian,Occupation,Pendudukan
@@ -4423,6 +4487,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Koleksi Program Loyalitas
 DocType: Stock Entry Detail,Subcontracted Item,Item Subkontrak
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Siswa {0} bukan milik grup {1}
+DocType: Appointment Letter,Appointment Date,Tanggal Pengangkatan
 DocType: Budget,Cost Center,Biaya Pusat
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Pengiriman Negara
@@ -4493,6 +4558,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dimensi Akuntansi
 ,Profit and Loss Statement,Laba Rugi
 DocType: Bank Reconciliation Detail,Cheque Number,Nomor Cek
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Jumlah yang dibayarkan tidak boleh nol
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Item yang direferensikan oleh {0} - {1} sudah ditagih
 ,Sales Browser,Browser Penjualan
 DocType: Journal Entry,Total Credit,Jumlah Kredit
@@ -4597,6 +4663,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Tambah / Edit Ketentuan Kupon
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Beban akun / Difference ({0}) harus akun 'Laba atau Rugi'
 DocType: Stock Entry Detail,Stock Entry Child,Anak Masuk Stock
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Perusahaan Sumpah Keamanan Pinjaman dan Perusahaan Pinjaman harus sama
 DocType: Project,Copied From,Disalin dari
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktur sudah dibuat untuk semua jam penagihan
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nama error: {0}
@@ -4604,6 +4671,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Apakah Biaya Keuangan?
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Kehadiran bagi karyawan {0} sudah ditandai
 DocType: Packing Slip,If more than one package of the same type (for print),Jika lebih dari satu paket dari jenis yang sama (untuk mencetak)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Silakan siapkan Sistem Penamaan Instruktur di Pendidikan&gt; Pengaturan Pendidikan
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Harap tetapkan pelanggan default di Pengaturan Restoran
 ,Salary Register,Register Gaji
 DocType: Company,Default warehouse for Sales Return,Gudang default untuk Pengembalian Penjualan
@@ -4648,7 +4716,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Nomor Seri Saat Ini
 DocType: Employee,Attendance and Leave Details,Detail Kehadiran dan Cuti
 ,BOM Comparison Tool,Alat Perbandingan BOM
-,Requested,Diminta
+DocType: Loan Security Pledge,Requested,Diminta
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4660,7 +4728,6 @@
 DocType: Drug Prescription,Drug Prescription,Resep obat
 DocType: Service Level,Support and Resolution,Dukungan dan Resolusi
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Kode item gratis tidak dipilih
-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
@@ -4694,6 +4761,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Anda telah memberikan penilaian terhadap kriteria penilaian {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Jumlah Shortfall
 DocType: Vehicle Service,Engine Oil,Oli mesin
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Pesanan Pekerjaan Dibuat: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Harap tetapkan id email untuk Lead {0}
@@ -4712,6 +4780,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Akun tidak disetel untuk bagan dasbor {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Terapkan tambahan Diskon Pada
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Pilih Jenis ...
+DocType: Loan Interest Accrual,Amounts,Jumlah
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Tiket Anda
 DocType: Account,Root Type,Akar Type
 DocType: Item,FIFO,FIFO
@@ -4719,6 +4788,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Baris # {0}: Tidak dapat mengembalikan lebih dari {1} untuk Barang {2}
 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: Loan Security Price,Loan Security Price,Harga Keamanan Pinjaman
 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,Target warehouse is mandatory for row {0},Target gudang adalah wajib untuk baris {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Operasi Ritel
@@ -4857,6 +4927,7 @@
 DocType: Coupon Code,Coupon Description,Deskripsi Kupon
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch wajib di baris {0}
 DocType: Company,Default Buying Terms,Ketentuan Pembelian Default
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Pencairan Pinjaman
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Nota Penerimaan Stok Barang Disediakan
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktifkan Penjadwalan Terjadwal
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Untuk Datetime
@@ -4885,6 +4956,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Masukkan nilai antara {0} dan {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Entrikan nama kampanye jika sumber penyelidikan adalah kampanye
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Penerbit Berita
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Tidak ditemukan <b>Harga Keamanan Pinjaman yang</b> valid untuk {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tanggal mendatang tidak diizinkan
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Tanggal Pengiriman yang Diharapkan harus setelah Tanggal Pesanan Penjualan
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Tingkat Re-Order
@@ -4951,6 +5023,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Penawaran / Penawaran Harga
 DocType: Antibiotic,Healthcare,Kesehatan
 DocType: Target Detail,Target Detail,Sasaran Detil
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Proses Pinjaman
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Varian tunggal
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Semua Pekerjaan
 DocType: Sales Order,% of materials billed against this Sales Order,% Bahan ditagih terhadap Sales Order ini
@@ -5013,7 +5086,7 @@
 DocType: Item,Reorder level based on Warehouse,Tingkat Re-Order berdasarkan Gudang
 DocType: Activity Cost,Billing Rate,Tarip penagihan
 ,Qty to Deliver,Kuantitas Pengiriman
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Buat Entri Pencairan
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Buat Entri Pencairan
 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,Operations cannot be left blank,Operasi tidak dapat dibiarkan kosong
@@ -5047,6 +5120,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Putuskan integrasi eksternal
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Pilih pembayaran yang sesuai
 DocType: Pricing Rule,Item Code,Kode Item
+DocType: Loan Disbursement,Pending Amount For Disbursal,Jumlah Tertunda Untuk Pencairan
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garansi / Detail AMC
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Pilih siswa secara manual untuk Activity based Group
@@ -5070,6 +5144,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Jumlah Qty
 DocType: Landed Cost Item,Receipt Document,Dokumen penerimaan
 DocType: Employee Education,School/University,Sekolah / Universitas
+DocType: Loan Security Pledge,Loan  Details,Rincian Pinjaman
 DocType: Sales Invoice Item,Available Qty at Warehouse,Jumlah Tersedia di Gudang
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Nilai Tagihan
 DocType: Share Transfer,(including),(termasuk)
@@ -5093,6 +5168,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grup
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Group by Akun
 DocType: Purchase Invoice,Hold Invoice,Tahan Faktur
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Status Ikrar
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Silahkan pilih Karyawan
 DocType: Sales Order,Fully Delivered,Sepenuhnya Terkirim
 DocType: Promotional Scheme Price Discount,Min Amount,Jumlah Min
@@ -5102,7 +5178,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Dicairkan Jumlah tidak dapat lebih besar dari Jumlah Pinjaman {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Baris {0} # Jumlah alokasi {1} tidak boleh lebih besar dari jumlah yang tidak diklaim {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Nomor Purchase Order yang diperlukan untuk Item {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Leaves Diteruskan
@@ -5130,6 +5205,7 @@
 DocType: Pick List Item,Serial No and Batch,Serial dan Batch
 DocType: Warranty Claim,From Company,Dari Perusahaan
 DocType: GSTR 3B Report,January,Januari
+DocType: Loan Repayment,Principal Amount Paid,Jumlah Pokok yang Dibayar
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Skor Kriteria Penilaian perlu {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Silakan mengatur Jumlah Penyusutan Dipesan
 DocType: Supplier Scorecard Period,Calculations,Perhitungan
@@ -5155,6 +5231,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Tentang Perusahaan Anda
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Tampilkan Data Penuaan Stok
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit Untuk akun harus rekening Neraca
+DocType: Loan Repayment,Penalty Amount,Jumlah Penalti
 DocType: Donor,Donor,Donatur
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Perbarui Pajak untuk Barang
 DocType: Global Defaults,Disable In Words,Nonaktifkan Dalam Kata-kata
@@ -5185,6 +5262,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Pusat Biaya dan Penganggaran
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Saldo Pembukaan Ekuitas
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Entri Berbayar Sebagian
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Silakan atur Jadwal Pembayaran
 DocType: Pick List,Items under this warehouse will be suggested,Barang-barang di bawah gudang ini akan disarankan
 DocType: Purchase Invoice,N,N
@@ -5218,7 +5296,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} tidak ditemukan untuk Barang {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nilai harus antara {0} dan {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Menunjukkan Pajak Inklusif Dalam Cetak
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Pesan Terkirim
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5232,6 +5309,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Aktifkan Pemesanan Ulang Otomatis
 DocType: Stock Settings,Item Naming By,Item Penamaan Dengan
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Lain Periode Pendaftaran penutupan {0} telah dibuat setelah {1}
+DocType: Proposed Pledge,Proposed Pledge,Usulan Ikrar
 DocType: Work Order,Material Transferred for Manufacturing,Bahan Ditransfer untuk Manufaktur
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Akun {0} tidak ada
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Pilih Program Loyalitas
@@ -5242,7 +5320,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Mengatur Acara untuk {0}, karena karyawan yang melekat di bawah Penjualan Orang tidak memiliki User ID {1}"
 DocType: Timesheet,Billing Details,Detail penagihan
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sumber dan gudang target harus berbeda
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia&gt; Pengaturan SDM
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pembayaran gagal. Silakan periksa Akun GoCardless Anda untuk lebih jelasnya
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Tidak diizinkan memperbarui transaksi persediaan lebih lama dari {0}
 DocType: Stock Entry,Inspection Required,Inspeksi Diperlukan
@@ -5255,6 +5332,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Gudang pengiriman diperlukan untuk persediaan barang {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Berat kotor paket. Berat + kemasan biasanya net berat bahan. (Untuk mencetak)
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Melawan Ikrar
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Pengguna dengan peran ini diperbolehkan untuk mengatur account beku dan membuat / memodifikasi entri akuntansi terhadap rekening beku
 DocType: Plaid Settings,Plaid Environment,Lingkungan Kotak-kotak
 ,Project Billing Summary,Ringkasan Penagihan Proyek
@@ -5306,6 +5384,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Batches
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Jumlah hari janji dapat dipesan terlebih dahulu
 DocType: Article,LMS User,Pengguna LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Ikrar Keamanan Pinjaman wajib untuk pinjaman yang dijamin
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Tempat Persediaan (Negara Bagian / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,UOM Persediaan
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Order Pembelian {0} tidak terkirim
@@ -5380,6 +5459,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Buat Kartu Pekerjaan
 DocType: Quotation,Referral Sales Partner,Rujukan Mitra Penjualan
 DocType: Quality Procedure Process,Process Description,Deskripsi proses
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Tidak Dapat Dijanjikan, nilai keamanan pinjaman lebih besar dari jumlah yang dibayarkan"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Pelanggan {0} dibuat
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5400,7 +5480,7 @@
 DocType: Asset,Insurance Details,Detail asuransi
 DocType: Account,Payable,Hutang
 DocType: Share Balance,Share Type,Jenis saham
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Masukkan Periode Pembayaran
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Masukkan Periode Pembayaran
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitur ({0})
 DocType: Pricing Rule,Margin,Margin
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Pelanggan baru
@@ -5409,6 +5489,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Ubah Profil POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Jumlah atau Jumlah adalah mandatroy untuk keamanan pinjaman
 DocType: Bank Reconciliation Detail,Clearance Date,Izin Tanggal
 DocType: Delivery Settings,Dispatch Notification Template,Template Pemberitahuan Pengiriman
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Laporan Penilaian
@@ -5444,6 +5525,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Berbagi Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Faktur Penjualan {0} dibuat
 DocType: Employee,Confirmation Date,Konfirmasi Tanggal
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Hapus Karyawan <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini"
 DocType: Inpatient Occupancy,Check Out,Periksa
 DocType: C-Form,Total Invoiced Amount,Jumlah Total Tagihan
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Qty tidak dapat lebih besar dari Max Qty
@@ -5457,7 +5540,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID Perusahaan Quickbooks
 DocType: Travel Request,Travel Funding,Pendanaan Perjalanan
 DocType: Employee Skill,Proficiency,Kecakapan
-DocType: Loan Application,Required by Date,Dibutuhkan oleh Tanggal
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail Kwitansi Pembelian
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Tautan ke semua Lokasi tempat Crop tumbuh
 DocType: Lead,Lead Owner,Pemilik Prospek
@@ -5476,7 +5558,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM Lancar dan New BOM tidak bisa sama
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Slip Gaji ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Tanggal Of Pensiun harus lebih besar dari Tanggal Bergabung
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Pemasok&gt; Jenis Pemasok
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Beberapa varian
 DocType: Sales Invoice,Against Income Account,Terhadap Akun Pendapatan
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Terkirim
@@ -5509,7 +5590,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Jenis penilaian biaya tidak dapat ditandai sebagai Inklusif
 DocType: POS Profile,Update Stock,Perbarui Persediaan
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Rincian Pembayaran
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Tingkat BOM
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Membaca File yang Diunggah
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Pesanan Kerja yang Berhenti tidak dapat dibatalkan, Hapus terlebih dahulu untuk membatalkan"
@@ -5544,6 +5625,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Nomor kumpulan adalah wajib untuk Barang {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Nilai Pinjaman Maksimal
 ,Stock Ledger,Buku Persediaan
 DocType: Company,Exchange Gain / Loss Account,Efek Gain / Loss Akun
 DocType: Amazon MWS Settings,MWS Credentials,Kredensial MWS
@@ -5551,6 +5633,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Tujuan harus menjadi salah satu {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Isi formulir dan menyimpannya
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Forum Komunitas
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Tidak Ada Daun yang Dialokasikan untuk Karyawan: {0} untuk Tipe Cuti: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Jumlah persediaan aktual
 DocType: Homepage,"URL for ""All Products""",URL untuk &quot;Semua Produk&quot;
 DocType: Leave Application,Leave Balance Before Application,Cuti Saldo Sebelum Aplikasi
@@ -5652,7 +5735,6 @@
 DocType: Fee Schedule,Fee Schedule,Jadwal biaya
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Label Kolom:
 DocType: Bank Transaction,Settled,Diselesaikan
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Tanggal Pencairan tidak boleh setelah Tanggal Mulai Pelunasan Pinjaman
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parameter
 DocType: Company,Create Chart Of Accounts Based On,Buat Bagan Akun berbasis pada
@@ -5672,6 +5754,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Batas Kredit dan Persyaratan Pembayaran
 DocType: Loyalty Program,Collection Rules,Aturan Koleksi
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Butir 3
+DocType: Loan Security Shortfall,Shortfall Time,Waktu Kekurangan
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Pesanan masuk
 DocType: Purchase Order,Customer Contact Email,Email Kontak Pelanggan
 DocType: Warranty Claim,Item and Warranty Details,Item dan Garansi Detail
@@ -5691,12 +5774,14 @@
 DocType: Sales Person,Sales Person Name,Penjualan Person Nama
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Entrikan minimal 1 faktur dalam tabel
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Tidak ada Uji Lab yang dibuat
+DocType: Loan Security Shortfall,Security Value ,Nilai Keamanan
 DocType: POS Item Group,Item Group,Item Grup
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Kelompok Mahasiswa:
 DocType: Depreciation Schedule,Finance Book Id,Id Buku Keuangan
 DocType: Item,Safety Stock,Persediaan Aman
 DocType: Healthcare Settings,Healthcare Settings,Pengaturan Kesehatan
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Total Cuti Yang Dialokasikan
+DocType: Appointment Letter,Appointment Letter,Surat Pengangkatan
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Kemajuan% untuk tugas tidak bisa lebih dari 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Sebelum rekonsiliasi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Untuk {0}
@@ -5751,6 +5836,7 @@
 DocType: Stock Entry,From BOM,Dari BOM
 DocType: Assessment Code,Assessment Code,Kode penilaian
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Dasar
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Aplikasi Pinjaman dari pelanggan dan karyawan.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transaksi persediaan sebelum {0} dibekukan
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Silahkan klik 'Menghasilkan Jadwal'
 DocType: Job Card,Current Time,Waktu saat ini
@@ -5777,7 +5863,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Hibah
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Tidak Grup Pelajar dibuat.
 DocType: Purchase Invoice Item,Serial No,Serial ada
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Bulanan Pembayaran Jumlah tidak dapat lebih besar dari Jumlah Pinjaman
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Bulanan Pembayaran Jumlah tidak dapat lebih besar dari Jumlah Pinjaman
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Cukup masukkan Maintaince Detail terlebih dahulu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Baris # {0}: Tanggal Pengiriman yang Diharapkan tidak boleh sebelum Tanggal Pemesanan Pembelian
 DocType: Purchase Invoice,Print Language,cetak Bahasa
@@ -5791,6 +5877,7 @@
 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,All Territories,Semua Wilayah
+DocType: Plaid Settings,development,pengembangan
 DocType: Lost Reason Detail,Lost Reason Detail,Detail Alasan yang Hilang
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Pesanan Selimut Tidak Valid untuk Pelanggan dan Item yang dipilih
@@ -5853,12 +5940,14 @@
 DocType: Staffing Plan Detail,Current Openings,Bukaan Saat Ini
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Arus Kas dari Operasi
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Jumlah CGST
+DocType: Vehicle Log,Current Odometer value ,Nilai Odometer saat ini
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Buat Siswa
 DocType: Asset Movement Item,Asset Movement Item,Item Pergerakan Aset
 DocType: Purchase Invoice,Shipping Rule,Aturan Pengiriman
 DocType: Patient Relation,Spouse,Pasangan
 DocType: Lab Test Groups,Add Test,Tambahkan Test
 DocType: Manufacturer,Limited to 12 characters,Terbatas untuk 12 karakter
+DocType: Appointment Letter,Closing Notes,Catatan Penutup
 DocType: Journal Entry,Print Heading,Cetak Pos
 DocType: Quality Action Table,Quality Action Table,Tabel Tindakan Kualitas
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Jumlah tidak boleh nol
@@ -5925,6 +6014,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Harap identifikasi / buat Akun (Grup) untuk tipe - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Hiburan & Kenyamanan
+DocType: Loan Security,Loan Security,Keamanan Pinjaman
 ,Item Variant Details,Rincian Item Variant
 DocType: Quality Inspection,Item Serial No,Item Serial No
 DocType: Payment Request,Is a Subscription,Apakah Berlangganan
@@ -5937,7 +6027,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Zaman Terbaru
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Tanggal yang Dijadwalkan dan Diakui tidak boleh kurang dari hari ini
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Mentransfer Bahan untuk Pemasok
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No. Seri baru tidak dapat memiliki Gudang. Gudang harus diatur oleh Entri Persediaan atau Nota Pembelian
 DocType: Lead,Lead Type,Jenis Prospek
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Buat Quotation
@@ -5955,7 +6044,6 @@
 DocType: Leave Allocation,Leave Period,Tinggalkan Periode
 DocType: Item,Default Material Request Type,Default Bahan Jenis Permintaan
 DocType: Supplier Scorecard,Evaluation Period,Periode Evaluasi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Grup Pelanggan&gt; Wilayah
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,tidak diketahui
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Perintah Kerja tidak dibuat
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6039,7 +6127,8 @@
 ,Customer-wise Item Price,Harga Barang menurut pelanggan
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Laporan arus kas
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Tidak ada permintaan material yang dibuat
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak dapat melebihi Jumlah pinjaman maksimum {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak dapat melebihi Jumlah pinjaman maksimum {0}
+DocType: Loan,Loan Security Pledge,Ikrar Keamanan Pinjaman
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Lisensi
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6057,6 +6146,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Skema Diskon Harga
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Status Pemeliharaan harus Dibatalkan atau Selesai untuk Dikirim
 DocType: Amazon MWS Settings,US,KAMI
+DocType: Loan Security Pledge,Pledged,Dijanjikan
 DocType: Holiday List,Add Weekly Holidays,Tambahkan Liburan Mingguan
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Laporkan Item
 DocType: Staffing Plan Detail,Vacancies,Lowongan
@@ -6075,7 +6165,6 @@
 DocType: Production Plan Item,Planned Start Date,Direncanakan Tanggal Mulai
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Silahkan pilih BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Mengakses Pajak Terpadu ITC
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Buat Entri Pelunasan
 DocType: Purchase Order Item,Blanket Order Rate,Tingkat Pesanan Selimut
 ,Customer Ledger Summary,Ringkasan Buku Besar Pelanggan
 apps/erpnext/erpnext/hooks.py,Certification,Sertifikasi
@@ -6096,6 +6185,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Judul Template Penilaian
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Komersial
 DocType: Patient,Alcohol Current Use,Penggunaan Alkohol saat ini
+DocType: Loan,Loan Closure Requested,Penutupan Pinjaman Diminta
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Jumlah Pembayaran Sewa Rumah
 DocType: Student Admission Program,Student Admission Program,Program Penerimaan Mahasiswa
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Kategori Pembebasan Pajak
@@ -6119,6 +6209,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Penjualan
 DocType: Stock Entry Detail,Basic Amount,Nilai Dasar
 DocType: Training Event,Exam,Ujian
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Proses Kekurangan Keamanan Pinjaman
 DocType: Email Campaign,Email Campaign,Kampanye Email
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Kesalahan Pasar
 DocType: Complaint,Complaint,Keluhan
@@ -6198,6 +6289,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Kirimkan ini untuk membuat catatan Karyawan
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Harga Keamanan Pinjaman tumpang tindih dengan {0}
 DocType: Item Default,Item Default,Default Barang
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Persediaan Antar Negara
 DocType: Chapter Member,Leave Reason,Tinggalkan Alasan
@@ -6224,6 +6316,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Kupon yang digunakan adalah {1}. Kuantitas yang diizinkan habis
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Apakah Anda ingin mengirimkan permintaan materi
 DocType: Job Offer,Awaiting Response,Menunggu Respon
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Pinjaman wajib
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Di atas
 DocType: Support Search Source,Link Options,Opsi Tautan
@@ -6236,6 +6329,7 @@
 DocType: Training Event Employee,Optional,Pilihan
 DocType: Salary Slip,Earning & Deduction,Earning & Pengurangan
 DocType: Agriculture Analysis Criteria,Water Analysis,Analisis air
+DocType: Pledge,Post Haircut Amount,Posting Jumlah Potong Rambut
 DocType: Sales Order,Skip Delivery Note,Lewati Catatan Pengiriman
 DocType: Price List,Price Not UOM Dependent,Harga Tidak Tergantung UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} varian dibuat.
@@ -6262,6 +6356,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Dapatkan Barang-barang dari Bundel Produk
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Metode Pembayaran wajib untuk pinjaman berjangka
 DocType: Asset,Straight Line,Garis lurus
 DocType: Project User,Project User,proyek Pengguna
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Membagi
@@ -6306,7 +6401,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Peran Diizinkan Set Beku Account & Edit Frozen Entri
 DocType: Supplier Scorecard Scoring Variable,Path,Jalan
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Tidak dapat mengkonversi Pusat Biaya untuk buku karena memiliki node anak
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor Konversi UOM ({0} -&gt; {1}) tidak ditemukan untuk item: {2}
 DocType: Production Plan,Total Planned Qty,Total Rencana Qty
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaksi sudah diambil dari pernyataan
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nilai pembukaan
@@ -6315,11 +6409,8 @@
 DocType: Material Request Plan Item,Required Quantity,Kuantitas yang Diperlukan
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Periode Akuntansi tumpang tindih dengan {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Pemasok&gt; Jenis Pemasok
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Akun penjualan
 DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Hapus Karyawan <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini"
 DocType: Pick List Item,Pick List Item,Pilih Item Daftar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisi Penjualan
 DocType: Job Offer Term,Value / Description,Nilai / Keterangan
@@ -6366,6 +6457,7 @@
 DocType: Patient Encounter,Encounter Date,Tanggal Pertemuan
 DocType: Work Order,Update Consumed Material Cost In Project,Perbarui Biaya Bahan Konsumsi Dalam Proyek
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Account: {0} dengan mata uang: {1} tidak dapat dipilih
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Pinjaman diberikan kepada pelanggan dan karyawan.
 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
@@ -6434,7 +6526,6 @@
 DocType: Contract,Signed On,Masuk
 DocType: Bank Account,Party Type,Type Partai
 DocType: Discounted Invoice,Discounted Invoice,Faktur Diskon
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandai kehadiran sebagai <b></b>
 DocType: Payment Schedule,Payment Schedule,Jadwal pembayaran
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Karyawan tidak ditemukan untuk nilai bidang karyawan yang diberikan. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Singkatan
@@ -6506,6 +6597,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditor
 DocType: Assessment Plan,Assessment Name,penilaian Nama
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial ada adalah wajib
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Diperlukan jumlah {0} untuk penutupan Pinjaman
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stok Barang Wise Detil Pajak
 DocType: Employee Onboarding,Job Offer,Tawaran pekerjaan
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Singkatan Institute
@@ -6529,7 +6621,6 @@
 DocType: Purchase Order,To Receive,Menerima
 DocType: Leave Period,Holiday List for Optional Leave,Daftar Liburan untuk Cuti Opsional
 DocType: Item Tax Template,Tax Rates,Tarif pajak
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kode Barang&gt; Grup Barang&gt; Merek
 DocType: Asset,Asset Owner,Pemilik aset
 DocType: Item,Website Content,Konten situs web
 DocType: Bank Account,Integration ID,ID Integrasi
@@ -6545,6 +6636,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Pesanan Sinkr
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Order dirilis untuk produksi.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Pilih Tahun Anggaran ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Silakan pilih Jenis Pinjaman untuk perusahaan {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profil diperlukan untuk membuat POS Entri
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6573,6 +6665,7 @@
 DocType: Customer,Mention if non-standard receivable account,Menyebutkan jika non-standar piutang
 DocType: Bank,Plaid Access Token,Token Akses Kotak-kotak
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Harap tambahkan manfaat yang tersisa {0} ke salah satu komponen yang ada
+DocType: Bank Account,Is Default Account,Apakah Akun Default
 DocType: Journal Entry Account,If Income or Expense,Jika Penghasilan atau Beban
 DocType: Course Topic,Course Topic,Topik Kursus
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Voucher Penutupan POS sudah ada untuk {0} antara tanggal {1} dan {2}
@@ -6585,7 +6678,7 @@
 DocType: Disease,Treatment Task,Tugas Pengobatan
 DocType: Payment Order Reference,Bank Account Details,Detail Rekening Bank
 DocType: Purchase Order Item,Blanket Order,Pesanan Selimut
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Jumlah pembayaran harus lebih besar dari
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Jumlah pembayaran harus lebih besar dari
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Aset pajak
 DocType: BOM Item,BOM No,No. BOM
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Perbarui Rincian
@@ -6641,6 +6734,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Produk WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},kesalahan sintaks dalam formula atau kondisi: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Barang {0} diabaikan karena bukan barang persediaan
+,Loan Security Status,Status Keamanan Pinjaman
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Untuk tidak berlaku Rule Harga dalam transaksi tertentu, semua Aturan Harga yang berlaku harus dinonaktifkan."
 DocType: Payment Term,Day(s) after the end of the invoice month,Hari setelah akhir bulan faktur
 DocType: Assessment Group,Parent Assessment Group,Induk Penilaian Grup
@@ -6655,7 +6749,6 @@
 DocType: Stock Entry Detail,Additional Cost,Biaya tambahan
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Tidak dapat memfilter berdasarkan No. Voucher, jika dikelompokkan berdasarkan Voucher"
 DocType: Quality Inspection,Incoming,Incoming
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Silakan atur seri penomoran untuk Kehadiran melalui Pengaturan&gt; Seri Penomoran
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Template pajak default untuk penjualan dan pembelian telah dibuat.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Catatan Hasil Penilaian {0} sudah ada.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Contoh: ABCD. #####. Jika seri disetel dan Batch No tidak disebutkan dalam transaksi, maka nomor bets otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin menyebutkan secara eksplisit Batch No untuk item ini, biarkan ini kosong. Catatan: pengaturan ini akan menjadi prioritas di atas Awalan Seri Penamaan dalam Pengaturan Stok."
@@ -6666,8 +6759,10 @@
 DocType: Contract,Party User,Pengguna Partai
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Aset tidak dibuat untuk <b>{0}</b> . Anda harus membuat aset secara manual.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Harap tentukan filter Perusahaan jika Group By &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Grup Pelanggan&gt; Wilayah
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posting Tanggal tidak bisa tanggal di masa depan
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} tidak sesuai dengan {2} {3}
+DocType: Loan Repayment,Interest Payable,Hutang bunga
 DocType: Stock Entry,Target Warehouse Address,Target Gudang Alamat
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Santai Cuti
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Waktu sebelum shift dimulai saat di mana Karyawan Masuk dianggap hadir.
@@ -6796,6 +6891,7 @@
 DocType: Issue,Reset Service Level Agreement,Setel Ulang Perjanjian Tingkat Layanan
 ,Sales Person-wise Transaction Summary,Sales Person-bijaksana Rangkuman Transaksi
 DocType: Training Event,Contact Number,Nomor kontak
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Jumlah pinjaman adalah wajib
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6844,6 +6940,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Jumlah Saldo
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Ketentuan akan diterapkan pada semua item yang dipilih digabungkan.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Tujuan tidak boleh kosong
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Gudang Tidak Benar
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Mendaftar siswa
 DocType: Item Group,Parent Item Group,Induk Stok Barang Grup
 DocType: Appointment Type,Appointment Type,Jenis Pengangkatan
@@ -6897,10 +6994,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Harga rata-rata
 DocType: Appointment,Appointment With,Janji dengan
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Pembayaran Total dalam Jadwal Pembayaran harus sama dengan Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandai kehadiran sebagai <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Barang Dari Pelanggan"" tidak bisa mempunyai Tarif Valuasi"
 DocType: Subscription Plan Detail,Plan,Rencana
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Saldo Laporan Bank sesuai Buku Besar
-DocType: Job Applicant,Applicant Name,Nama Pemohon
+DocType: Appointment Letter,Applicant Name,Nama Pemohon
 DocType: Authorization Rule,Customer / Item Name,Nama Pelanggan / Barang
 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**. 
 
@@ -6944,11 +7042,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribusi
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Status karyawan tidak dapat diatur ke &#39;Kiri&#39; karena karyawan berikut sedang melaporkan kepada karyawan ini:
-DocType: Journal Entry Account,Loan,Pinjaman
+DocType: Loan Repayment,Amount Paid,Jumlah Dibayar
+DocType: Loan Security Shortfall,Loan,Pinjaman
 DocType: Expense Claim Advance,Expense Claim Advance,Klaim Biaya Klaim
 DocType: Lab Test,Report Preference,Preferensi Laporan
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informasi sukarela
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Manager Project
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Kelompokkan oleh Pelanggan
 ,Quoted Item Comparison,Perbandingan Produk/Barang yang ditawarkan
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Pengiriman
@@ -6968,6 +7068,7 @@
 DocType: Material Request Plan Item,Material Issue,Keluar Barang
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Item gratis tidak diatur dalam aturan harga {0}
 DocType: Employee Education,Qualification,Kualifikasi
+DocType: Loan Security Shortfall,Loan Security Shortfall,Kekurangan Keamanan Pinjaman
 DocType: Item Price,Item Price,Item Price
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabun & Deterjen
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Karyawan {0} bukan milik perusahaan {1}
@@ -6990,6 +7091,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Detail Pengangkatan
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produk jadi
 DocType: Warehouse,Warehouse Name,Nama Gudang
+DocType: Loan Security Pledge,Pledge Time,Waktu Ikrar
 DocType: Naming Series,Select Transaction,Pilih Transaksi
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Entrikan Menyetujui Peran atau Menyetujui Pengguna
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Perjanjian Tingkat Layanan dengan Jenis Entitas {0} dan Entitas {1} sudah ada.
@@ -6997,7 +7099,6 @@
 DocType: BOM,Rate Of Materials Based On,Laju Bahan Berbasis On
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jika diaktifkan, bidang Istilah Akademik akan Wajib di Alat Pendaftaran Program."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Nilai pasokan masuk yang dikecualikan, nihil, dan non-GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Grup Pelanggan&gt; Wilayah
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Perusahaan</b> adalah filter wajib.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Jangan tandai semua
 DocType: Purchase Taxes and Charges,On Item Quantity,Pada Kuantitas Barang
@@ -7042,7 +7143,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Kekurangan Jumlah
 DocType: Purchase Invoice,Input Service Distributor,Distributor Layanan Input
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Item varian {0} ada dengan atribut yang sama
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Silakan siapkan Sistem Penamaan Instruktur di Pendidikan&gt; Pengaturan Pendidikan
 DocType: Loan,Repay from Salary,Membayar dari Gaji
 DocType: Exotel Settings,API Token,Token API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Meminta pembayaran terhadap {0} {1} untuk jumlah {2}
@@ -7062,6 +7162,7 @@
 DocType: Salary Slip,Total Interest Amount,Jumlah Bunga Total
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Tidak ada janji
 DocType: Accounts Settings,Stale Days,Hari basi
 DocType: Travel Itinerary,Arrival Datetime,Tanggal Kedatangan
 DocType: Tax Rule,Billing Zipcode,Penagihan Kode Pos
@@ -7248,6 +7349,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Jam
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Sebuah janji baru telah dibuat untuk Anda dengan {0}
 DocType: Project,Expected Start Date,Diharapkan Tanggal Mulai
+DocType: Work Order,This is a location where raw materials are available.,Ini adalah lokasi di mana bahan baku tersedia.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Koreksi dalam Faktur
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Work Order sudah dibuat untuk semua item dengan BOM
 DocType: Bank Account,Party Details,Detail Partai
@@ -7266,6 +7368,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Penawaran:
 DocType: Contract,Partially Fulfilled,Sebagian Terpenuhi
 DocType: Maintenance Visit,Fully Completed,Sepenuhnya Selesai
+DocType: Loan Security,Loan Security Name,Nama Keamanan Pinjaman
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Karakter Khusus kecuali &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Dan &quot;}&quot; tidak diizinkan dalam rangkaian penamaan"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Tidak ada nilai atau dikecualikan
 DocType: Employee,Educational Qualification,Kualifikasi Pendidikan
@@ -7322,6 +7425,7 @@
 DocType: Program,Is Featured,Diunggulkan
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Mengambil ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Pengguna pertanian
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Berlaku sampai tanggal tidak dapat dilakukan sebelum tanggal transaksi
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7399,8 +7503,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Karyawan {0} sedang Meninggalkan pada {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Tidak ada pembayaran yang dipilih untuk Entri Jurnal
 DocType: Purchase Invoice,GST Category,Kategori GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Janji yang Diusulkan adalah wajib untuk Pinjaman yang dijamin
 DocType: Payment Reconciliation,From Invoice Date,Dari Tanggal Faktur
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Anggaran
 DocType: Invoice Discounting,Disbursed,Dicairkan
@@ -7458,14 +7562,13 @@
 DocType: Restaurant,Active Menu,Menu Aktif
 DocType: Accounting Dimension Detail,Default Dimension,Dimensi Default
 DocType: Target Detail,Target Qty,Qty Target
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Terhadap Pinjaman: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Pengaturan Checkout
 DocType: Student Attendance,Present,ada
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Pengiriman Note {0} tidak boleh Terkirim
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Slip gaji yang diemailkan ke karyawan akan dilindungi kata sandi, kata sandi akan dibuat berdasarkan kebijakan kata sandi."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,Qty Terorder
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Item {0} dinonaktifkan
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Upto
@@ -7522,7 +7625,6 @@
 DocType: Serial No,Delivery Document Type,Tipe Nota Pengiriman
 DocType: Sales Order,Partly Delivered,Terkirim Sebagian
 DocType: Item Variant Settings,Do not update variants on save,Jangan perbarui varian pada saat menyimpan data
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grup Custmer
 DocType: Email Digest,Receivables,Piutang
 DocType: Lead Source,Lead Source,Sumber Prospek
 DocType: Customer,Additional information regarding the customer.,Informasi tambahan mengenai customer.
@@ -7619,6 +7721,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Aktual
 DocType: Appointment,Skype ID,ID Skype
 DocType: Restaurant Menu,Restaurant Manager,Manajer restoran
+DocType: Loan,Penalty Income Account,Akun Penghasilan Denda
 DocType: Call Log,Call Log,Laporan panggilan
 DocType: Authorization Rule,Customerwise Discount,Diskon Pelanggan
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Absen untuk tugas-tugas.
@@ -7706,6 +7809,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Skema Diskon Produk
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Tidak ada masalah yang diangkat oleh penelepon.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Kelompokkan Dengan Pemasok
 DocType: Restaurant Reservation,Waitlisted,Daftar tunggu
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategori Pembebasan
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7716,7 +7820,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Konsultasi
 DocType: Subscription Plan,Based on price list,Berdasarkan daftar harga
 DocType: Customer Group,Parent Customer Group,Induk Kelompok Pelanggan
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON hanya dapat dihasilkan dari Faktur Penjualan
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Upaya maksimal untuk kuis ini tercapai!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Berlangganan
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Penciptaan Biaya Tertunda
@@ -7734,6 +7837,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Pemeliharaan preventif
 DocType: Delivery Note Item,Against Sales Invoice,Terhadap Faktur Penjualan
 DocType: Purchase Invoice,07-Others,07-lainnya
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Jumlah Kutipan
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Harap masukkan nomor seri untuk item serial
 DocType: Bin,Reserved Qty for Production,Dicadangkan Jumlah Produksi
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Biarkan tidak dicentang jika Anda tidak ingin mempertimbangkan batch sambil membuat kelompok berbasis kursus.
@@ -7841,6 +7945,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Pembayaran Penerimaan Catatan
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Buat Permintaan Material
+DocType: Loan Interest Accrual,Pending Principal Amount,Jumlah Pokok Tertunda
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Tanggal mulai dan berakhir tidak dalam Periode Penggajian yang valid, tidak dapat menghitung {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7884,6 +7989,7 @@
 											to fullfill Sales Order {2}",Tidak dapat memberikan Serial No {0} item {1} sebagaimana dicadangkan \ untuk memenuhi Sales Order {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Pemasok Quotation {0} dibuat
+DocType: Loan Security Unpledge,Unpledge Type,Jenis tidak dijamin
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Akhir Tahun tidak boleh sebelum Mulai Tahun
 DocType: Employee Benefit Application,Employee Benefits,Manfaat Karyawan
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,identitas pegawai
@@ -7966,6 +8072,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kode Kursus:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Masukan Entrikan Beban Akun
 DocType: Quality Action Resolution,Problem,Masalah
+DocType: Loan Security Type,Loan To Value Ratio,Rasio Pinjaman Terhadap Nilai
 DocType: Account,Stock,Persediaan
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7983,6 +8090,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entri Transaksi Pernyataan Bank
 DocType: Sales Invoice Item,Discount and Margin,Diskon dan Margin
 DocType: Lab Test,Prescription,Resep
+DocType: Process Loan Security Shortfall,Update Time,Perbarui Waktu
 DocType: Import Supplier Invoice,Upload XML Invoices,Unggah Faktur XML
 DocType: Company,Default Deferred Revenue Account,Akun Pendapatan Ditangguhkan Default
 DocType: Project,Second Email,Email Kedua
@@ -7996,7 +8104,7 @@
 DocType: Quality Action,Preventive,Pencegahan
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Persediaan dibuat untuk Orang Tidak Terdaftar
 DocType: Company,Date of Incorporation,Tanggal Pendirian
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Pajak
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total Pajak
 DocType: Manufacturing Settings,Default Scrap Warehouse,Gudang Memo Default
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Harga Pembelian Terakhir
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Untuk Quantity (Diproduksi Qty) adalah wajib
@@ -8015,6 +8123,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Tetapkan mode pembayaran default
 DocType: Stock Entry Detail,Against Stock Entry,Terhadap Entri Saham
 DocType: Grant Application,Withdrawn,pendiam
+DocType: Loan Repayment,Regular Payment,Pembayaran Reguler
 DocType: Support Search Source,Support Search Source,Mendukung Sumber Pencarian
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Gross Margin%
@@ -8027,8 +8136,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Tanpa Pembayaran Pajak
 DocType: BOM Operation,BOM Operation,BOM Operation
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Pada Sebelumnya Row Jumlah
+DocType: Student,Home Address,Alamat rumah
 DocType: Options,Is Correct,Benar
 DocType: Item,Has Expiry Date,Memiliki Tanggal Kedaluwarsa
+DocType: Loan Repayment,Paid Accrual Entries,Entri Akrual Berbayar
+DocType: Loan Security,Loan Security Type,Jenis Keamanan Pinjaman
 apps/erpnext/erpnext/config/support.py,Issue Type.,Jenis Masalah.
 DocType: POS Profile,POS Profile,POS Profil
 DocType: Training Event,Event Name,Nama acara
@@ -8040,6 +8152,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Musiman untuk menetapkan anggaran, target dll"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Tidak ada nilai
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nama variabel
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Pilih Rekening Bank untuk didamaikan.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Item {0} adalah template, silahkan pilih salah satu variannya"
 DocType: Purchase Invoice Item,Deferred Expense,Beban Ditangguhkan
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Kembali ke Pesan
@@ -8091,7 +8204,6 @@
 DocType: GL Entry,To Rename,Untuk Mengganti Nama
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Pilih untuk menambahkan Nomor Seri.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Silakan siapkan Sistem Penamaan Instruktur di Pendidikan&gt; Pengaturan Pendidikan
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Harap tetapkan Kode Fisk untuk pelanggan &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Silahkan pilih Perusahaan terlebih dahulu
 DocType: Item Attribute,Numeric Values,Nilai numerik
@@ -8115,6 +8227,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Ambil berdasarkan FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root tidak dapat diedit.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Nilai Keamanan Pinjaman
 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
@@ -8161,6 +8274,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Silahkan pilih Kategori terlebih dahulu
 apps/erpnext/erpnext/config/projects.py,Project master.,Master Proyek
 DocType: Contract,Contract Terms,Ketentuan Kontrak
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Batas Jumlah Yang Diberi Sanksi
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Lanjutkan Konfigurasi
 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,Maximum benefit amount of component {0} exceeds {1},Jumlah manfaat maksimum komponen {0} melebihi {1}
@@ -8193,6 +8307,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Lihat log panggilan
 DocType: BOM Operation,Operating Cost(Company Currency),Biaya operasi (Perusahaan Mata Uang)
 DocType: Loan Application,Rate of Interest,Tingkat Tujuan
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Ikrar Keamanan Pinjaman telah dijaminkan terhadap pinjaman {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Jumlah sanksi
 DocType: Item,Shelf Life In Days,Shelf Life In Days
 DocType: GL Entry,Is Opening,Apakah Membuka
@@ -8206,3 +8321,4 @@
 DocType: Account,Cash,Kas
 DocType: Sales Invoice,Unpaid and Discounted,Tidak dibayar dan didiskon
 DocType: Employee,Short biography for website and other publications.,Biografi singkat untuk website dan publikasi lainnya.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Baris # {0}: Tidak dapat memilih Gudang Pemasok saat memasok bahan mentah ke subkontraktor
diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv
index f32513f..1aff36b 100644
--- a/erpnext/translations/is.csv
+++ b/erpnext/translations/is.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Tækifærið misst ástæða
 DocType: Patient Appointment,Check availability,Athuga framboð
 DocType: Retention Bonus,Bonus Payment Date,Bónus greiðsludagur
-DocType: Employee,Job Applicant,Atvinna umsækjanda
+DocType: Appointment Letter,Job Applicant,Atvinna umsækjanda
 DocType: Job Card,Total Time in Mins,Heildartími í mín
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Tengiliður Upplýsingar
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Leitaðu að neinu ...
 ,Stock and Account Value Comparison,Samanburður á hlutabréfum og reikningum
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Útborguð fjárhæð getur ekki verið hærri en lánsfjárhæð
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,áhuga
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,opnun
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Forrit:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Gildur frá tíma verður að vera minni en gildur fram að tíma.
 DocType: Item,Copy From Item Group,Afrita Frá Item Group
 DocType: Journal Entry,Opening Entry,opnun Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Reikningur Pay Aðeins
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,bekk
 DocType: Restaurant Table,No of Seats,Nei sæti
+DocType: Loan Type,Grace Period in Days,Náðstímabil á dögum
 DocType: Sales Invoice,Overdue and Discounted,Forföll og afsláttur
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Eignir {0} tilheyra ekki vörsluaðilanum {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Hringt úr sambandi
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Fyrirframgreindar aðferðir
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Sýna aðeins POS
 DocType: Supplier Group,Supplier Group Name,Nafn seljanda
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkja mætingu sem <b></b>
 DocType: Driver,Driving License Categories,Ökuskírteini Flokkar
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vinsamlegast sláðu inn afhendingardagsetningu
 DocType: Depreciation Schedule,Make Depreciation Entry,Gera Afskriftir færslu
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Upplýsingar um starfsemi fram.
 DocType: Asset Maintenance Log,Maintenance Status,viðhald Staða
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Fjárhæð skatta upphæð innifalin í verðmæti
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Útilokun lánaöryggis
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Upplýsingar um aðild
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Birgir þörf er á móti ber að greiða reikninginn {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Atriði og Verðlagning
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total hours: {0}
+DocType: Loan,Loan Manager,Lánastjóri
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Frá Dagsetning ætti að vera innan fjárhagsársins. Að því gefnu Frá Dagsetning = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -468,6 +472,7 @@
 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,Select the customer or supplier.,Veldu viðskiptavininn eða birgirinn.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landsnúmer í skrá passar ekki við landsnúmer sem er sett upp í kerfinu
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Reikningur {0} ekki tilheyra félaginu {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Veldu aðeins eitt forgang sem sjálfgefið.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Skildu Bannaður
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank Entries
-DocType: Customer,Is Internal Customer,Er innri viðskiptavinur
+DocType: Sales Invoice,Is Internal Customer,Er innri viðskiptavinur
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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.
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,efni Beiðni
 DocType: Bank Reconciliation,Update Clearance Date,Uppfæra Úthreinsun Dagsetning
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Magn búnt
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Get ekki stofnað lán fyrr en umsóknin hefur verið samþykkt
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Rétt
 DocType: Student Guardian,Mother,móðir
 DocType: Restaurant Reservation,Reservation End Time,Afgreiðslutími
+DocType: Salary Slip Loan,Loan Repayment Entry,Endurgreiðsla lána
 DocType: Crop,Biennial,Biennial
 ,BOM Variance Report,BOM Variance Report
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Staðfest pantanir frá viðskiptavinum.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Greiðsla gegn {0} {1} getur ekki verið meiri en Kröfuvirði {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Allir heilbrigðisþjónustudeildir
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Um umbreytingu tækifærisins
+DocType: Loan,Total Principal Paid,Heildargreiðsla greidd
 DocType: Bank Account,Address HTML,Heimilisfang HTML
 DocType: Lead,Mobile No.,Mobile No.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Greiðslumáti
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Jafnvægi í grunnvalmynd
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Hámarksstig
 DocType: Email Digest,New Quotations,ný Tilvitnun
+DocType: Loan Interest Accrual,Loan Interest Accrual,Uppsöfnun vaxtalána
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Þáttur ekki sendur fyrir {0} sem {1} í leyfi.
 DocType: Journal Entry,Payment Order,Greiðslufyrirmæli
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,staðfesta tölvupóst
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Tekjur af öðrum aðilum
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",Ef tómur verður tekinn í huga foreldrahúsareikningur eða sjálfgefið fyrirtæki
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Póst laun miði að starfsmaður byggðar á völdum tölvupósti völdum í Launþegi
+DocType: Work Order,This is a location where operations are executed.,Þetta er staður þar sem aðgerðir eru framkvæmdar.
 DocType: Tax Rule,Shipping County,Sendingar County
 DocType: Currency Exchange,For Selling,Til sölu
 apps/erpnext/erpnext/config/desktop.py,Learn,Frekari
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Beitt afsláttarmiða kóða
 DocType: Asset,Next Depreciation Date,Næsta Afskriftir Dagsetning
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Virkni Kostnaður á hvern starfsmann
+DocType: Loan Security,Haircut %,Hárskera%
 DocType: Accounts Settings,Settings for Accounts,Stillingar fyrir reikninga
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Birgir Invoice Nei er í kaupa Reikningar {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Stjórna velta manneskja Tree.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Vinsamlegast settu herbergi fyrir herbergi á {}
 DocType: Journal Entry,Multi Currency,multi Gjaldmiðill
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Reikningar Type
+DocType: Loan,Loan Security Details,Upplýsingar um öryggi lána
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Gildir frá dagsetningu verða að vera minni en gildir fram til dagsetninga
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Undantekning átti sér stað við sátt {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Setja samþykkt vöruhús
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Krefjast samþykkis Lab Test
 DocType: Attendance,Working Hours,Vinnutími
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Samtals framúrskarandi
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM viðskiptaþáttur ({0} -&gt; {1}) fannst ekki fyrir hlutinn: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Breyta upphafsdegi / núverandi raðnúmer núverandi röð.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Hlutfall sem þú hefur heimild til að innheimta meira gegn upphæðinni sem pantað er. Til dæmis: Ef pöntunargildið er $ 100 fyrir hlut og vikmörk eru stillt sem 10%, þá hefurðu heimild til að gjaldfæra $ 110."
 DocType: Dosage Strength,Strength,Styrkur
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,ökutæki Dagsetning
 DocType: Campaign Email Schedule,Campaign Email Schedule,Netfang áætlunar herferðar
 DocType: Student Log,Medical,Medical
+DocType: Work Order,This is a location where scraped materials are stored.,Þetta er staður þar sem skafa efni eru geymd.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Vinsamlegast veldu Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Lead Eigandi getur ekki verið sama og Lead
 DocType: Announcement,Receiver,Receiver
@@ -886,7 +898,7 @@
 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: BOM,Total Cost (Company Currency),Heildarkostnaður (Gjaldmiðill fyrirtækisins)
-DocType: Loan,Total Payment,Samtals greiðsla
+DocType: Repayment Schedule,Total Payment,Samtals greiðsla
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,Póstur er þegar búinn til fyrir allar vörur til sölu
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Varið innkaupapantanir
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Leigð frá dagsetningu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Nóg Varahlutir til að byggja
+DocType: Loan Security,Loan Security Code,Öryggisnúmer lána
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Vinsamlegast vistaðu fyrst
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Atriði eru nauðsynleg til að draga hráefnin sem henni fylgja.
 DocType: POS Profile User,POS Profile User,POS prófíl notandi
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Verðbréfaskráningar sem þegar eru búnar til fyrir vinnuskilaboð
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Vörunúmer&gt; Vöruflokkur&gt; Vörumerki
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Sjá fyrri pantanir
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} samtöl
 DocType: Vital Signs,Respiratory rate,Öndunarhraði
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Eyða Transactions Fyrirtækið
 DocType: Production Plan Item,Quantity and Description,Magn og lýsing
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Tilvísun Nei og Frestdagur er nauðsynlegur fyrir banka viðskiptin
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vinsamlegast stilltu Naming Series fyrir {0} með Setup&gt; Settings&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Bæta við / breyta sköttum og gjöldum
 DocType: Payment Entry Reference,Supplier Invoice No,Birgir Reikningur nr
 DocType: Territory,For reference,til viðmiðunar
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Skattgreiðslureikningur
 DocType: Pricing Rule,Sales Partner,velta Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Allir birgir skorar.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Panta upphæð
+DocType: Loan,Disbursed Amount,Útborgað magn
 DocType: Buying Settings,Purchase Receipt Required,Kvittun Áskilið
 DocType: Sales Invoice,Rail,Járnbraut
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Raunverulegur kostnaður
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Tengdur við QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vinsamlegast auðkennið / stofnaðu reikning (Ledger) fyrir gerðina - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,greiðist Reikningur
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Reikningur er nauðsynlegur til að fá greiðslufærslur
 DocType: Payment Entry,Type of Payment,Tegund greiðslu
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Half Day Dagsetning er nauðsynlegur
 DocType: Sales Order,Billing and Delivery Status,Innheimtu og skil Status
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,billed Amt
 DocType: Training Result Employee,Training Result Employee,Þjálfun Niðurstaða Starfsmaður
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,A rökrétt Warehouse gegn sem stock færslur eru gerðar.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,höfuðstóll
+DocType: Repayment Schedule,Principal Amount,höfuðstóll
 DocType: Loan Application,Total Payable Interest,Alls Greiðist Vextir
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Samtals framúrskarandi: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Opinn tengiliður
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Atriðin þín
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Birgir&gt; Gerð birgis
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Tillaga Ritun
 DocType: Payment Entry Deduction,Payment Entry Deduction,Greiðsla Entry Frádráttur
 DocType: Service Level Priority,Service Level Priority,Forgang þjónustustigsins
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,hópur Lýsing
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Búa til nemendahópa
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",Greiðsla Gateway Reikningur ekki búin skaltu búa til einn höndunum.
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Hópgeymsluhús er ekki hægt að nota í viðskiptum. Vinsamlegast breyttu gildi {0}
 DocType: Supplier Scorecard,Per Year,Hvert ár
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ekki hæfur til að taka þátt í þessu forriti samkvæmt DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Lína # {0}: Get ekki eytt hlut {1} sem er úthlutað í innkaupapöntun viðskiptavinarins.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",Þegar stofnað var reikning fyrir barnafyrirtækið {0} fannst móðurreikningurinn {1} ekki. Vinsamlegast stofnaðu móðurreikninginn í samsvarandi COA
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,Student Aðsókn
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Engin gögn til útflutnings
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Raunverulegur afhendingardagur
 DocType: Lab Test,Test Template,Próf sniðmát
+DocType: Loan Security Pledge,Securities,Verðbréf
 DocType: Restaurant Order Entry Item,Served,Served
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Upplýsingar um kafla.
 DocType: Account,Accounts,Reikningar
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O neikvæð
 DocType: Work Order Operation,Planned End Time,Planned Lokatími
 DocType: POS Profile,Only show Items from these Item Groups,Sýna aðeins hluti úr þessum vöruhópum
+DocType: Loan,Is Secured Loan,Er tryggt lán
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Upplýsingar um upplifunartegund
 DocType: Delivery Note,Customer's Purchase Order No,Purchase Order No viðskiptavinar
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Komdu frá sjúklingaþingi
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM viðskiptahlutur ({0} -&gt; {1}) fannst ekki fyrir hlutinn: {2}
 DocType: Subscriber,Subscriber,Áskrifandi
 DocType: Item Attribute Value,Item Attribute Value,Liður Attribute gildi
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Gjaldmiðill verður að eiga við um kaup eða sölu.
@@ -1498,6 +1518,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,engin heimild
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Samningur Uppfylling Checklist
 DocType: Vital Signs,Heart Rate / Pulse,Hjartsláttur / púls
+DocType: Customer,Default Company Bank Account,Sjálfgefinn bankareikningur fyrirtækisins
 DocType: Supplier,Default Bank Account,Sjálfgefið Bank Account
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Að sía byggt á samningsaðila, velja Party Sláðu fyrst"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},&#39;Uppfæra Stock&#39; Ekki er hægt að athuga vegna þess að hlutir eru ekki send með {0}
@@ -1615,7 +1636,6 @@
 DocType: Sales Team,Incentives,Incentives
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Gildi utan samstillingar
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Mismunur gildi
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vinsamlegast settu upp númeraröð fyrir mætingu með uppsetningu&gt; Númeraröð
 DocType: SMS Log,Requested Numbers,umbeðin Numbers
 DocType: Volunteer,Evening,Kvöld
 DocType: Quiz,Quiz Configuration,Skyndipróf
@@ -1635,6 +1655,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Á fyrri röð Total
 DocType: Purchase Invoice Item,Rejected Qty,hafnað Magn
 DocType: Setup Progress Action,Action Field,Aðgerðarsvæði
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Lántegund fyrir vexti og dráttarvexti
 DocType: Healthcare Settings,Manage Customer,Stjórna viðskiptavini
 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
@@ -1646,6 +1667,7 @@
 ,Final Assessment Grades,Lokamat
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Nafn fyrirtækis þíns sem þú ert að setja upp þetta kerfi.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Fela frí í algjöru nr. vinnudaga
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Af Grand Total
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Setjið stofnunina þína í ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Plant Greining
 DocType: Task,Timeline,Tímalína
@@ -1653,9 +1675,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Varahlutir
 DocType: Shopify Log,Request Data,Beiðni gagna
 DocType: Employee,Date of Joining,Dagsetning Tengja
+DocType: Delivery Note,Inter Company Reference,Tilvísun Inter fyrirtækisins
 DocType: Naming Series,Update Series,Uppfæra Series
 DocType: Supplier Quotation,Is Subcontracted,er undirverktöku
 DocType: Restaurant Table,Minimum Seating,Lágmarksstofa
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Ekki er hægt að afrita spurninguna
 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,Purchase Receipt,Kvittun
@@ -1757,6 +1781,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Reikningar
 DocType: Payment Request,Paid,greiddur
 DocType: Service Level,Default Priority,Sjálfgefið forgang
+DocType: Pledge,Pledge,Veð
 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."
@@ -1770,6 +1795,7 @@
 DocType: Guardian,Guardian Name,Guardian Name
 DocType: Cheque Print Template,Has Print Format,Hefur prenta sniði
 DocType: Support Settings,Get Started Sections,Byrjaðu kafla
+,Loan Repayment and Closure,Endurgreiðsla og lokun lána
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,bundnar
 ,Base Amount,Grunnmagn
@@ -1780,10 +1806,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Frá stað
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Lánsfjárhæð getur ekki verið meiri en {0}
 DocType: Student Admission,Publish on website,Birta á vefsíðu
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Birgir Invoice Dagsetning má ekki vera meiri en Staða Dagsetning
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Atriðakóði&gt; Vöruflokkur&gt; Vörumerki
 DocType: Subscription,Cancelation Date,Hætta við dagsetningu
 DocType: Purchase Invoice Item,Purchase Order Item,Purchase Order Item
 DocType: Agriculture Task,Agriculture Task,Landbúnaður Verkefni
@@ -1802,7 +1828,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Viðbótarupplýsingar Afsláttur Hlutfall
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Skoða lista yfir öll hjálparefni myndbönd
 DocType: Agriculture Analysis Criteria,Soil Texture,Jarðvegur áferð
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Veldu yfirmaður reikning bankans þar stöðva var afhent.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Leyfa notanda að breyta gjaldskránni Rate í viðskiptum
 DocType: Pricing Rule,Max Qty,max Magn
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Prenta skýrslukort
@@ -1934,7 +1959,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Þegar sett er, verður þessi reikningur að vera í bið til upphafs dags"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,selja Upphæð
-DocType: Repayment Schedule,Interest Amount,vextir Upphæð
+DocType: Loan Interest Accrual,Interest Amount,vextir Upphæð
 DocType: Job Card,Time Logs,Tímaskrár
 DocType: Sales Invoice,Loyalty Amount,Hollustuhæð
 DocType: Employee Transfer,Employee Transfer Detail,Starfsmaður flytja smáatriði
@@ -1949,6 +1974,7 @@
 DocType: Cashier Closing,Returns,Skil
 DocType: Job Card,WIP Warehouse,WIP Warehouse
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serial Nei {0} er undir viðhald samning uppí {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Viðurkennd fjárhæðarmörk yfir {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Ráðningar
 DocType: Lead,Organization Name,nafn samtaka
 DocType: Support Settings,Show Latest Forum Posts,Sýna nýjustu spjallþræðir
@@ -1975,7 +2001,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Innkaupapantanir Atriði tímabært
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Póstnúmer
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Velta Order {0} er {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Veldu vaxtatekjur reikning í láni {0}
 DocType: Opportunity,Contact Info,Contact Info
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Gerð lager færslur
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Get ekki kynnt starfsmanni með stöðu vinstri
@@ -2059,7 +2084,6 @@
 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,Start Year,Start Ár
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Búa til lán
 DocType: Purchase Invoice,Start date of current invoice's period,Upphafsdagur tímabils núverandi reikningi er
 DocType: Shift Type,Process Attendance After,Aðferð mæting á eftir
 ,IRS 1099,IRS 1099
@@ -2080,6 +2104,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Veldu lénin þín
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Birgir
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Greiðslumiðlar
+DocType: Repayment Schedule,Is Accrued,Er safnað
 DocType: Payroll Entry,Employee Details,Upplýsingar um starfsmenn
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Vinnsla XML skrár
 DocType: Amazon MWS Settings,CN,CN
@@ -2111,6 +2136,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Hollusta Point innganga
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Sjálfgefið Item Group
+DocType: Loan,Partially Disbursed,hluta ráðstafað
 DocType: Job Card Time Log,Time In Mins,Tími í mín
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Veita upplýsingar.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Þessi aðgerð mun aftengja þennan reikning frá ytri þjónustu sem samþættir ERPNext við bankareikninga þína. Ekki er hægt að afturkalla það. Ertu viss?
@@ -2126,6 +2152,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Lánalokun
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,skammtímaskuldir
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2158,6 +2185,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON er aðeins hægt að búa til úr innsendu skjali
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Starfsmannaskattur og ávinningur
 DocType: Bank Guarantee,Validity in Days,Gildi í dögum
+DocType: Unpledge,Haircut,Hárskera
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-form er ekki fyrir Invoice: {0}
 DocType: Certified Consultant,Name of Consultant,Nafn ráðgjafa
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled Upplýsingar Greiðsla
@@ -2210,7 +2238,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Rest Of The World
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,The Item {0} getur ekki Hópur
 DocType: Crop,Yield UOM,Afrakstur UOM
+DocType: Loan Security Pledge,Partially Pledged,Veðsett að hluta
 ,Budget Variance Report,Budget Dreifni Report
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Viðurkennt lánsfjárhæð
 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,Get Items from Healthcare Services,Fáðu atriði úr heilbrigðisþjónustu
@@ -2245,6 +2275,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Ný gæðaferli
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Stöðunni á reikningnum {0} verður alltaf að vera {1}
 DocType: Patient Appointment,More Info,Meiri upplýsingar
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Fæðingardagur má ekki vera stærri en dagsetningardagur.
 DocType: Supplier Scorecard,Scorecard Actions,Stigatafla
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Birgir {0} fannst ekki í {1}
 DocType: Purchase Invoice,Rejected Warehouse,hafnað Warehouse
@@ -2341,6 +2372,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Vinsamlegast settu vörulistann fyrst
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Tegund
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Veðtryggingarlán til útlána búið til: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Tilnefningar og þolinmæði
@@ -2396,6 +2428,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Fjöldi samráðs tíma
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Að byrja
 DocType: Purchase Invoice,Taxes and Charges Calculation,Skattar og gjöld Útreikningur
+DocType: Loan Interest Accrual,Payable Principal Amount,Greiðilegt aðalupphæð
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bókfært eignaaukning sjálfkrafa
 DocType: BOM Operation,Workstation,Workstation
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Beiðni um Tilvitnun Birgir
@@ -2432,7 +2465,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Matur
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Loka Voucher Upplýsingar
-DocType: Bank Account,Is the Default Account,Er sjálfgefinn reikningur
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Engin samskipti fundust.
 DocType: Inpatient Occupancy,Check In,Innritun
@@ -2490,12 +2522,14 @@
 DocType: Sales Order Item,Planned Quantity,Áætlaðir Magn
 DocType: Water Analysis,Water Analysis Criteria,Vatn greining Criteria
 DocType: Item,Maintain Stock,halda lager
+DocType: Loan Security Unpledge,Unpledge Time,Tímasetning
 DocType: Terms and Conditions,Applicable Modules,Gildandi mát
 DocType: Employee,Prefered Email,Ákjósanleg Email
 DocType: Student Admission,Eligibility and Details,Hæfi og upplýsingar
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Innifalið í brúttóhagnaði
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Net Breyting á fast eign
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Magn
+DocType: Work Order,This is a location where final product stored.,Þetta er staður þar sem endanleg vara er geymd.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,frá DATETIME
@@ -2536,8 +2570,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Ábyrgð í / AMC Staða
 ,Accounts Browser,reikningar Browser
 DocType: Procedure Prescription,Referral,Tilvísun
+,Territory-wise Sales,Svæðisleg sala
 DocType: Payment Entry Reference,Payment Entry Reference,Greiðsla Entry Tilvísun
 DocType: GL Entry,GL Entry,GL Entry
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Röð # {0}: Samþykkt vöruhús og birgðageymsla geta ekki verið eins
 DocType: Support Search Source,Response Options,Svörunarvalkostir
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Notaðu margar verðlagsreglur
 DocType: HR Settings,Employee Settings,Employee Stillingar
@@ -2597,6 +2633,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Landbúnaður (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,pökkun Slip
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vinsamlegast stilltu Naming Series fyrir {0} með Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,skrifstofa leigu
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Skipulag SMS Gateway stillingar
 DocType: Disease,Common Name,Algengt nafn
@@ -2613,6 +2650,7 @@
 DocType: Item,Sales Details,velta Upplýsingar
 DocType: Coupon Code,Used,Notað
 DocType: Opportunity,With Items,með atriði
+DocType: Vehicle Log,last Odometer Value ,síðasta kílómetramæli
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Herferðin &#39;{0}&#39; er þegar til fyrir {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Viðhaldsteymi
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Röð í hvaða köflum ætti að birtast. 0 er fyrst, 1 er annað og svo framvegis."
@@ -2623,7 +2661,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Kostnað Krafa {0} er þegar til fyrir Vehicle Innskráning
 DocType: Asset Movement Item,Source Location,Heimild Staðsetning
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Name
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vinsamlegast sláðu endurgreiðslu Upphæð
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Vinsamlegast sláðu endurgreiðslu Upphæð
 DocType: Shift Type,Working Hours Threshold for Absent,Vinnutími þröskuldur fyrir fjarverandi
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Það getur verið margfeldi upphækkunarheimildarþáttur miðað við heildartekjur. En viðskiptatakan fyrir innlausn mun alltaf vera sú sama fyrir alla flokkaupplýsingar.
 apps/erpnext/erpnext/config/help.py,Item Variants,Item Afbrigði
@@ -2647,6 +2685,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} verður að vera minna en {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Vinsamlegast veldu gerð umsækjanda fyrst
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Veldu BOM, magn og vöruhús"
 DocType: GST HSN Code,GST HSN Code,GST HSN kóða
 DocType: Employee External Work History,Total Experience,Samtals Experience
@@ -2737,7 +2776,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Engin virk BOM fannst fyrir hlut {0}. Ekki er hægt að tryggja afhendingu með \ raðnúmeri
 DocType: Sales Partner,Sales Partner Target,Velta Partner Target
-DocType: Loan Type,Maximum Loan Amount,Hámarkslán
+DocType: Loan Application,Maximum Loan Amount,Hámarkslán
 DocType: Coupon Code,Pricing Rule,verðlagning Regla
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Afrita rúlla númer fyrir nemanda {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Efni Beiðni um Innkaupapöntun
@@ -2760,6 +2799,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Leaves Úthlutað Tókst fyrir {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Engir hlutir í pakka
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Aðeins .csv og .xlsx skrár eru studdar eins og er
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vinsamlegast settu upp nafnakerfi starfsmanna í mannauð&gt; HR stillingar
 DocType: Shipping Rule Condition,From Value,frá Value
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Framleiðsla Magn er nauðsynlegur
 DocType: Loan,Repayment Method,endurgreiðsla Aðferð
@@ -2843,6 +2883,7 @@
 DocType: Customer,Customer POS Id,Viðskiptavinur POS-auðkenni
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Námsmaður með tölvupóst {0} er ekki til
 DocType: Account,Account Name,Nafn reiknings
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Viðurkennd lánsfjárhæð er þegar til fyrir {0} gegn fyrirtæki {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Frá Dagsetning má ekki vera meiri en hingað til
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial Nei {0} magn {1} getur ekki verið brot
 DocType: Pricing Rule,Apply Discount on Rate,Notaðu afslátt af gjaldi
@@ -2914,6 +2955,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Hagnaður
 DocType: Purchase Invoice,Eligibility For ITC,Hæfi fyrir ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Óléttað
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Viðskiptavinur Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Net Breyta í viðskiptaskuldum
@@ -2925,6 +2967,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Auðkenni aðsóknartækja (líffræðileg tölfræðileg / RF merki)
 DocType: Quotation,Term Details,Term Upplýsingar
 DocType: Item,Over Delivery/Receipt Allowance (%),Yfir afhending / kvittun (%)
+DocType: Appointment Letter,Appointment Letter Template,Skipunarsniðmát
 DocType: Employee Incentive,Employee Incentive,Starfsmaður hvatningu
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Samtals (án skatta)
@@ -2947,6 +2990,7 @@
 					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
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Aftengja greiðsla á niðurfellingar Invoice
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Að vinna úr áföllum vaxtalána
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Núverandi kílómetramæli lestur inn ætti að vera hærri en upphaflega Ökutæki Kílómetrastaða {0}
 ,Purchase Order Items To Be Received or Billed,Innkaupapöntunarhlutir sem berast eða innheimtir
 DocType: Restaurant Reservation,No Show,Engin sýning
@@ -3032,6 +3076,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostnaður Center er nauðsynlegt fyrir &#39;RekstrarliÃ&#39; reikning {2}. Vinsamlegast setja upp sjálfgefið kostnaðarstað til félagsins.
 DocType: Payment Schedule,Payment Term,Greiðsluskilmálar
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A Viðskiptavinur Group til staðar með sama nafni vinsamlegast breyta Customer Name eða endurnefna Viðskiptavinur Group
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Lokadagsetning inntöku ætti að vera meiri en upphafsdagur inntöku.
 DocType: Location,Area,Svæði
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,nýtt samband við
 DocType: Company,Company Description,Fyrirtæki Lýsing
@@ -3106,6 +3151,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data
 DocType: Purchase Order Item,Warehouse and Reference,Warehouse og Tilvísun
 DocType: Payroll Period Date,Payroll Period Date,Launatímabil Dagsetning
+DocType: Loan Disbursement,Against Loan,Gegn láni
 DocType: Supplier,Statutory info and other general information about your Supplier,Lögbundin upplýsingar og aðrar almennar upplýsingar um birgir
 DocType: Item,Serial Nos and Batches,Raðnúmer og lotur
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Styrkur nemendahóps
@@ -3172,6 +3218,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Veldu fyrirtæki
 DocType: Delivery Settings,Delivery Settings,Afhendingastillingar
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Sækja gögn
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Ekki hægt að setja inn meira en {0} magn af {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Hámarks leyfi sem leyfður er í tegund ferðarinnar {0} er {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Birta 1 hlut
 DocType: SMS Center,Create Receiver List,Búa Receiver lista
@@ -3319,6 +3366,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Magn (Company Gjaldmiðill)
 DocType: Purchase Invoice,Registered Regular,Skráð reglulega
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Hráefni
+DocType: Plaid Settings,sandbox,sandkassi
 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
@@ -3331,12 +3379,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Tegund viðskipta
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,samþykktarviðmiðanir
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Alls Greiðist Upphæð
 DocType: Task,Expected Time (in hours),Væntanlegur Time (í klst)
 DocType: Item Reorder,Check in (group),Innritun (hópur)
 DocType: Soil Texture,Silt,Silt
@@ -3367,6 +3414,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Tregðu skatt vegna óskráðs skattfrelsis
 DocType: Volunteer,Anytime,Hvenær sem er
 DocType: Bank Account,Bank Account No,Bankareikningur nr
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Útborgun og endurgreiðsla
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Skattfrelsi frá starfsmanni
 DocType: Patient,Surgical History,Skurðaðgerðarsaga
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3430,6 +3478,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Búðu til Lab Test (s) á Sölu Reikningur Senda
 DocType: Serial No,Invoice Details,Reikningsupplýsingar
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Skila þarf uppbyggingu launa áður en skattafrelsisyfirlýsing er lögð fram
+DocType: Loan Application,Proposed Pledges,Fyrirhugaðar veðsetningar
 DocType: Grant Application,Show on Website,Sýna á heimasíðu
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Byrjaðu á
 DocType: Hub Tracked Item,Hub Category,Hub Flokkur
@@ -3441,7 +3490,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Birgir Stuðningskort Standandi
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Efnislisti finnst ekki fyrir þar sem efnið {1}
 DocType: Contract Fulfilment Checklist,Requirement,Kröfu
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vinsamlegast settu upp nafnakerfi starfsmanna í mannauð&gt; HR stillingar
 DocType: Journal Entry,Accounts Receivable,Reikningur fáanlegur
 DocType: Quality Goal,Objectives,Markmið
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Hlutverki heimilt að búa til bakgrunnsdagsforrit
@@ -3454,6 +3502,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Fela sáttir færslur
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Heildarúthlutað upphæð ({0}) er hærri en greidd fjárhæð ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Dreifa Gjöld Byggt á
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Greidd upphæð má ekki vera minna en {0}
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR Stillingar
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Bókhaldsmeistarar
@@ -3599,6 +3648,7 @@
 DocType: Employee,Health Insurance,Sjúkratryggingar
 DocType: Asset Repair,Manufacturing Manager,framleiðsla Manager
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serial Nei {0} er undir ábyrgð uppí {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Lánsfjárhæð er hærri en hámarks lánsfjárhæð {0} samkvæmt fyrirhuguðum verðbréfum
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Lágmarks leyfilegt gildi
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Notandi {0} er þegar til
 apps/erpnext/erpnext/hooks.py,Shipments,sendingar
@@ -3642,7 +3692,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tegund viðskipta
 DocType: Sales Invoice,Consumer,Neytandi
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vinsamlegast veldu úthlutað magn, tegundir innheimtuseðla og reikningsnúmerið í atleast einni röð"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vinsamlegast stilltu Naming Series fyrir {0} með Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostnaður við nýja kaup
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Velta Order krafist fyrir lið {0}
 DocType: Grant Application,Grant Description,Grant Lýsing
@@ -3651,6 +3700,7 @@
 DocType: Subscription,Discounts,Afslættir
 DocType: Bank Transaction,Unallocated Amount,óráðstafað Upphæð
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Vinsamlegast virkjaðu gildandi á innkaupapöntun og gilda um bókunarútgjöld
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} er ekki bankareikningur fyrirtækisins
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Get ekki fundið samsvörun hlut. Vinsamlegast veldu einhverja aðra verðmæti fyrir {0}.
 DocType: POS Profile,Taxes and Charges,Skattar og gjöld
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","A vöru eða þjónustu sem er keypt, selt eða haldið á lager."
@@ -3699,6 +3749,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Gildir frá Dagsetning verður að vera minni en Gildistími dagsetning.
 DocType: Employee Skill,Evaluation Date,Matsdagur
 DocType: Quotation Item,Stock Balance,Stock Balance
+DocType: Loan Security Pledge,Total Security Value,Heildaröryggisgildi
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Velta Order til greiðslu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,forstjóri
 DocType: Purchase Invoice,With Payment of Tax,Með greiðslu skatta
@@ -3711,6 +3762,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Reikningur {0} er ekki til í stjórnborði töflunnar {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Sýna Variant Eiginleikar
@@ -3792,6 +3844,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Núverandi Verðmat Rate
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Fjöldi rótareikninga má ekki vera minna en 4
 DocType: Training Event,Advance,Advance
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Gegn láni:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless greiðslu gátt stillingar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Gengishagnaður / tap
 DocType: Opportunity,Lost Reason,Lost Ástæða
@@ -3875,8 +3928,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Veldu lotu nr
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Ógild {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Röð {0}: Fæðingardagur systkina má ekki vera meiri en í dag.
 DocType: Fee Validity,Reference Inv,Tilvísun Inv
 DocType: Sales Invoice Advance,Advance Amount,Advance Magn
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Dráttarvextir (%) á dag
 DocType: Manufacturing Settings,Capacity Planning,getu Planning
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Afrennslisbreyting (Fyrirtæki Gjaldmiðill
 DocType: Asset,Policy number,Lögreglu númer
@@ -3892,7 +3947,9 @@
 DocType: Normal Test Items,Require Result Value,Krefjast niðurstöður gildi
 DocType: Purchase Invoice,Pricing Rules,Verðlagsreglur
 DocType: Item,Show a slideshow at the top of the page,Sýnið skyggnusýningu efst á síðunni
+DocType: Appointment Letter,Body,Líkami
 DocType: Tax Withholding Rate,Tax Withholding Rate,Skatthlutfall
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Upphafsdagur endurgreiðslu er skylda vegna lánstíma
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,verslanir
@@ -3912,7 +3969,7 @@
 DocType: Call Log,Received By,Móttekið af
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Lengd stefnumóts (eftir nokkrar mínútur)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Upplýsingar um sjóðstreymi fyrir sjóðstreymi
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lánastjórnun
+DocType: Loan,Loan Management,Lánastjórnun
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Track sérstakt Vaxtatekjur og vaxtagjöld fyrir Þrep vöru eða deildum.
 DocType: Rename Tool,Rename Tool,endurnefna Tól
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Uppfæra Kostnaður
@@ -3920,6 +3977,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-form
 DocType: Sales Invoice,Mode of Transport,Flutningsmáti
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Sýna Laun Slip
+DocType: Loan,Is Term Loan,Er tíma lán
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfer Efni
 DocType: Fees,Send Payment Request,Senda greiðslubók
 DocType: Travel Request,Any other details,Allar aðrar upplýsingar
@@ -3937,6 +3995,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Cash Flow frá fjármögnun
 DocType: Budget Account,Budget Account,Budget Account
 DocType: Quality Inspection,Verified By,staðfest af
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Bættu við lánsöryggi
 DocType: Travel Request,Name of Organizer,Nafn skipuleggjanda
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Get ekki breytt sjálfgefið mynt félagsins, vegna þess að það eru núverandi viðskiptum. Viðskipti verða að vera lokað til að breyta sjálfgefið mynt."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Er tekjuskattsskuldbinding
@@ -3987,6 +4046,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Required On
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ef hakað er við, felur og slekkur svæðið Rounded Total í launaseðlum"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Þetta er sjálfgefið móti (dagar) fyrir afhendingardag í sölupöntunum. Fallfallið er 7 dagar frá dagsetningu pöntunarinnar.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vinsamlegast settu upp númeraröð fyrir mætingu með uppsetningu&gt; Númeraröð
 DocType: Rename Tool,File to Rename,Skrá til Endurnefna
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Vinsamlegast veldu BOM fyrir lið í Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Fáðu áskriftaruppfærslur
@@ -3999,6 +4059,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Raðnúmer búið til
 DocType: POS Profile,Applicable for Users,Gildir fyrir notendur
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Frá dagsetningu og til dagsetning er skylt
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Stilla verkefnið og öll verkefni á stöðuna {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Setja framfarir og úthluta (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Engar vinnuskipanir búin til
@@ -4008,6 +4069,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Atriði eftir
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kostnaður vegna aðkeyptrar atriði
 DocType: Employee Separation,Employee Separation Template,Aðskilnaðarsnið frá starfsmanni
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Núll fjöldi {0} veðsettur gegn láni {0}
 DocType: Selling Settings,Sales Order Required,Velta Order Required
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Gerast seljandi
 ,Procurement Tracker,Rekja spor einhvers
@@ -4105,11 +4167,12 @@
 ,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,Total Absent,alls Absent
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Greiðslufjárhæð
+DocType: Loan Repayment,Payable Amount,Greiðslufjárhæð
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,tækifæri
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Hámarksstyrkur getur ekki verið minni en núll.
 DocType: Options,Option,Valkostur
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Þú getur ekki búið til bókhaldsfærslur á lokuðu bókhaldstímabilinu {0}
 DocType: Operation,Default Workstation,Sjálfgefið Workstation
@@ -4151,6 +4214,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Vextir eru skyldur
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Næstu skref
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Vistaðir hlutir
@@ -4201,8 +4265,6 @@
 DocType: Grant Application,Grant Application Details ,Veita umsókn upplýsingar
 DocType: Employee Separation,Employee Separation,Aðskilnaður starfsmanna
 DocType: BOM Item,Original Item,Upprunalegt atriði
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Vinsamlegast eytt starfsmanninum <a href=""#Form/Employee/{0}"">{0}</a> \ til að hætta við þetta skjal"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Skjal dagsetning
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Búið - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Flokkur Reikningur
@@ -4238,6 +4300,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Liður í rannsóknarstofu {0} er þegar til
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} er félagsfrí
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Reikningstímar
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Dráttarvextir eru lagðir á vaxtaupphæðina í bið daglega ef seinkað er um endurgreiðslu
+DocType: Appointment Letter content,Appointment Letter content,Innihald skipunarbréfs
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Leyfi Tilkynning um leyfi
 DocType: Patient Appointment,Procedure Prescription,Verklagsregla
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Húsgögnum og innréttingum
@@ -4257,7 +4321,7 @@
 DocType: Opportunity,Customer / Lead Name,Viðskiptavinur / Lead Name
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Úthreinsun Date ekki getið
 DocType: Payroll Period,Taxable Salary Slabs,Skattskyld launakostnaður
-DocType: Job Card,Production,framleiðsla
+DocType: Plaid Settings,Production,framleiðsla
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ógilt GSTIN! Inntakið sem þú slóst inn passar ekki við snið GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Reikningsgildi
 DocType: Guardian,Occupation,Atvinna
@@ -4401,6 +4465,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Hollusta Program Collection
 DocType: Stock Entry Detail,Subcontracted Item,Undirverktaka
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Nemandi {0} tilheyrir ekki hópi {1}
+DocType: Appointment Letter,Appointment Date,Skipunardagur
 DocType: Budget,Cost Center,kostnaður Center
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,skírteini #
 DocType: Tax Rule,Shipping Country,Sendingar Country
@@ -4471,6 +4536,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Bókhaldsvídd
 ,Profit and Loss Statement,Rekstrarreikningur yfirlýsing
 DocType: Bank Reconciliation Detail,Cheque Number,ávísun Number
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Upphæð greidd getur ekki verið núll
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Hlutinn sem vísað er til með {0} - {1} er þegar innheimt
 ,Sales Browser,velta Browser
 DocType: Journal Entry,Total Credit,alls Credit
@@ -4575,6 +4641,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Bæta við / breyta skilyrðum afsláttarmiða
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kostnað / Mismunur reikning ({0}) verður að vera &#39;rekstrarreikning &quot;reikning a
 DocType: Stock Entry Detail,Stock Entry Child,Barnahlutabréf
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Veðsetningarlánafyrirtæki og lánafyrirtæki verða að vera eins
 DocType: Project,Copied From,Afritað frá
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Reikningur er þegar búinn til fyrir alla reikningstíma
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nafn villa: {0}
@@ -4582,6 +4649,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Er fjármagnskostnaður
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Mæting fyrir starfsmann {0} er þegar merkt
 DocType: Packing Slip,If more than one package of the same type (for print),Ef fleiri en einn pakka af sömu gerð (fyrir prentun)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vinsamlegast settu upp kennslukerfi kennslukerfis í menntun&gt; Menntunarstillingar
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Vinsamlegast stilltu sjálfgefinn viðskiptavin í veitingastaðnum
 ,Salary Register,laun Register
 DocType: Company,Default warehouse for Sales Return,Sjálfgefið lager fyrir söluávöxtun
@@ -4626,7 +4694,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Núverandi raðnúmer
 DocType: Employee,Attendance and Leave Details,Upplýsingar um mætingu og leyfi
 ,BOM Comparison Tool,BOM samanburðarverkfæri
-,Requested,Umbeðin
+DocType: Loan Security Pledge,Requested,Umbeðin
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4638,7 +4706,6 @@
 DocType: Drug Prescription,Drug Prescription,Lyfseðilsskyld lyf
 DocType: Service Level,Support and Resolution,Stuðningur og ályktun
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Ókeypis hlutakóði er ekki valinn
-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
@@ -4672,6 +4739,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Þú hefur nú þegar metið mat á viðmiðunum {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Fjárhæð
 DocType: Vehicle Service,Engine Oil,Vélarolía
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Vinna Pantanir Búið til: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Vinsamlegast stilltu tölvupóstskilríki fyrir Lead {0}
@@ -4690,6 +4758,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Reikningur er ekki stilltur fyrir stjórnborðið {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Berið Viðbótarupplýsingar afsláttur á
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Veldu tegund ...
+DocType: Loan Interest Accrual,Amounts,Fjárhæðir
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Miða þinn
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO
@@ -4697,6 +4766,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Get ekki skila meira en {1} fyrir lið {2}
 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: Loan Security Price,Loan Security Price,Lánaöryggisverð
 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,Target warehouse is mandatory for row {0},Target vöruhús er nauðsynlegur fyrir röð {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Verslunarrekstur
@@ -4835,6 +4905,7 @@
 DocType: Coupon Code,Coupon Description,Afsláttarmiða lýsing
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Hópur er nauðsynlegur í röð {0}
 DocType: Company,Default Buying Terms,Sjálfgefnir kaupsskilmálar
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Útborgun lána
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Kvittun Item Staðar
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Virkja áætlaða samstillingu
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,til DATETIME
@@ -4863,6 +4934,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Sláðu inn gildi milli {0} og {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Sláðu inn heiti herferðarinnar ef uppspretta rannsókn er herferð
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,dagblað Publishers
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Ekkert gilt <b>lánsöryggisverð</b> fannst fyrir {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Framtíðardagar ekki leyfðar
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Væntanlegur afhendingardagur ætti að vera eftir söluupphæðardagsetningu
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Uppröðun Level
@@ -4929,6 +5001,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Tillaga / Verðtilboð
 DocType: Antibiotic,Healthcare,Heilbrigðisþjónusta
 DocType: Target Detail,Target Detail,Target Detail
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Lánaferli
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Einn afbrigði
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Allir Jobs
 DocType: Sales Order,% of materials billed against this Sales Order,% Af efnum rukkaður gegn þessu Sales Order
@@ -4991,7 +5064,7 @@
 DocType: Item,Reorder level based on Warehouse,Uppröðun stigi byggist á Lager
 DocType: Activity Cost,Billing Rate,Innheimta Rate
 ,Qty to Deliver,Magn í Bera
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Búðu til útborgun
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Búðu til útborgun
 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,Operations cannot be left blank,Aðgerðir geta ekki vera autt
@@ -5025,6 +5098,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Aftengdu ytri samþættingar
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Veldu samsvarandi greiðslu
 DocType: Pricing Rule,Item Code,Item Code
+DocType: Loan Disbursement,Pending Amount For Disbursal,Upphæð fyrir útgreiðslu
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Ábyrgð í / AMC Nánar
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Veldu nemendur handvirkt fyrir hópinn sem byggir á starfsemi
@@ -5048,6 +5122,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Magn Samtals
 DocType: Landed Cost Item,Receipt Document,kvittun Document
 DocType: Employee Education,School/University,Skóli / University
+DocType: Loan Security Pledge,Loan  Details,Upplýsingar um lán
 DocType: Sales Invoice Item,Available Qty at Warehouse,Laus Magn á Lager
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,billed Upphæð
 DocType: Share Transfer,(including),(þ.mt)
@@ -5071,6 +5146,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,hópar
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Group eftir reikningi
 DocType: Purchase Invoice,Hold Invoice,Haltu innheimtu
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Veðréttarstaða
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Vinsamlegast veldu Starfsmaður
 DocType: Sales Order,Fully Delivered,Alveg Skilað
 DocType: Promotional Scheme Price Discount,Min Amount,Lágmarks upphæð
@@ -5080,7 +5156,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Andvirði lánsins getur ekki verið hærri en Lánsupphæðir {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rú {0} # Úthlutað magn {1} getur ekki verið hærra en óunnið magn {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Innkaupapöntunarnúmeri þarf fyrir lið {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Bera framsent lauf
@@ -5108,6 +5183,7 @@
 DocType: Pick List Item,Serial No and Batch,Serial Nei og Batch
 DocType: Warranty Claim,From Company,frá Company
 DocType: GSTR 3B Report,January,Janúar
+DocType: Loan Repayment,Principal Amount Paid,Aðalupphæð greidd
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summa skora á mat Criteria þarf að vera {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Vinsamlegast settu Fjöldi Afskriftir Bókað
 DocType: Supplier Scorecard Period,Calculations,Útreikningar
@@ -5133,6 +5209,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Um fyrirtækið þitt
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Sýna gögn um öldrun hlutabréfa
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Inneign á reikninginn verður að vera Efnahagur reikning
+DocType: Loan Repayment,Penalty Amount,Vítaspyrna
 DocType: Donor,Donor,Gjafa
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Uppfæra skatta fyrir hluti
 DocType: Global Defaults,Disable In Words,Slökkva á í orðum
@@ -5163,6 +5240,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostnaðarmiðstöð og fjárlagagerð
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Opnun Balance Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Að hluta til greitt gjald
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Vinsamlegast stilltu greiðsluáætlunina
 DocType: Pick List,Items under this warehouse will be suggested,Lagt verður til muna undir vöruhúsinu
 DocType: Purchase Invoice,N,N
@@ -5196,7 +5274,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} fannst ekki fyrir lið {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Gildið verður að vera á milli {0} og {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Sýna innifalið skatt í prenti
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,skilaboð send
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5210,6 +5287,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Virkja sjálfvirka endurpöntun
 DocType: Stock Settings,Item Naming By,Liður Nöfn By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Annar Tímabil Lokar Entry {0} hefur verið gert eftir {1}
+DocType: Proposed Pledge,Proposed Pledge,Fyrirhugað veð
 DocType: Work Order,Material Transferred for Manufacturing,Efni flutt til framleiðslu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Reikningur {0} er ekki til
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Veldu hollusta program
@@ -5220,7 +5298,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Stilling viðburðir til {0}, þar sem Starfsmannafélag fylgir að neðan sölufólk er ekki með notendanafn {1}"
 DocType: Timesheet,Billing Details,Billing Upplýsingar
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Uppspretta og miða vöruhús verður að vera öðruvísi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vinsamlegast settu upp nafnakerfi starfsmanna í mannauð&gt; HR stillingar
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Greiðsla mistókst. Vinsamlegast athugaðu GoCardless reikninginn þinn til að fá frekari upplýsingar
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ekki leyft að uppfæra lager viðskipti eldri en {0}
 DocType: Stock Entry,Inspection Required,skoðun Required
@@ -5233,6 +5310,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Afhending vöruhús krafist fyrir hlutabréfum lið {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Framlegð þyngd pakkans. Venjulega nettóþyngd + umbúðir þyngd. (Til prentunar)
 DocType: Assessment Plan,Program,program
+DocType: Unpledge,Against Pledge,Gegn veði
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Notendur með þetta hlutverk er leyft að setja á frysta reikninga og búa til / breyta bókhaldsfærslum gegn frysta reikninga
 DocType: Plaid Settings,Plaid Environment,Plaid umhverfi
 ,Project Billing Summary,Yfirlit verkefnisgreiningar
@@ -5284,6 +5362,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Hópur
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Hægt er að bóka fjölda daga fyrirfram
 DocType: Article,LMS User,LMS notandi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Veðlán við veðlán er skylt fyrir tryggt lán
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Framboðsstaður (ríki / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Purchase Order {0} er ekki lögð
@@ -5358,6 +5437,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Búðu til atvinnukort
 DocType: Quotation,Referral Sales Partner,Tilvísun söluaðila
 DocType: Quality Procedure Process,Process Description,Aðferðalýsing
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Ekki hægt að taka saman, öryggisgildi lána er hærra en endurgreidda upphæðin"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Viðskiptavinur {0} er búinn til.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5378,7 +5458,7 @@
 DocType: Asset,Insurance Details,Tryggingar Upplýsingar
 DocType: Account,Payable,greiðist
 DocType: Share Balance,Share Type,Deila Tegund
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Vinsamlegast sláðu inn lánstíma
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Vinsamlegast sláðu inn lánstíma
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Skuldarar ({0})
 DocType: Pricing Rule,Margin,spássía
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,ný Viðskiptavinir
@@ -5387,6 +5467,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Breyta POS Profile
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Magn eða fjárhæð er mandatroy fyrir lánsöryggi
 DocType: Bank Reconciliation Detail,Clearance Date,úthreinsun Dagsetning
 DocType: Delivery Settings,Dispatch Notification Template,Tilkynningarsniðmát
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Matsskýrsla
@@ -5422,6 +5503,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Sölureikningur {0} búinn til
 DocType: Employee,Confirmation Date,staðfesting Dagsetning
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Vinsamlegast eytt starfsmanninum <a href=""#Form/Employee/{0}"">{0}</a> \ til að hætta við þetta skjal"
 DocType: Inpatient Occupancy,Check Out,Athuga
 DocType: C-Form,Total Invoiced Amount,Alls Upphæð á reikningi
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Magn má ekki vera meiri en Max Magn
@@ -5435,7 +5518,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks félagsauðkenni
 DocType: Travel Request,Travel Funding,Ferðasjóður
 DocType: Employee Skill,Proficiency,Hæfni
-DocType: Loan Application,Required by Date,Krafist af Dagsetning
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Upplýsingar um kvittun kaupa
 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
 DocType: Lead,Lead Owner,Lead Eigandi
@@ -5454,7 +5536,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Núverandi BOM og New BOM getur ekki verið það sama
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Laun Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Dagsetning starfsloka verður að vera hærri en Dagsetning Tengja
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Birgir&gt; Gerð birgis
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Margfeldi afbrigði
 DocType: Sales Invoice,Against Income Account,Against þáttatekjum
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Skilað
@@ -5487,7 +5568,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Verðmat gerð gjöld geta ekki merkt sem Inclusive
 DocType: POS Profile,Update Stock,Uppfæra Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Greiðsluupplýsingar
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Lestur hlaðið skrá
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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ð
@@ -5522,6 +5603,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Hámarkslánagildi
 ,Stock Ledger,Stock Ledger
 DocType: Company,Exchange Gain / Loss Account,Gengishagnaður / Rekstrarreikningur
 DocType: Amazon MWS Settings,MWS Credentials,MWS persónuskilríki
@@ -5529,6 +5611,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Tilgangurinn verður að vera einn af {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Fylltu út formið og vista hana
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Forum Community
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Engum laufum úthlutað til starfsmanns: {0} fyrir leyfi Tegund: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Raunverulegur fjöldi á lager
 DocType: Homepage,"URL for ""All Products""",URL fyrir &quot;Allar vörur&quot;
 DocType: Leave Application,Leave Balance Before Application,Skildu Balance Áður Umsókn
@@ -5630,7 +5713,6 @@
 DocType: Fee Schedule,Fee Schedule,gjaldskrá
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Dálkamerkingar:
 DocType: Bank Transaction,Settled,Sátt
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Útborgunardagur má ekki vera eftir upphafsdag endurgreiðslu lána
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Skil
 DocType: Quality Feedback,Parameters,Breytur
 DocType: Company,Create Chart Of Accounts Based On,Búa graf af reikningum miðað við
@@ -5650,6 +5732,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Lánsfé og greiðsluskilmálar
 DocType: Loyalty Program,Collection Rules,Safneglur
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Liður 3
+DocType: Loan Security Shortfall,Shortfall Time,Skortur tími
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Pöntunarnúmer
 DocType: Purchase Order,Customer Contact Email,Viðskiptavinur samband við Tölvupóstur
 DocType: Warranty Claim,Item and Warranty Details,Item og Ábyrgð Details
@@ -5669,12 +5752,14 @@
 DocType: Sales Person,Sales Person Name,Velta Person Name
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vinsamlegast sláðu inn atleast 1 reikning í töflunni
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Engin Lab próf búin til
+DocType: Loan Security Shortfall,Security Value ,Öryggisgildi
 DocType: POS Item Group,Item Group,Liður Group
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Nemendahópur:
 DocType: Depreciation Schedule,Finance Book Id,Fjármálabókin
 DocType: Item,Safety Stock,Safety Stock
 DocType: Healthcare Settings,Healthcare Settings,Heilbrigðisstofnanir
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Samtals úthlutað blöð
+DocType: Appointment Letter,Appointment Letter,Ráðningarbréf
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Progress% fyrir verkefni getur ekki verið meira en 100.
 DocType: Stock Reconciliation Item,Before reconciliation,áður sátta
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Til {0}
@@ -5729,6 +5814,7 @@
 DocType: Stock Entry,From BOM,frá BOM
 DocType: Assessment Code,Assessment Code,mat Code
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Basic
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Lánaforrit frá viðskiptavinum og starfsmönnum.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Lager viðskipti fyrir {0} eru frystar
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Vinsamlegast smelltu á &#39;Búa Stundaskrá&#39;
 DocType: Job Card,Current Time,Núverandi tími
@@ -5755,7 +5841,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Engar Student Groups búin.
 DocType: Purchase Invoice Item,Serial No,Raðnúmer
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mánaðarlega endurgreiðslu Upphæð má ekki vera meiri en lánsfjárhæð
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mánaðarlega endurgreiðslu Upphæð má ekki vera meiri en lánsfjárhæð
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Vinsamlegast sláðu Maintaince Nánar fyrst
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Væntanlegur Afhendingardagur getur ekki verið fyrir Purchase Order Date
 DocType: Purchase Invoice,Print Language,Print Tungumál
@@ -5769,6 +5855,7 @@
 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,All Territories,Allir Territories
+DocType: Plaid Settings,development,þróun
 DocType: Lost Reason Detail,Lost Reason Detail,Upplýsingar um glataða ástæðu
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ógildur sængurpöntun fyrir valda viðskiptavininn og hlutinn
@@ -5831,12 +5918,14 @@
 DocType: Staffing Plan Detail,Current Openings,Núverandi op
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Handbært fé frá rekstri
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST upphæð
+DocType: Vehicle Log,Current Odometer value ,Núverandi gildi kílómetramæls
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Búðu til námsmann
 DocType: Asset Movement Item,Asset Movement Item,Liður eignahreyfingar
 DocType: Purchase Invoice,Shipping Rule,Sendingar Regla
 DocType: Patient Relation,Spouse,Maki
 DocType: Lab Test Groups,Add Test,Bæta við prófun
 DocType: Manufacturer,Limited to 12 characters,Takmarkast við 12 stafi
+DocType: Appointment Letter,Closing Notes,Loka skýringar
 DocType: Journal Entry,Print Heading,Print fyrirsögn
 DocType: Quality Action Table,Quality Action Table,Gæðatafla
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Alls má ekki vera núll
@@ -5903,6 +5992,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Alls (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Vinsamlegast auðkennið / stofnaðu reikning (hópur) fyrir gerðina - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Skemmtun &amp; Leisure
+DocType: Loan Security,Loan Security,Lánöryggi
 ,Item Variant Details,Varahlutir Upplýsingar
 DocType: Quality Inspection,Item Serial No,Liður Serial Nei
 DocType: Payment Request,Is a Subscription,Er áskrift
@@ -5915,7 +6005,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Síðasta aldur
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Tímasettar og samþykktar dagsetningar geta ekki verið minni en í dag
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Flytja efni til birgis
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial Nei getur ekki hafa Warehouse. Warehouse verður að setja af lager Entry eða kvittun
 DocType: Lead,Lead Type,Lead Tegund
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Búðu til tilvitnun
@@ -5933,7 +6022,6 @@
 DocType: Leave Allocation,Leave Period,Leyfi
 DocType: Item,Default Material Request Type,Default Efni Beiðni Type
 DocType: Supplier Scorecard,Evaluation Period,Matartímabil
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Viðskiptavinur&gt; Viðskiptavinahópur&gt; Landsvæði
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,óþekkt
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Vinna Order ekki búið til
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6017,7 +6105,8 @@
 ,Customer-wise Item Price,Viðskiptavænt vöruhlutur
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Sjóðstreymi
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Engin efnisbeiðni búin til
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lánið upphæð mega vera Hámarkslán af {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lánið upphæð mega vera Hámarkslán af {0}
+DocType: Loan,Loan Security Pledge,Veðlán við lánsöryggi
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,License
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6035,6 +6124,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Verðafsláttarkerfi
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Viðhald Staða verður að vera Hætt eða lokið til að senda inn
 DocType: Amazon MWS Settings,US,Bandaríkin
+DocType: Loan Security Pledge,Pledged,Veðsett
 DocType: Holiday List,Add Weekly Holidays,Bæta við vikulega frídaga
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Tilkynna hlut
 DocType: Staffing Plan Detail,Vacancies,Laus störf
@@ -6053,7 +6143,6 @@
 DocType: Production Plan Item,Planned Start Date,Áætlaðir Start Date
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Vinsamlegast veldu BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Notaður ITC samlaga skatt
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Búa til endurgreiðslufærslu
 DocType: Purchase Order Item,Blanket Order Rate,Teppisverð fyrir teppi
 ,Customer Ledger Summary,Yfirlit viðskiptavinarbókar
 apps/erpnext/erpnext/hooks.py,Certification,Vottun
@@ -6074,6 +6163,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Úttekt Snið Title
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial
 DocType: Patient,Alcohol Current Use,Notkun áfengisneyslu
+DocType: Loan,Loan Closure Requested,Óskað er eftir lokun lána
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Húsaleiga Greiðslugjald
 DocType: Student Admission Program,Student Admission Program,Námsmenntun
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Skattlausn Flokkur
@@ -6097,6 +6187,7 @@
 DocType: Opening Invoice Creation Tool,Sales,velta
 DocType: Stock Entry Detail,Basic Amount,grunnfjárhæð
 DocType: Training Event,Exam,Exam
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Að vinna úr öryggisskorti
 DocType: Email Campaign,Email Campaign,Netfang herferð
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Marketplace Villa
 DocType: Complaint,Complaint,Kvörtun
@@ -6176,6 +6267,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Sendu inn þetta til að búa til starfsmannaskrá
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Öryggisverð lána skarast við {0}
 DocType: Item Default,Item Default,Atriði sjálfgefið
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Innanríkisbirgðir
 DocType: Chapter Member,Leave Reason,Skildu ástæðu
@@ -6202,6 +6294,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} afsláttarmiða notaður er {1}. Leyfilegt magn er uppurið
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Viltu leggja fram efnisbeiðnina
 DocType: Job Offer,Awaiting Response,bíður svars
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Lán er skylt
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,hér að framan
 DocType: Support Search Source,Link Options,Link Options
@@ -6214,6 +6307,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
+DocType: Pledge,Post Haircut Amount,Fjárhæð hárskera
 DocType: Sales Order,Skip Delivery Note,Sleppa afhendingu athugasemd
 DocType: Price List,Price Not UOM Dependent,Verð ekki UOM háður
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} afbrigði búin til.
@@ -6240,6 +6334,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Fá atriði úr Vara Knippi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Endurgreiðsluaðferð er skylda fyrir tíma lán
 DocType: Asset,Straight Line,Bein lína
 DocType: Project User,Project User,Project User
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Skipta
@@ -6284,7 +6379,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Hlutverk leyft að setja á frysta reikninga &amp; Sýsla Frozen færslur
 DocType: Supplier Scorecard Scoring Variable,Path,Leið
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Ekki hægt að umbreyta Kostnaður Center til aðalbók eins og það hefur barnið hnúta
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM viðskiptaþáttur ({0} -&gt; {1}) fannst ekki fyrir hlutinn: {2}
 DocType: Production Plan,Total Planned Qty,Samtals áætlað magn
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Viðskipti hafa þegar verið endurheimt frá yfirlýsingunni
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,opnun Value
@@ -6293,11 +6387,8 @@
 DocType: Material Request Plan Item,Required Quantity,Nauðsynlegt magn
 DocType: Lab Test Template,Lab Test Template,Lab Test Sniðmát
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Reikningstímabil skarast við {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Birgir&gt; Gerð birgis
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Sölureikningur
 DocType: Purchase Invoice Item,Total Weight,Heildarþyngd
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Vinsamlegast eytt starfsmanninum <a href=""#Form/Employee/{0}"">{0}</a> \ til að hætta við þetta skjal"
 DocType: Pick List Item,Pick List Item,Veldu listalista
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Þóknun á sölu
 DocType: Job Offer Term,Value / Description,Gildi / Lýsing
@@ -6344,6 +6435,7 @@
 DocType: Patient Encounter,Encounter Date,Fundur Dagsetning
 DocType: Work Order,Update Consumed Material Cost In Project,Uppfærðu neyttan efniskostnað í verkefni
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Reikningur: {0} með gjaldeyri: {1} Ekki er hægt að velja
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Lán veitt viðskiptavinum og starfsmönnum.
 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
@@ -6412,7 +6504,6 @@
 DocType: Contract,Signed On,Skráður á
 DocType: Bank Account,Party Type,Party Type
 DocType: Discounted Invoice,Discounted Invoice,Afsláttur reikninga
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkja mætingu sem <b></b>
 DocType: Payment Schedule,Payment Schedule,Greiðsluáætlun
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Enginn starfsmaður fannst fyrir tiltekið gildi starfsmanns. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,skammstöfun
@@ -6484,6 +6575,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,lánardrottnar
 DocType: Assessment Plan,Assessment Name,mat Name
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial Nei er nauðsynlegur
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Fjárhæð {0} er nauðsynleg vegna lokunar lána
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Liður Wise Tax Nánar
 DocType: Employee Onboarding,Job Offer,Atvinnutilboð
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute Skammstöfun
@@ -6507,7 +6599,6 @@
 DocType: Purchase Order,To Receive,Til að taka á móti
 DocType: Leave Period,Holiday List for Optional Leave,Holiday List fyrir valfrjálst leyfi
 DocType: Item Tax Template,Tax Rates,Skattaverð
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Atriðakóði&gt; Vöruflokkur&gt; Vörumerki
 DocType: Asset,Asset Owner,Eigandi eigna
 DocType: Item,Website Content,Innihald vefsíðu
 DocType: Bank Account,Integration ID,Sameiningarkenni
@@ -6523,6 +6614,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch Pantanir
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Pantanir út fyrir framleiðslu.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Veldu fjárhagsársins ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Vinsamlegast veldu Lántegund fyrir fyrirtæki {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profile þarf að gera POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6551,6 +6643,7 @@
 DocType: Customer,Mention if non-standard receivable account,Umtal ef non-staðall nái reikning
 DocType: Bank,Plaid Access Token,Tákn með aðgangi að tákni
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Vinsamlegast bættu við eftirtalin kostir {0} við einhvern af núverandi hluti
+DocType: Bank Account,Is Default Account,Er sjálfgefinn reikningur
 DocType: Journal Entry Account,If Income or Expense,Ef tekjur eða gjöld
 DocType: Course Topic,Course Topic,Málefni námskeiðsins
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Lokunarskírteini er frá og með deginum á {0} frá dagsetningu {1} og {2}
@@ -6563,7 +6656,7 @@
 DocType: Disease,Treatment Task,Meðferðarlisti
 DocType: Payment Order Reference,Bank Account Details,Upplýsingar bankareiknings
 DocType: Purchase Order Item,Blanket Order,Teppi panta
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Upphæð endurgreiðslu verður að vera meiri en
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Upphæð endurgreiðslu verður að vera meiri en
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,skattinneign
 DocType: BOM Item,BOM No,BOM Nei
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Uppfæra upplýsingar
@@ -6619,6 +6712,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce vörur
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Málskipanarvilla í formúlu eða ástandi: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Liður {0} hunsuð þar sem það er ekki birgðir atriði
+,Loan Security Status,Staða lánaöryggis
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Að ekki um Verðlagning reglunni í tilteknu viðskiptum, öll viðeigandi Verðlagning Reglur ætti að vera óvirk."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dagur / dagar eftir lok reiknings mánaðarins
 DocType: Assessment Group,Parent Assessment Group,Parent Mat Group
@@ -6633,7 +6727,6 @@
 DocType: Stock Entry Detail,Additional Cost,aukakostnaðar
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Getur ekki síað byggð á skírteini nr ef flokkaðar eftir skírteini
 DocType: Quality Inspection,Incoming,Komandi
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vinsamlegast settu upp númeraröð fyrir mætingu með uppsetningu&gt; Númeraröð
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Sjálfgefin skatta sniðmát fyrir sölu og kaup eru búnar til.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Niðurstaða mats {0} er þegar til.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",Dæmi: ABCD. #####. Ef röð er stillt og lota nr er ekki getið í viðskiptum þá verður sjálfkrafa lotunúmer búið til byggt á þessari röð. Ef þú vilt alltaf nefna lotu nr. Fyrir þetta atriði skaltu láta þetta vera autt. Athugaðu: Þessi stilling mun taka forgang yfir forskeyti fyrir nafngiftaröð í lagerstillingum.
@@ -6644,8 +6737,10 @@
 DocType: Contract,Party User,Party notandi
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Eignir ekki búnar til fyrir <b>{0}</b> . Þú verður að búa til eign handvirkt.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Vinsamlegast stilltu Fyrirtæki sía eyða ef Group By er &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Viðskiptavinur&gt; Viðskiptavinahópur&gt; Landsvæði
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Staða Dagsetning má ekki vera liðinn
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} passar ekki við {2} {3}
+DocType: Loan Repayment,Interest Payable,Vextir sem greiða ber
 DocType: Stock Entry,Target Warehouse Address,Target Warehouse Heimilisfang
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Kjóll Leave
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Tíminn fyrir upphafstíma vakta þar sem innritun starfsmanna er talin til mætingar.
@@ -6774,6 +6869,7 @@
 DocType: Issue,Reset Service Level Agreement,Endurstilla þjónustustigssamning
 ,Sales Person-wise Transaction Summary,Sala Person-vitur Transaction Samantekt
 DocType: Training Event,Contact Number,Númer tengiliðs
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Lánsfjárhæð er skylt
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6822,6 +6918,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Magn
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Skilyrðum verður beitt á alla valda hluti saman.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Markmið má ekki vera autt
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Röng vöruhús
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Skráðu nemendur
 DocType: Item Group,Parent Item Group,Parent Item Group
 DocType: Appointment Type,Appointment Type,Skipunartegund
@@ -6875,10 +6972,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Meðaltal
 DocType: Appointment,Appointment With,Ráðning með
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samtals greiðslugjald í greiðsluáætlun verður að vera jafnt við Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkja mætingu sem <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Hlutur sem veittur er af viðskiptavini“ getur ekki haft matshlutfall
 DocType: Subscription Plan Detail,Plan,Áætlun
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bankayfirlit jafnvægi eins og á General Ledger
-DocType: Job Applicant,Applicant Name,umsækjandi Nafn
+DocType: Appointment Letter,Applicant Name,umsækjandi Nafn
 DocType: Authorization Rule,Customer / Item Name,Viðskiptavinur / Item Name
 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**. 
 
@@ -6922,11 +7020,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Dreifing
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Ekki er hægt að stilla stöðu starfsmanna á „Vinstri“ þar sem eftirfarandi starfsmenn tilkynna þessa starfsmann sem stendur:
-DocType: Journal Entry Account,Loan,Lán
+DocType: Loan Repayment,Amount Paid,Greidd upphæð
+DocType: Loan Security Shortfall,Loan,Lán
 DocType: Expense Claim Advance,Expense Claim Advance,Kostnaðarkröfur Advance
 DocType: Lab Test,Report Preference,Tilkynna ummæli
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Sjálfboðaliðarupplýsingar.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Verkefnastjóri
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Hópur eftir viðskiptavini
 ,Quoted Item Comparison,Vitnað Item Samanburður
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Skarast í skora á milli {0} og {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Sending
@@ -6946,6 +7046,7 @@
 DocType: Material Request Plan Item,Material Issue,efni Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Ókeypis hlutur er ekki stilltur í verðlagsregluna {0}
 DocType: Employee Education,Qualification,HM
+DocType: Loan Security Shortfall,Loan Security Shortfall,Skortur á lánsöryggi
 DocType: Item Price,Item Price,Item verð
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sápa &amp; Þvottaefni
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Starfsmaður {0} tilheyrir ekki fyrirtækinu {1}
@@ -6968,6 +7069,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Upplýsingar um skipan
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Lokin vara
 DocType: Warehouse,Warehouse Name,Warehouse Name
+DocType: Loan Security Pledge,Pledge Time,Veðsetningartími
 DocType: Naming Series,Select Transaction,Veldu Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vinsamlegast sláðu inn Samþykkir hlutverki eða samþykkir notandi
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Samningur um þjónustustig með einingategund {0} og eining {1} er þegar til.
@@ -6975,7 +7077,6 @@
 DocType: BOM,Rate Of Materials Based On,Hlutfall af efni byggt á
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ef slökkt er á, verður fræðasvið akur að vera skylt í forritaskráningartól."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Gildi undanþeginna, óverðmætra birgða sem eru ekki metin og ekki GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Viðskiptavinur&gt; Viðskiptavinahópur&gt; Landsvæði
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Fyrirtækið</b> er lögboðin sía.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Afhakaðu allt
 DocType: Purchase Taxes and Charges,On Item Quantity,Um magn hlutar
@@ -7020,7 +7121,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,skortur Magn
 DocType: Purchase Invoice,Input Service Distributor,Dreifingaraðili fyrir inntak
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Liður afbrigði {0} hendi með sömu eiginleika
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vinsamlegast settu upp kennslukerfi kennslukerfis í menntun&gt; Menntunarstillingar
 DocType: Loan,Repay from Salary,Endurgreiða frá Laun
 DocType: Exotel Settings,API Token,API auðkenni
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Biðum greiðslu gegn {0} {1} fyrir upphæð {2}
@@ -7040,6 +7140,7 @@
 DocType: Salary Slip,Total Interest Amount,Samtals vextir
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Fjarlægja
 DocType: Accounts Settings,Stale Days,Gamall dagar
 DocType: Travel Itinerary,Arrival Datetime,Komutími
 DocType: Tax Rule,Billing Zipcode,Innheimtu póstnúmer
@@ -7226,6 +7327,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,klukkustundir
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Ný stefna hefur verið búin til fyrir þig með {0}
 DocType: Project,Expected Start Date,Væntanlegur Start Date
+DocType: Work Order,This is a location where raw materials are available.,Þetta er staður þar sem hráefni er fáanlegt.
 DocType: Purchase Invoice,04-Correction in Invoice,04-leiðrétting á reikningi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Vinna Order þegar búið til fyrir alla hluti með BOM
 DocType: Bank Account,Party Details,Upplýsingar um aðila
@@ -7244,6 +7346,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Tilvitnun:
 DocType: Contract,Partially Fulfilled,Að hluta til uppfyllt
 DocType: Maintenance Visit,Fully Completed,fullu lokið
+DocType: Loan Security,Loan Security Name,Öryggisheiti láns
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Sérstafir nema &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Og &quot;}&quot; ekki leyfðar í nafngiftiröð"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Er ekkert metið eða undanþegið
 DocType: Employee,Educational Qualification,námsgráðu
@@ -7300,6 +7403,7 @@
 DocType: Program,Is Featured,Er valinn
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Sækir ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Landbúnaður Notandi
+DocType: Loan Security Shortfall,America/New_York,Ameríka / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Gildir til dagsetning geta ekki verið fyrir viðskiptadag
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7377,8 +7481,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Starfsmaður {0} er á leyfi á {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Engar endurgreiðslur valdar fyrir Journal Entry
 DocType: Purchase Invoice,GST Category,GST flokkur
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Fyrirhugaðar veðsetningar eru skylda vegna tryggðra lána
 DocType: Payment Reconciliation,From Invoice Date,Frá dagsetningu reiknings
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Fjárveitingar
 DocType: Invoice Discounting,Disbursed,Útborgað
@@ -7436,14 +7540,13 @@
 DocType: Restaurant,Active Menu,Virkur valmynd
 DocType: Accounting Dimension Detail,Default Dimension,Sjálfgefin vídd
 DocType: Target Detail,Target Qty,Target Magn
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Gegn láni: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Checkout Stillingar
 DocType: Student Attendance,Present,Present
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Afhending Note {0} Ekki má leggja
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Launaseðillinn sem sendur er til starfsmannsins verður verndaður með lykilorði, lykilorðið verður búið til út frá lykilorðsstefnunni."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,kílómetramæli
 DocType: Production Plan Item,Ordered Qty,Raðaður Magn
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Liður {0} er óvirk
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen uppí
@@ -7500,7 +7603,6 @@
 DocType: Serial No,Delivery Document Type,Afhending Document Type
 DocType: Sales Order,Partly Delivered,hluta Skilað
 DocType: Item Variant Settings,Do not update variants on save,Uppfæra ekki afbrigði við vistun
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,Viðskiptakröfur
 DocType: Lead Source,Lead Source,Lead Source
 DocType: Customer,Additional information regarding the customer.,Viðbótarupplýsingar um viðskiptavininn.
@@ -7596,6 +7698,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Raunveruleg
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Veitingahússtjóri
+DocType: Loan,Penalty Income Account,Vítisreikning
 DocType: Call Log,Call Log,Símtala skrá
 DocType: Authorization Rule,Customerwise Discount,Customerwise Afsláttur
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet fyrir verkefni.
@@ -7683,6 +7786,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Afsláttarkerfi vöru
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ekkert mál hefur verið tekið upp af þeim sem hringir.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Hópur eftir birgi
 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,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
@@ -7693,7 +7797,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,ráðgjöf
 DocType: Subscription Plan,Based on price list,Byggt á verðskrá
 DocType: Customer Group,Parent Customer Group,Parent Group Viðskiptavinur
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON er aðeins hægt að búa til með sölureikningi
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Hámarks tilraunir til þessarar spurningakeppni náðust!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Áskrift
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Gjöld vegna verðtryggingar
@@ -7711,6 +7814,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Fyrirbyggjandi viðhald
 DocType: Delivery Note Item,Against Sales Invoice,Against sölureikningi
 DocType: Purchase Invoice,07-Others,07-aðrir
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Tilvitnunarfjárhæð
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Vinsamlegast sláðu inn raðnúmer fyrir raðnúmer
 DocType: Bin,Reserved Qty for Production,Frátekið Magn fyrir framleiðslu
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Leyfi óskráð ef þú vilt ekki íhuga hópur meðan þú setur námskeið.
@@ -7818,6 +7922,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Greiðslukvittun Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Búðu til efnisbeiðni
+DocType: Loan Interest Accrual,Pending Principal Amount,Aðalupphæð í bið
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Upphafs- og lokadagsetningar sem eru ekki á gildum launatímabili, geta ekki reiknað {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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ð
@@ -7861,6 +7966,7 @@
 											to fullfill Sales Order {2}",Ekki er hægt að skila raðnúmeri {0} í lið {1} eins og það er áskilið \ til að fylla út söluskilaboð {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Birgir Tilvitnun {0} búin
+DocType: Loan Security Unpledge,Unpledge Type,Unpedge gerð
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Árslok getur ekki verið áður Start Ár
 DocType: Employee Benefit Application,Employee Benefits,starfskjör
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Auðkenni starfsmanna
@@ -7943,6 +8049,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Námskeiðskóði:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Vinsamlegast sláðu inn kostnað reikning
 DocType: Quality Action Resolution,Problem,Vandamál
+DocType: Loan Security Type,Loan To Value Ratio,Hlutfall lána
 DocType: Account,Stock,Stock
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7960,6 +8067,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Viðskiptareikningur bankans
 DocType: Sales Invoice Item,Discount and Margin,Afsláttur og Framlegð
 DocType: Lab Test,Prescription,Ávísun
+DocType: Process Loan Security Shortfall,Update Time,Uppfærslutími
 DocType: Import Supplier Invoice,Upload XML Invoices,Hladdu inn XML reikningum
 DocType: Company,Default Deferred Revenue Account,Sjálfgefið frestað tekjutekjur
 DocType: Project,Second Email,Second Email
@@ -7973,7 +8081,7 @@
 DocType: Quality Action,Preventive,Fyrirbyggjandi
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Birgðasala til óskráðra einstaklinga
 DocType: Company,Date of Incorporation,Dagsetning samþættingar
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Tax
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total Tax
 DocType: Manufacturing Settings,Default Scrap Warehouse,Sjálfgefið ruslvörugeymsla
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Síðasta kaupverð
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Fyrir Magn (Framleiðandi Magn) er nauðsynlegur
@@ -7992,6 +8100,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Stilltu sjálfgefið greiðsluaðferð
 DocType: Stock Entry Detail,Against Stock Entry,Gegn hlutabréfafærslu
 DocType: Grant Application,Withdrawn,hætt við
+DocType: Loan Repayment,Regular Payment,Regluleg greiðsla
 DocType: Support Search Source,Support Search Source,Stuðningur Leita Heimild
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Gjaldtaka
 DocType: Project,Gross Margin %,Heildarframlegð %
@@ -8004,8 +8113,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Án greiðslu skatta
 DocType: BOM Operation,BOM Operation,BOM Operation
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Á fyrri röð Upphæð
+DocType: Student,Home Address,Heimilisfangið
 DocType: Options,Is Correct,Er rétt
 DocType: Item,Has Expiry Date,Hefur gildistími
+DocType: Loan Repayment,Paid Accrual Entries,Greiddar uppsöfnunarfærslur
+DocType: Loan Security,Loan Security Type,Tegund öryggis
 apps/erpnext/erpnext/config/support.py,Issue Type.,Útgáfutegund.
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Event Name
@@ -8017,6 +8129,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Árstíðum til að setja fjárveitingar, markmið o.fl."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Engin gildi
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Breytilegt nafn
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Veldu bankareikninginn sem á að sætta.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",Liður {0} er sniðmát skaltu velja einn af afbrigði hennar
 DocType: Purchase Invoice Item,Deferred Expense,Frestað kostnað
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Aftur í skilaboð
@@ -8068,7 +8181,6 @@
 DocType: GL Entry,To Rename,Að endurnefna
 DocType: Stock Entry,Repack,gera við
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Veldu að bæta við raðnúmeri.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vinsamlegast settu upp kennslukerfi kennslukerfis í menntun&gt; Menntunarstillingar
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vinsamlegast stilltu reikningskóða fyrir viðskiptavininn &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vinsamlegast veldu félagið fyrst
 DocType: Item Attribute,Numeric Values,talnagildi
@@ -8092,6 +8204,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Sæktu á grundvelli FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root ekki hægt að breyta.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Öryggisgildi lána
 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
@@ -8138,6 +8251,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Vinsamlegast veldu Flokkur fyrst
 apps/erpnext/erpnext/config/projects.py,Project master.,Project húsbóndi.
 DocType: Contract,Contract Terms,Samningsskilmálar
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Viðurkennd fjárhæðarmörk
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Haltu áfram með stillingar
 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,Maximum benefit amount of component {0} exceeds {1},Hámarks ávinningur magn af þáttur {0} fer yfir {1}
@@ -8170,6 +8284,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Skoða símtalaskrá
 DocType: BOM Operation,Operating Cost(Company Currency),Rekstrarkostnaður (Company Gjaldmiðill)
 DocType: Loan Application,Rate of Interest,Vöxtum
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Veðtryggingarlán þegar veðsett gegn láni {0}
 DocType: Expense Claim Detail,Sanctioned Amount,bundnar Upphæð
 DocType: Item,Shelf Life In Days,Geymsluþol á dögum
 DocType: GL Entry,Is Opening,er Opnun
@@ -8183,3 +8298,4 @@
 DocType: Account,Cash,Cash
 DocType: Sales Invoice,Unpaid and Discounted,Ógreiddur og afsláttur
 DocType: Employee,Short biography for website and other publications.,Stutt ævisaga um vefsíðu og öðrum ritum.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Röð # {0}: Get ekki valið birgðageymsla meðan hráefnum er veitt undirverktaka
diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv
index 6667122..5f1a93c 100644
--- a/erpnext/translations/it.csv
+++ b/erpnext/translations/it.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Opportunità persa motivo
 DocType: Patient Appointment,Check availability,Verificare la disponibilità
 DocType: Retention Bonus,Bonus Payment Date,Data di pagamento bonus
-DocType: Employee,Job Applicant,Candidati
+DocType: Appointment Letter,Job Applicant,Candidati
 DocType: Job Card,Total Time in Mins,Tempo totale in minuti
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Informazioni sui contatti
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Cerca qualcosa ...
 ,Stock and Account Value Comparison,Confronto tra valore azionario e conto
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,L&#39;importo erogato non può essere superiore all&#39;importo del prestito
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Interessati
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Apertura
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programma:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Valido da tempo deve essere inferiore a Valido fino a tempo.
 DocType: Item,Copy From Item Group,Copia da Gruppo Articoli
 DocType: Journal Entry,Opening Entry,Apertura Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Solo conto pay
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Grado
 DocType: Restaurant Table,No of Seats,No delle sedute
+DocType: Loan Type,Grace Period in Days,Grace Period in Days
 DocType: Sales Invoice,Overdue and Discounted,Scaduto e scontato
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},L&#39;asset {0} non appartiene al custode {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Chiamata disconnessa
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedure prescritte
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostra solo POS
 DocType: Supplier Group,Supplier Group Name,Nome del gruppo di fornitori
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Segna la partecipazione come <b></b>
 DocType: Driver,Driving License Categories,Categorie di patenti di guida
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Inserisci la Data di Consegna
 DocType: Depreciation Schedule,Make Depreciation Entry,Crea una scrittura per l'ammortamento
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,I dettagli delle operazioni effettuate.
 DocType: Asset Maintenance Log,Maintenance Status,Stato di manutenzione
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Importo IVA articolo incluso nel valore
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Prestito Unpledge di sicurezza
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Dettagli iscrizione
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Il campo Fornitore è richiesto per il conto di debito  {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Oggetti e prezzi
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Ore totali: {0}
+DocType: Loan,Loan Manager,Responsabile del prestito
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dalla data deve essere entro l'anno fiscale. Assumendo Dalla Data = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervallo
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Aggiornato con 'Time Log'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Seleziona il cliente o il fornitore.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Il codice paese nel file non corrisponde al codice paese impostato nel sistema
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Il Conto {0} non appartiene alla società {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Seleziona solo una priorità come predefinita.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Lascia Bloccato
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Registrazioni bancarie
-DocType: Customer,Is Internal Customer,È cliente interno
+DocType: Sales Invoice,Is Internal Customer,È cliente interno
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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.
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Richiesta materiale
 DocType: Bank Reconciliation,Update Clearance Date,Aggiornare Liquidazione Data
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Qtà del pacco
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Impossibile creare un prestito fino all&#39;approvazione della domanda
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Corretta
 DocType: Student Guardian,Mother,Madre
 DocType: Restaurant Reservation,Reservation End Time,Termine di prenotazione
+DocType: Salary Slip Loan,Loan Repayment Entry,Iscrizione rimborso prestiti
 DocType: Crop,Biennial,Biennale
 ,BOM Variance Report,Rapporto sulla varianza delle distinte base
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Ordini Confermati da Clienti.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Il pagamento contro {0} {1} non può essere maggiore dell'importo dovuto {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Tutte le unità di assistenza sanitaria
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Sulla conversione di opportunità
+DocType: Loan,Total Principal Paid,Totale principale pagato
 DocType: Bank Account,Address HTML,Indirizzo HTML
 DocType: Lead,Mobile No.,Num. Cellulare
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Modalità di pagamento
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Saldo in valuta base
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grado
 DocType: Email Digest,New Quotations,Nuovi Preventivi
+DocType: Loan Interest Accrual,Loan Interest Accrual,Rateo interessi attivi
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Presenza non inviata per {0} come {1} in congedo.
 DocType: Journal Entry,Payment Order,Ordine di pagamento
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verifica Email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Entrate da altre fonti
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Se vuoto, verranno considerati il conto del magazzino principale o il valore predefinito della società"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Messaggi di posta elettronica stipendio slittamento al dipendente sulla base di posta preferito selezionato a dipendenti
+DocType: Work Order,This is a location where operations are executed.,Questa è una posizione in cui vengono eseguite le operazioni.
 DocType: Tax Rule,Shipping County,Distretto di  Spedizione
 DocType: Currency Exchange,For Selling,Per la vendita
 apps/erpnext/erpnext/config/desktop.py,Learn,Guide
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Codice coupon applicato
 DocType: Asset,Next Depreciation Date,Data ammortamento successivo
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Costo attività per dipendente
+DocType: Loan Security,Haircut %,Taglio di capelli %
 DocType: Accounts Settings,Settings for Accounts,Impostazioni per gli account
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},La Fattura Fornitore non esiste nella Fattura di Acquisto {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Gestire venditori ad albero
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Si prega di impostare la tariffa della camera dell&#39;hotel su {}
 DocType: Journal Entry,Multi Currency,Multi valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo Fattura
+DocType: Loan,Loan Security Details,Dettagli sulla sicurezza del prestito
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Valido dalla data deve essere inferiore a valido fino alla data
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Si è verificata un&#39;eccezione durante la riconciliazione {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Imposta magazzino accettato
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Richiede l&#39;approvazione di un test di laboratorio
 DocType: Attendance,Working Hours,Orari di lavoro
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Assolutamente stupendo
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Fattore di conversione UOM ({0} -&gt; {1}) non trovato per l&#39;articolo: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Cambia l'inizio/numero sequenza corrente per una serie esistente
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentuale che ti è consentita di fatturare di più rispetto all&#39;importo ordinato. Ad esempio: se il valore dell&#39;ordine è $ 100 per un articolo e la tolleranza è impostata sul 10%, è possibile fatturare $ 110."
 DocType: Dosage Strength,Strength,Forza
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Data Veicolo
 DocType: Campaign Email Schedule,Campaign Email Schedule,Programma e-mail della campagna
 DocType: Student Log,Medical,Medico
+DocType: Work Order,This is a location where scraped materials are stored.,Questa è una posizione in cui sono immagazzinati materiali di scarto.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Si prega di selezionare droga
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Il proprietario del Lead non può essere il Lead stesso
 DocType: Announcement,Receiver,Ricevitore
@@ -886,7 +898,7 @@
 DocType: Driver,Applicable for external driver,Applicabile per driver esterno
 DocType: Sales Order Item,Used for Production Plan,Usato per Piano di Produzione
 DocType: BOM,Total Cost (Company Currency),Costo totale (valuta dell&#39;azienda)
-DocType: Loan,Total Payment,Pagamento totale
+DocType: Repayment Schedule,Total Payment,Pagamento totale
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO già creato per tutti gli articoli dell&#39;ordine di vendita
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avvisa gli ordini di acquisto
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Affittato dalla data
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Parti abbastanza per costruire
+DocType: Loan Security,Loan Security Code,Codice di sicurezza del prestito
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Si prega di salvare prima
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Gli articoli sono necessari per estrarre le materie prime ad esso associate.
 DocType: POS Profile User,POS Profile User,Profilo utente POS
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Registrazioni azionarie già create per ordine di lavoro
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Codice articolo&gt; Gruppo articoli&gt; Marchio
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Vedi gli ordini passati
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversazioni
 DocType: Vital Signs,Respiratory rate,Frequenza respiratoria
@@ -1000,7 +1014,6 @@
 DocType: Company,Delete Company Transactions,Elimina transazioni Azienda
 DocType: Production Plan Item,Quantity and Description,Quantità e descrizione
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Di riferimento e di riferimento Data è obbligatoria per la transazione Bank
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Impostare Naming Series per {0} tramite Setup&gt; Impostazioni&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Aggiungere / Modificare tasse e ricarichi
 DocType: Payment Entry Reference,Supplier Invoice No,Fattura Fornitore N.
 DocType: Territory,For reference,Per riferimento
@@ -1031,6 +1044,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Conto ritenuta d&#39;acconto
 DocType: Pricing Rule,Sales Partner,Partner vendite
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tutti i punteggi dei fornitori.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Ammontare dell&#39;ordine
+DocType: Loan,Disbursed Amount,Importo erogato
 DocType: Buying Settings,Purchase Receipt Required,Ricevuta di Acquisto necessaria
 DocType: Sales Invoice,Rail,Rotaia
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Costo attuale
@@ -1071,6 +1086,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Connesso a QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificare / creare un account (libro mastro) per il tipo - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Conto pagabile
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,L&#39;account è obbligatorio per ottenere voci di pagamento
 DocType: Payment Entry,Type of Payment,Tipo di pagamento
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,La mezza giornata è obbligatoria
 DocType: Sales Order,Billing and Delivery Status,Stato della Fatturazione e della Consegna
@@ -1109,7 +1125,7 @@
 DocType: Purchase Order Item,Billed Amt,Importo Fatturato
 DocType: Training Result Employee,Training Result Employee,Employee Training Risultato
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Magazzino logico utilizzato per l'entrata giacenza.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Quota capitale
+DocType: Repayment Schedule,Principal Amount,Quota capitale
 DocType: Loan Application,Total Payable Interest,Totale interessi passivi
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totale in sospeso: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Apri contatto
@@ -1123,6 +1139,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,I tuoi articoli
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Fornitore&gt; Tipo di fornitore
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Scrivere proposta
 DocType: Payment Entry Deduction,Payment Entry Deduction,Deduzione di Pagamento
 DocType: Service Level Priority,Service Level Priority,Priorità del livello di servizio
@@ -1155,6 +1172,7 @@
 DocType: Batch,Batch Description,Descrizione Batch
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Creazione di gruppi di studenti
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway account non ha creato, per favore creare uno manualmente."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},I magazzini di gruppo non possono essere utilizzati nelle transazioni. Modifica il valore di {0}
 DocType: Supplier Scorecard,Per Year,Per anno
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Non è ammissibile per l&#39;ammissione in questo programma come per DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Riga # {0}: impossibile eliminare l&#39;articolo {1} assegnato all&#39;ordine di acquisto del cliente.
@@ -1277,7 +1295,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Durante la creazione dell&#39;account per la società figlio {0}, l&#39;account padre {1} non è stato trovato. Crea l&#39;account principale nel COA corrispondente"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Dividi Problema
 DocType: Student Attendance,Student Attendance,La partecipazione degli studenti
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Nessun dato da esportare
 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
@@ -1290,6 +1307,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data di consegna effettiva
 DocType: Lab Test,Test Template,Modello di prova
+DocType: Loan Security Pledge,Securities,valori
 DocType: Restaurant Order Entry Item,Served,servito
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informazioni sul capitolo
 DocType: Account,Accounts,Contabilità
@@ -1383,6 +1401,7 @@
 DocType: Inpatient Record,O Negative,O negativo
 DocType: Work Order Operation,Planned End Time,Tempo di fine pianificato
 DocType: POS Profile,Only show Items from these Item Groups,Mostra solo gli articoli di questi gruppi di articoli
+DocType: Loan,Is Secured Loan,È un prestito garantito
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Dettagli tipo di unità
 DocType: Delivery Note,Customer's Purchase Order No,Ordine Acquisto Cliente N.
@@ -1419,6 +1438,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Ottenere dall&#39;incontro paziente
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Fattore di conversione UOM ({0} -&gt; {1}) non trovato per l&#39;articolo: {2}
 DocType: Subscriber,Subscriber,abbonato
 DocType: Item Attribute Value,Item Attribute Value,Valore Attributo Articolo
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Cambio valuta deve essere applicabile per l&#39;acquisto o per la vendita.
@@ -1517,6 +1537,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nessuna autorizzazione
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Checklist per l&#39;evasione del contratto
 DocType: Vital Signs,Heart Rate / Pulse,Frequenza cardiaca / Battito
+DocType: Customer,Default Company Bank Account,Conto bancario aziendale predefinito
 DocType: Supplier,Default Bank Account,Conto Banca Predefinito
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Per filtrare sulla base del Partner, selezionare prima il tipo di Partner"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'Aggiorna Scorte' non può essere selezionato perché gli articoli non vengono recapitati tramite {0}
@@ -1634,7 +1655,6 @@
 DocType: Sales Team,Incentives,Incentivi
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valori non sincronizzati
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Differenza Valore
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Impostare le serie di numerazione per la partecipazione tramite Impostazione&gt; Serie di numerazione
 DocType: SMS Log,Requested Numbers,Numeri richiesti
 DocType: Volunteer,Evening,Sera
 DocType: Quiz,Quiz Configuration,Configurazione del quiz
@@ -1654,6 +1674,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Sul totale della riga precedente
 DocType: Purchase Invoice Item,Rejected Qty,Quantità Rifiutato
 DocType: Setup Progress Action,Action Field,Campo di azione
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Tipo di prestito per tassi di interesse e penalità
 DocType: Healthcare Settings,Manage Customer,Gestisci il Cliente
 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
@@ -1665,6 +1686,7 @@
 ,Final Assessment Grades,Gradi di valutazione finale
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Il nome dell'azienda per la quale si sta configurando questo sistema.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Includi vacanze in totale n. dei giorni lavorativi
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Del totale complessivo
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Imposta il tuo istituto in ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analisi delle piante
 DocType: Task,Timeline,Sequenza temporale
@@ -1672,9 +1694,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Articolo alternativo
 DocType: Shopify Log,Request Data,Richiesta dati
 DocType: Employee,Date of Joining,Data Assunzione
+DocType: Delivery Note,Inter Company Reference,Riferimento interaziendale
 DocType: Naming Series,Update Series,Aggiorna Serie
 DocType: Supplier Quotation,Is Subcontracted,È in Conto Lavorazione
 DocType: Restaurant Table,Minimum Seating,Minima sede
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,La domanda non può essere duplicata
 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,Purchase Receipt,Ricevuta di Acquisto
@@ -1776,6 +1800,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sincronizzazione Fatture Off-line
 DocType: Payment Request,Paid,Pagato
 DocType: Service Level,Default Priority,Priorità predefinita
+DocType: Pledge,Pledge,Impegno
 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."
@@ -1789,6 +1814,7 @@
 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
+,Loan Repayment and Closure,Rimborso e chiusura del prestito
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sanzionato
 ,Base Amount,Importo base
@@ -1799,10 +1825,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Dal luogo
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},L&#39;importo del prestito non può essere superiore a {0}
 DocType: Student Admission,Publish on website,Pubblicare sul sito web
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,La data Fattura Fornitore non può essere superiore della Data Registrazione
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Codice articolo&gt; Gruppo articoli&gt; Marchio
 DocType: Subscription,Cancelation Date,Data di cancellazione
 DocType: Purchase Invoice Item,Purchase Order Item,Articolo dell'Ordine di Acquisto
 DocType: Agriculture Task,Agriculture Task,Attività agricola
@@ -1821,7 +1847,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Percentuale di sconto Aggiuntivo
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Visualizzare un elenco di tutti i video di aiuto
 DocType: Agriculture Analysis Criteria,Soil Texture,Texture del suolo
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Selezionare conto capo della banca in cui assegno è stato depositato.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Consenti all'utente di modificare il prezzo di Listino nelle transazioni
 DocType: Pricing Rule,Max Qty,Qtà max
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Stampa la pagella
@@ -1953,7 +1978,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Una volta impostata, questa fattura sarà in attesa fino alla data impostata"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Importo di vendita
-DocType: Repayment Schedule,Interest Amount,Ammontare Interessi
+DocType: Loan Interest Accrual,Interest Amount,Ammontare Interessi
 DocType: Job Card,Time Logs,Logs tempo
 DocType: Sales Invoice,Loyalty Amount,Importo fedeltà
 DocType: Employee Transfer,Employee Transfer Detail,Dettaglio del trasferimento dei dipendenti
@@ -1968,6 +1993,7 @@
 DocType: Cashier Closing,Returns,Restituisce
 DocType: Job Card,WIP Warehouse,WIP Warehouse
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serial No {0} è sotto contratto di manutenzione fino a {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Limite di importo sanzionato superato per {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Reclutamento
 DocType: Lead,Organization Name,Nome organizzazione
 DocType: Support Settings,Show Latest Forum Posts,Mostra gli ultimi post del forum
@@ -1994,7 +2020,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Ordini di ordini scaduti
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,CAP
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Sales Order {0} è {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Creazione scorte
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Impossibile promuovere il Dipendente con stato Sinistro
@@ -2078,7 +2103,6 @@
 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,Start Year,Inizio Anno
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Creare un prestito
 DocType: Purchase Invoice,Start date of current invoice's period,Data finale del periodo di fatturazione corrente Avviare
 DocType: Shift Type,Process Attendance After,Partecipazione al processo dopo
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Seleziona i tuoi domini
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify fornitore
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Pagamento delle fatture
+DocType: Repayment Schedule,Is Accrued,È maturato
 DocType: Payroll Entry,Employee Details,Dettagli Dipendente
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Elaborazione di file XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Punto fedeltà
 DocType: Employee Checkin,Shift End,Maiusc Fine
 DocType: Stock Settings,Default Item Group,Gruppo Articoli Predefinito
+DocType: Loan,Partially Disbursed,parzialmente erogato
 DocType: Job Card Time Log,Time In Mins,Tempo in minuti
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Concedere informazioni
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Questa azione scollegherà questo account da qualsiasi servizio esterno che integri ERPNext con i tuoi conti bancari. Non può essere annullato. Sei sicuro ?
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Chiusura del prestito
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,Debiti
 DocType: Amazon MWS Settings,MWS Auth Token,Token di autenticazione MWS
@@ -2177,6 +2204,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON può essere generato solo da un documento inviato
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Imposta sui dipendenti e benefici
 DocType: Bank Guarantee,Validity in Days,Validità in giorni
+DocType: Unpledge,Haircut,Taglio di capelli
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-form non è applicabile per la fattura: {0}
 DocType: Certified Consultant,Name of Consultant,Nome del consulente
 DocType: Payment Reconciliation,Unreconciled Payment Details,Dettagli di pagamento non riconciliati
@@ -2229,7 +2257,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Resto del Mondo
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,L'articolo {0} non può avere Lotto
 DocType: Crop,Yield UOM,Resa UOM
+DocType: Loan Security Pledge,Partially Pledged,Parzialmente promesso
 ,Budget Variance Report,Report Variazione Budget
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Importo del prestito sanzionato
 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,Get Items from Healthcare Services,Ottieni articoli dai servizi sanitari
@@ -2264,6 +2294,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nuova procedura di qualità
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Il Saldo del Conto {0} deve essere sempre {1}
 DocType: Patient Appointment,More Info,Ulteriori Informazioni
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,La data di nascita non può essere superiore alla data di iscrizione.
 DocType: Supplier Scorecard,Scorecard Actions,Azioni Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Fornitore {0} non trovato in {1}
 DocType: Purchase Invoice,Rejected Warehouse,Magazzino Rifiutato
@@ -2360,6 +2391,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Impostare prima il codice dell&#39;articolo
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Tipo Doc
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Pegno di sicurezza del prestito creato: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Appuntamenti e incontri con il paziente
@@ -2415,6 +2447,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Numero di appuntamenti simultanei
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Iniziare
 DocType: Purchase Invoice,Taxes and Charges Calculation,Tasse e le spese di calcolo
+DocType: Loan Interest Accrual,Payable Principal Amount,Importo principale pagabile
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Apprendere automaticamente l&#39;ammortamento dell&#39;attivo
 DocType: BOM Operation,Workstation,Stazione di lavoro
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Fornitore della richiesta di offerta
@@ -2451,7 +2484,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,cibo
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Gamma invecchiamento 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Chiusura dei dettagli del voucher
-DocType: Bank Account,Is the Default Account,È l&#39;account predefinito
 DocType: Shopify Log,Shopify Log,Log di Shopify
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nessuna comunicazione trovata.
 DocType: Inpatient Occupancy,Check In,Registrare
@@ -2509,12 +2541,14 @@
 DocType: Sales Order Item,Planned Quantity,Quantità Prevista
 DocType: Water Analysis,Water Analysis Criteria,Criteri di analisi dell&#39;acqua
 DocType: Item,Maintain Stock,Movimenta l'articolo in magazzino
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge Time
 DocType: Terms and Conditions,Applicable Modules,Moduli applicabili
 DocType: Employee,Prefered Email,Email Preferenziale
 DocType: Student Admission,Eligibility and Details,Eligibilità e dettagli
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Incluso nell&#39;utile lordo
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Variazione netta delle immobilizzazioni
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Questa è una posizione in cui è stato archiviato il prodotto finale.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Da Datetime
@@ -2555,8 +2589,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garanzia / AMC Stato
 ,Accounts Browser,Esplora Conti
 DocType: Procedure Prescription,Referral,Referral
+,Territory-wise Sales,Vendite sul territorio
 DocType: Payment Entry Reference,Payment Entry Reference,Riferimento di Pagamento
 DocType: GL Entry,GL Entry,GL Entry
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Riga # {0}: il magazzino accettato e il magazzino fornitori non possono essere uguali
 DocType: Support Search Source,Response Options,Opzioni di risposta
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Applica più regole di prezzo
 DocType: HR Settings,Employee Settings,Impostazioni dipendente
@@ -2617,6 +2653,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Agricoltura (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Documento di trasporto
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Impostare Naming Series per {0} tramite Setup&gt; Impostazioni&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Affitto Ufficio
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Configura impostazioni gateway SMS
 DocType: Disease,Common Name,Nome comune
@@ -2633,6 +2670,7 @@
 DocType: Item,Sales Details,Dettagli di vendita
 DocType: Coupon Code,Used,Usato
 DocType: Opportunity,With Items,Con gli articoli
+DocType: Vehicle Log,last Odometer Value ,ultimo valore del contachilometri
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',La campagna &quot;{0}&quot; esiste già per {1} &quot;{2}&quot;
 DocType: Asset Maintenance,Maintenance Team,Squadra di manutenzione
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Ordine in cui dovrebbero apparire le sezioni. 0 è il primo, 1 è il secondo e così via."
@@ -2643,7 +2681,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Rimborso spese {0} esiste già per il registro di veicoli
 DocType: Asset Movement Item,Source Location,Posizione di origine
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nome Istituto
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Si prega di inserire l&#39;importo di rimborso
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Si prega di inserire l&#39;importo di rimborso
 DocType: Shift Type,Working Hours Threshold for Absent,Soglia di orario di lavoro per assente
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Ci può essere un fattore di raccolta a più livelli basato sul totale speso. Ma il fattore di conversione per la redenzione sarà sempre lo stesso per tutto il livello.
 apps/erpnext/erpnext/config/help.py,Item Variants,Varianti Voce
@@ -2667,6 +2705,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} deve essere inferiore a {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Seleziona prima il tipo di candidato
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Selezionare DBA, Qtà e Per magazzino"
 DocType: GST HSN Code,GST HSN Code,Codice GST HSN
 DocType: Employee External Work History,Total Experience,Esperienza totale
@@ -2757,7 +2796,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Nessun BOM attivo trovato per l&#39;articolo {0}. La consegna per \ Numero di serie non può essere garantita
 DocType: Sales Partner,Sales Partner Target,Vendite Partner di destinazione
-DocType: Loan Type,Maximum Loan Amount,Importo massimo del prestito
+DocType: Loan Application,Maximum Loan Amount,Importo massimo del prestito
 DocType: Coupon Code,Pricing Rule,Regola Prezzi
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplica il numero di rotolo per lo studente {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Richiesta materiale per ordine d&#39;acquisto
@@ -2780,6 +2819,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Permessi allocati con successo per {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Non ci sono elementi per il confezionamento
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Attualmente sono supportati solo i file .csv e .xlsx
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Si prega di impostare il sistema di denominazione dei dipendenti in Risorse umane&gt; Impostazioni risorse umane
 DocType: Shipping Rule Condition,From Value,Da Valore
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,La quantità da produrre è obbligatoria
 DocType: Loan,Repayment Method,Metodo di rimborso
@@ -2863,6 +2903,7 @@
 DocType: Customer,Customer POS Id,ID del cliente POS
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Lo studente con email {0} non esiste
 DocType: Account,Account Name,Nome account
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},L&#39;importo del prestito sanzionato esiste già per {0} contro la società {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Dalla data non può essere maggiore di A Data
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} {1} quantità non può essere una frazione
 DocType: Pricing Rule,Apply Discount on Rate,Applica lo sconto sulla tariffa
@@ -2934,6 +2975,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Profitto netto
 DocType: Purchase Invoice,Eligibility For ITC,Idoneità per ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,Tipo voce
 ,Customer Credit Balance,Balance Credit clienti
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Variazione Netta in Contabilità Fornitori
@@ -2945,6 +2987,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID dispositivo presenze (ID tag biometrico / RF)
 DocType: Quotation,Term Details,Dettagli Termini
 DocType: Item,Over Delivery/Receipt Allowance (%),Sovraccarico / Ricevuta ricevuta (%)
+DocType: Appointment Letter,Appointment Letter Template,Modello di lettera di appuntamento
 DocType: Employee Incentive,Employee Incentive,Incentivo dei dipendenti
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Totale (senza tasse)
@@ -2967,6 +3010,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Scollegare il pagamento per la cancellazione della fattura
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Accantonamento per interessi su prestiti di processo
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},lettura corrente dell&#39;odometro inserito deve essere maggiore di contachilometri iniziale veicolo {0}
 ,Purchase Order Items To Be Received or Billed,Articoli dell&#39;ordine d&#39;acquisto da ricevere o fatturare
 DocType: Restaurant Reservation,No Show,Nessuno spettacolo
@@ -3052,6 +3096,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: E' richiesto il Centro di Costo per il Conto Economico {2}. Configura un Centro di Costo di default per l'azienda
 DocType: Payment Schedule,Payment Term,Termine di pagamento
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,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"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,La data di fine dell&#39;ammissione deve essere maggiore della data di inizio dell&#39;ammissione.
 DocType: Location,Area,La zona
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nuovo contatto
 DocType: Company,Company Description,Descrizione dell'azienda
@@ -3126,6 +3171,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Dati mappati
 DocType: Purchase Order Item,Warehouse and Reference,Magazzino e Riferimenti
 DocType: Payroll Period Date,Payroll Period Date,Data del periodo del libro paga
+DocType: Loan Disbursement,Against Loan,Contro il prestito
 DocType: Supplier,Statutory info and other general information about your Supplier,Informazioni legali e altre Informazioni generali sul tuo Fornitore
 DocType: Item,Serial Nos and Batches,Numero e lotti seriali
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Forza del gruppo studente
@@ -3192,6 +3238,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Seleziona un&#39;azienda
 DocType: Delivery Settings,Delivery Settings,Impostazioni di consegna
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Recupera dati
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Impossibile sbloccare più di {0} qty di {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Permesso massimo permesso nel tipo di permesso {0} è {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Pubblica 1 oggetto
 DocType: SMS Center,Create Receiver List,Crea Elenco Ricezione
@@ -3340,6 +3387,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Importo base (in valuta principale)
 DocType: Purchase Invoice,Registered Regular,Registrato regolarmente
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Materiali grezzi
+DocType: Plaid Settings,sandbox,sandbox
 DocType: Payment Reconciliation Payment,Reference Row,Riferimento Row
 DocType: Installation Note,Installation Time,Tempo di installazione
 DocType: Sales Invoice,Accounting Details,Dettagli contabile
@@ -3352,12 +3400,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Tipo di transazione
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criterio  di accettazione
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Totale passività
 DocType: Task,Expected Time (in hours),Tempo previsto (in ore)
 DocType: Item Reorder,Check in (group),Il check-in (gruppo)
 DocType: Soil Texture,Silt,Limo
@@ -3388,6 +3435,7 @@
 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: Bank Account,Bank Account No,Conto bancario N.
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Esborso e rimborso
 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
 DocType: Bank Statement Settings Item,Mapped Header,Intestazione mappata
@@ -3451,6 +3499,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Crea test di laboratorio su Fattura di vendita Invia
 DocType: Serial No,Invoice Details,Dettagli della fattura
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,La struttura salariale deve essere presentata prima della presentazione della Dichiarazione di esenzione fiscale
+DocType: Loan Application,Proposed Pledges,Impegni proposti
 DocType: Grant Application,Show on Website,Mostra sul sito web
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Inizia
 DocType: Hub Tracked Item,Hub Category,Categoria Hub
@@ -3462,7 +3511,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Scorecard fornitore permanente
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Riga {0}: Distinta materiali non trovato per la voce {1}
 DocType: Contract Fulfilment Checklist,Requirement,Requisiti
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configurare il sistema di denominazione dei dipendenti in Risorse umane&gt; Impostazioni risorse umane
 DocType: Journal Entry,Accounts Receivable,Conti esigibili
 DocType: Quality Goal,Objectives,obiettivi
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Ruolo autorizzato a creare un&#39;applicazione congedo retrodatata
@@ -3475,6 +3523,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Includi Voci riconciliati
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,L&#39;importo totale assegnato ({0}) è aumentato rispetto all&#39;importo pagato ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuire oneri corrispondenti
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},L&#39;importo pagato non può essere inferiore a {0}
 DocType: Projects Settings,Timesheets,Schede attività
 DocType: HR Settings,HR Settings,Impostazioni HR
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Master in contabilità
@@ -3620,6 +3669,7 @@
 DocType: Employee,Health Insurance,Assicurazione sanitaria
 DocType: Asset Repair,Manufacturing Manager,Responsabile di produzione
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serial No {0} è in garanzia fino a {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,L&#39;importo del prestito supera l&#39;importo massimo del prestito di {0} come da titoli proposti
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valore minimo consentito
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,L&#39;&#39;utente {0} esiste già
 apps/erpnext/erpnext/hooks.py,Shipments,Spedizioni
@@ -3663,7 +3713,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipo di affare
 DocType: Sales Invoice,Consumer,Consumatore
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Seleziona importo assegnato, Tipo fattura e fattura numero in almeno uno di fila"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Impostare Naming Series per {0} tramite Setup&gt; Impostazioni&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Costo del nuovo acquisto
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordine di Vendita necessario per l'Articolo {0}
 DocType: Grant Application,Grant Description,Descrizione della sovvenzione
@@ -3672,6 +3721,7 @@
 DocType: Subscription,Discounts,sconti
 DocType: Bank Transaction,Unallocated Amount,Importo non assegnato
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Si prega di abilitare Applicabile su ordine d&#39;acquisto e applicabile alle spese effettive di prenotazione
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} non è un conto bancario aziendale
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Non riesco a trovare un prodotto trovato. Si prega di selezionare un altro valore per {0}.
 DocType: POS Profile,Taxes and Charges,Tasse e Costi
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un prodotto o un servizio che viene acquistato, venduto o conservato in magazzino."
@@ -3720,6 +3770,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valido dalla data deve essere minore di Valido fino alla data.
 DocType: Employee Skill,Evaluation Date,Data di valutazione
 DocType: Quotation Item,Stock Balance,Saldo Delle Scorte
+DocType: Loan Security Pledge,Total Security Value,Valore di sicurezza totale
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ordine di vendita a pagamento
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Amministratore delegato
 DocType: Purchase Invoice,With Payment of Tax,Con pagamento di imposta
@@ -3732,6 +3783,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},L&#39;account {0} non esiste nel grafico del dashboard {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Mostra attributi Variant
@@ -3813,6 +3865,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Corrente Tasso di Valorizzazione
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Il numero di account root non può essere inferiore a 4
 DocType: Training Event,Advance,Anticipo
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Contro il prestito:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Impostazioni del gateway di pagamento GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Guadagno Exchange / Perdita
 DocType: Opportunity,Lost Reason,Motivo della perdita
@@ -3896,8 +3949,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Seleziona il numero di lotto
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Non valido {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Riga {0}: la data di nascita del fratello non può essere maggiore di oggi.
 DocType: Fee Validity,Reference Inv,Riferimento Inv
 DocType: Sales Invoice Advance,Advance Amount,Importo Anticipo
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Tasso di interesse di penalità (%) al giorno
 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
@@ -3913,7 +3968,9 @@
 DocType: Normal Test Items,Require Result Value,Richiedi valore di risultato
 DocType: Purchase Invoice,Pricing Rules,Regole sui prezzi
 DocType: Item,Show a slideshow at the top of the page,Visualizzare una presentazione in cima alla pagina
+DocType: Appointment Letter,Body,Corpo
 DocType: Tax Withholding Rate,Tax Withholding Rate,Tasso di ritenuta d&#39;acconto
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,La data di inizio del rimborso è obbligatoria per i prestiti a termine
 DocType: Pricing Rule,Max Amt,Amt max
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Distinte Base
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,negozi
@@ -3933,7 +3990,7 @@
 DocType: Call Log,Received By,Ricevuto da
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durata appuntamento (in minuti)
 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,Loan Management,Gestione dei prestiti
+DocType: Loan,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,Strumento Rinomina
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Aggiorna il Costo
@@ -3941,6 +3998,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Modalità di trasporto
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Visualizza foglio paga
+DocType: Loan,Is Term Loan,È prestito a termine
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Material Transfer
 DocType: Fees,Send Payment Request,Invia richiesta di pagamento
 DocType: Travel Request,Any other details,Qualsiasi altro dettaglio
@@ -3958,6 +4016,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Flusso di cassa da finanziamento
 DocType: Budget Account,Budget Account,Bilancio Contabile
 DocType: Quality Inspection,Verified By,Verificato da
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Aggiungi protezione prestito
 DocType: Travel Request,Name of Organizer,Nome dell&#39;organizzatore
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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 ."
 DocType: Cash Flow Mapping,Is Income Tax Liability,È responsabilità di imposta sul reddito
@@ -4008,6 +4067,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Richiesto On
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Se selezionato, nasconde e disabilita il campo Totale arrotondato nelle buste paga"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Questo è l&#39;offset predefinito (giorni) per la data di consegna negli ordini cliente. L&#39;offset di fallback è di 7 giorni dalla data di collocamento dell&#39;ordine.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Impostare le serie di numerazione per la partecipazione tramite Impostazione&gt; Serie di numerazione
 DocType: Rename Tool,File to Rename,File da rinominare
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Recupera gli aggiornamenti delle iscrizioni
@@ -4020,6 +4080,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Numeri di serie creati
 DocType: POS Profile,Applicable for Users,Valido per gli Utenti
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Dalla data e fino alla data sono obbligatori
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Impostare Project e tutte le attività sullo stato {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Imposta anticipi e alloca (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nessun ordine di lavoro creato
@@ -4029,6 +4090,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Articoli di
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Costo dei beni acquistati
 DocType: Employee Separation,Employee Separation Template,Modello di separazione dei dipendenti
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Quantità zero di {0} impegnata a fronte di un prestito {0}
 DocType: Selling Settings,Sales Order Required,Ordine di Vendita richiesto
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Diventa un venditore
 ,Procurement Tracker,Tracker acquisti
@@ -4126,11 +4188,12 @@
 ,Minutes to First Response for Opportunity,Minuti per First Response per Opportunità
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Totale Assente
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Voce o Magazzino per riga {0} non corrisponde Material Request
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Importo da pagare
+DocType: Loan Repayment,Payable Amount,Importo da pagare
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Opportunità
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,La forza massima non può essere inferiore a zero.
 DocType: Options,Option,Opzione
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Non è possibile creare voci contabili nel periodo contabile chiuso {0}
 DocType: Operation,Default Workstation,Workstation predefinita
@@ -4172,6 +4235,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,L&#39;importo degli interessi è obbligatorio
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Prossimi passi
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Articoli salvati
@@ -4242,8 +4306,6 @@
 DocType: Grant Application,Grant Application Details ,Concedere i dettagli dell&#39;applicazione
 DocType: Employee Separation,Employee Separation,Separazione dei dipendenti
 DocType: BOM Item,Original Item,Articolo originale
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Elimina il dipendente <a href=""#Form/Employee/{0}"">{0}</a> \ per annullare questo documento"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Data
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Records Fee Creato - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Categoria account
@@ -4279,6 +4341,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,L&#39;articolo del test di laboratorio {0} esiste già
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} è una chiusura aziendale
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Ore fatturabili
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Il tasso di interesse di penalità viene riscosso su un importo di interessi in sospeso su base giornaliera in caso di rimborso ritardato
+DocType: Appointment Letter content,Appointment Letter content,Contenuto della lettera di appuntamento
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Invia notifica di stato
 DocType: Patient Appointment,Procedure Prescription,Prescrizione procedura
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Mobili e Infissi
@@ -4298,7 +4362,7 @@
 DocType: Opportunity,Customer / Lead Name,Nome Cliente / Lead
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Liquidazione data non menzionato
 DocType: Payroll Period,Taxable Salary Slabs,Lastre di salario tassabili
-DocType: Job Card,Production,Produzione
+DocType: Plaid Settings,Production,Produzione
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN non valido! L&#39;input che hai inserito non corrisponde al formato di GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valore del conto
 DocType: Guardian,Occupation,Occupazione
@@ -4442,6 +4506,7 @@
 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,Student {0} does not belong to group {1},Lo studente {0} non appartiene al gruppo {1}
+DocType: Appointment Letter,Appointment Date,Data dell&#39;appuntamento
 DocType: Budget,Cost Center,Centro di Costo
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Spedizione Nazione
@@ -4512,6 +4577,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dimensione contabile
 ,Profit and Loss Statement,Conto Economico
 DocType: Bank Reconciliation Detail,Cheque Number,Numero Assegno
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,L&#39;importo pagato non può essere zero
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,L&#39;articolo a cui fa riferimento {0} - {1} è già stato fatturato
 ,Sales Browser,Browser vendite
 DocType: Journal Entry,Total Credit,Totale credito
@@ -4628,6 +4694,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Aggiungi / Modifica condizioni coupon
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / account Differenza ({0}) deve essere un 'utile o perdita' conto
 DocType: Stock Entry Detail,Stock Entry Child,Stock di entrata figlio
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Prestito Security Pledge Company e Prestito Company devono essere uguali
 DocType: Project,Copied From,Copiato da
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Fattura già creata per tutte le ore di fatturazione
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nome errore: {0}
@@ -4635,6 +4702,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,È il costo finanziario
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Assistenza per dipendente {0} è già contrassegnata
 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/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configura il sistema di denominazione dell&#39;istruttore in Istruzione&gt; Impostazioni istruzione
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Impostare il cliente predefinito in Impostazioni ristorante
 ,Salary Register,stipendio Register
 DocType: Company,Default warehouse for Sales Return,Magazzino predefinito per il reso
@@ -4679,7 +4747,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Numero di serie attuale
 DocType: Employee,Attendance and Leave Details,Presenze e dettagli sui dettagli
 ,BOM Comparison Tool,Strumento di confronto della distinta base
-,Requested,richiesto
+DocType: Loan Security Pledge,Requested,richiesto
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4691,7 +4759,6 @@
 DocType: Drug Prescription,Drug Prescription,Prescrizione di farmaci
 DocType: Service Level,Support and Resolution,Supporto e risoluzione
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Il codice articolo gratuito non è selezionato
-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
@@ -4725,6 +4792,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Hai già valutato i criteri di valutazione {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Importo del deficit
 DocType: Vehicle Service,Engine Oil,Olio motore
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Ordini di lavoro creati: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Imposta un ID email per il lead {0}
@@ -4743,6 +4811,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},L&#39;account non è impostato per il grafico del dashboard {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Applicare lo Sconto Aggiuntivo su
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Seleziona tipo ...
+DocType: Loan Interest Accrual,Amounts,importi
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,I tuoi biglietti
 DocType: Account,Root Type,Root Tipo
 DocType: Item,FIFO,FIFO
@@ -4750,6 +4819,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Impossibile restituire più di {1} per la voce {2}
 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: Loan Security Price,Loan Security Price,Prezzo di sicurezza del prestito
 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,Target warehouse is mandatory for row {0},Il Magazzino di Destinazione per il rigo {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Le operazioni di vendita al dettaglio
@@ -4888,6 +4958,7 @@
 DocType: Coupon Code,Coupon Description,Descrizione del coupon
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Il lotto è obbligatorio nella riga {0}
 DocType: Company,Default Buying Terms,Termini di acquisto predefiniti
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Prestito
 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,To Datetime,Per Data Ora
@@ -4916,6 +4987,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Inserisci il valore tra {0} e {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Inserisci il nome della Campagna se la sorgente di indagine è la campagna
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Editori Giornali
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Nessun <b>prezzo di sicurezza del prestito</b> valido trovato per {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Date future non consentite
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,La data di consegna confermata dovrebbe essere successiva alla data dell'Ordine di Vendita
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Riordina Level
@@ -4982,6 +5054,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Proposta / preventivo prezzi
 DocType: Antibiotic,Healthcare,Assistenza sanitaria
 DocType: Target Detail,Target Detail,Dettaglio dell'obbiettivo
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Processi di prestito
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Variante singola
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,tutti i lavori
 DocType: Sales Order,% of materials billed against this Sales Order,% dei materiali fatturati su questo Ordine di Vendita
@@ -5044,7 +5117,7 @@
 DocType: Item,Reorder level based on Warehouse,Livello di riordino sulla base di Magazzino
 DocType: Activity Cost,Billing Rate,Fatturazione Tasso
 ,Qty to Deliver,Qtà di Consegna
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Crea voce di erogazione
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Crea voce di erogazione
 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,Operations cannot be left blank,Le operazioni non possono essere lasciati in bianco
@@ -5078,6 +5151,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Scollega integrazioni esterne
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Scegli un pagamento corrispondente
 DocType: Pricing Rule,Item Code,Codice Articolo
+DocType: Loan Disbursement,Pending Amount For Disbursal,Importo in sospeso per l&#39;erogazione
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garanzia / AMC Dettagli
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Selezionare manualmente gli studenti per il gruppo basato sulle attività
@@ -5101,6 +5175,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Qtà totale
 DocType: Landed Cost Item,Receipt Document,Documento di Ricevuta
 DocType: Employee Education,School/University,Scuola / Università
+DocType: Loan Security Pledge,Loan  Details,Dettagli del prestito
 DocType: Sales Invoice Item,Available Qty at Warehouse,Quantità Disponibile a magazzino
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Importo Fatturato
 DocType: Share Transfer,(including),(Compreso)
@@ -5124,6 +5199,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Gruppi
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Raggruppa per Conto
 DocType: Purchase Invoice,Hold Invoice,Mantieni fattura
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Pledge Status
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Si prega di selezionare Dipendente
 DocType: Sales Order,Fully Delivered,Completamente Consegnato
 DocType: Promotional Scheme Price Discount,Min Amount,Importo minimo
@@ -5133,7 +5209,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Importo erogato non può essere superiore a prestito Importo {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Riga {0} # L&#39;importo assegnato {1} non può essere maggiore dell&#39;importo non reclamato {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Numero ordine di acquisto richiesto per la voce {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Portare Avanti Autorizzazione
@@ -5161,6 +5236,7 @@
 DocType: Pick List Item,Serial No and Batch,N. di serie e batch
 DocType: Warranty Claim,From Company,Da Azienda
 DocType: GSTR 3B Report,January,gennaio
+DocType: Loan Repayment,Principal Amount Paid,Importo principale pagato
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,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,Please set Number of Depreciations Booked,Si prega di impostare Numero di ammortamenti Prenotato
 DocType: Supplier Scorecard Period,Calculations,Calcolo
@@ -5186,6 +5262,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Informazioni sulla tua azienda
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Mostra dati di invecchiamento stock
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credito Per account deve essere un account di Stato Patrimoniale
+DocType: Loan Repayment,Penalty Amount,Importo della penalità
 DocType: Donor,Donor,Donatore
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Aggiorna tasse per articoli
 DocType: Global Defaults,Disable In Words,Disattiva in parole
@@ -5216,6 +5293,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centro di costo e budget
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Apertura Balance Equità
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Iscrizione a pagamento parziale
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Si prega di impostare il programma di pagamento
 DocType: Pick List,Items under this warehouse will be suggested,Verranno suggeriti gli articoli in questo magazzino
 DocType: Purchase Invoice,N,N
@@ -5249,7 +5327,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} non trovato per l&#39;articolo {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Il valore deve essere compreso tra {0} e {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Mostra imposta inclusiva nella stampa
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Conto bancario, data di inizio e fine sono obbligatorie"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Messaggio Inviato
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5263,6 +5340,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Abilita il riordino automatico
 DocType: Stock Settings,Item Naming By,Creare il Nome Articolo da
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Un'altra voce periodo di chiusura {0} è stato fatto dopo {1}
+DocType: Proposed Pledge,Proposed Pledge,Pegno proposto
 DocType: Work Order,Material Transferred for Manufacturing,Materiale trasferito per produzione
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Il Conto {0} non esiste
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Seleziona il programma fedeltà
@@ -5273,7 +5351,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Impostazione Eventi a {0}, in quanto il dipendente attaccato al di sotto personale di vendita non dispone di un ID utente {1}"
 DocType: Timesheet,Billing Details,Dettagli di fatturazione
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Magazzino di Origine e di Destinazione devono essere diversi
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configurare il sistema di denominazione dei dipendenti in Risorse umane&gt; Impostazioni risorse umane
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pagamento fallito. Controlla il tuo account GoCardless per maggiori dettagli
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Non è permesso aggiornare i documenti di magazzino di età superiore a {0}
 DocType: Stock Entry,Inspection Required,Ispezione Obbligatorio
@@ -5286,6 +5363,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Magazzino di consegna richiesto per l'articolo {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Il peso lordo del pacchetto. Di solito peso netto + peso materiale di imballaggio. (Per la stampa)
 DocType: Assessment Plan,Program,Programma
+DocType: Unpledge,Against Pledge,Contro il pegno
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Gli utenti con questo ruolo sono autorizzati a impostare conti congelati e creare / modificare le voci contabili nei confronti di conti congelati
 DocType: Plaid Settings,Plaid Environment,Ambiente plaid
 ,Project Billing Summary,Riepilogo fatturazione progetto
@@ -5337,6 +5415,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lotti
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Numero di giorni di appuntamenti possono essere prenotati in anticipo
 DocType: Article,LMS User,Utente LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Il prestito di garanzia è obbligatorio per il prestito garantito
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Luogo di fornitura (stato / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,UdM Giacenza
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,L'ordine di Acquisto {0} non è stato presentato
@@ -5411,6 +5490,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Crea Job Card
 DocType: Quotation,Referral Sales Partner,Partner commerciale di riferimento
 DocType: Quality Procedure Process,Process Description,Descrizione del processo
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Impossibile sbloccare, il valore di sicurezza del prestito è superiore all&#39;importo rimborsato"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Cliente {0} creato.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5431,7 +5511,7 @@
 DocType: Asset,Insurance Details,Dettagli Assicurazione
 DocType: Account,Payable,Pagabile
 DocType: Share Balance,Share Type,Condividi tipo
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Si prega di inserire periodi di rimborso
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Si prega di inserire periodi di rimborso
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitori ({0})
 DocType: Pricing Rule,Margin,Margine
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nuovi clienti
@@ -5440,6 +5520,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Cambia profilo POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Qtà o importo è obbligatorio per la sicurezza del prestito
 DocType: Bank Reconciliation Detail,Clearance Date,Data Liquidazione
 DocType: Delivery Settings,Dispatch Notification Template,Modello di notifica spedizione
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Rapporto della valutazione
@@ -5475,6 +5556,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Condividi libro mastro
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,La fattura di vendita {0} è stata creata
 DocType: Employee,Confirmation Date,Data di conferma
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Elimina il dipendente <a href=""#Form/Employee/{0}"">{0}</a> \ per annullare questo documento"
 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,Min Qty can not be greater than Max Qty,La quantità Min non può essere maggiore della quantità Max
@@ -5488,7 +5571,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Finanziamento di viaggio
 DocType: Employee Skill,Proficiency,competenza
-DocType: Loan Application,Required by Date,Richiesto per data
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Dettaglio ricevuta di acquisto
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Un link a tutte le Località in cui il Raccolto sta crescendo
 DocType: Lead,Lead Owner,Responsabile Lead
@@ -5507,7 +5589,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM corrente e New BOM non può essere lo stesso
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Stipendio slittamento ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,La Data di pensionamento deve essere successiva alla Data Assunzione
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Fornitore&gt; Tipo di fornitore
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Varianti multiple
 DocType: Sales Invoice,Against Income Account,Per Reddito Conto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Consegnato
@@ -5541,7 +5622,7 @@
 DocType: POS Profile,Update Stock,Aggiornare Giacenza
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Dettagli del pagamento
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Tasso
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Lettura del file caricato
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5576,6 +5657,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Valore massimo del prestito
 ,Stock Ledger,Inventario
 DocType: Company,Exchange Gain / Loss Account,Guadagno Exchange / Conto Economico
 DocType: Amazon MWS Settings,MWS Credentials,Credenziali MWS
@@ -5583,6 +5665,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Scopo deve essere uno dei {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Compila il modulo e salva
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Forum Community
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Nessun permesso assegnato al dipendente: {0} per il tipo di congedo: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Quantità disponibile
 DocType: Homepage,"URL for ""All Products""",URL per &quot;tutti i prodotti&quot;
 DocType: Leave Application,Leave Balance Before Application,Lascia bilancio prima applicazione
@@ -5684,7 +5767,6 @@
 DocType: Fee Schedule,Fee Schedule,Tariffario
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Etichette colonna:
 DocType: Bank Transaction,Settled,sistemato
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,La data di erogazione non può essere successiva alla data di inizio del rimborso del prestito
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,parametri
 DocType: Company,Create Chart Of Accounts Based On,Crea il Piano dei Conti in base a
@@ -5704,6 +5786,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Limite di credito e condizioni di pagamento
 DocType: Loyalty Program,Collection Rules,Regole di raccolta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Articolo 3
+DocType: Loan Security Shortfall,Shortfall Time,Scadenza
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Inserimento ordini
 DocType: Purchase Order,Customer Contact Email,Customer Contact Email
 DocType: Warranty Claim,Item and Warranty Details,Voce e garanzia Dettagli
@@ -5723,12 +5806,14 @@
 DocType: Sales Person,Sales Person Name,Vendite Nome persona
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Inserisci atleast 1 fattura nella tabella
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nessun test di laboratorio creato
+DocType: Loan Security Shortfall,Security Value ,Valore di sicurezza
 DocType: POS Item Group,Item Group,Gruppo Articoli
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Gruppo di studenti:
 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,Total Allocated Leaves,Ferie totali allocate
+DocType: Appointment Letter,Appointment Letter,Lettera di appuntamento
 apps/erpnext/erpnext/projects/doctype/task/task.py,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 riconciliare
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Per {0}
@@ -5783,6 +5868,7 @@
 DocType: Stock Entry,From BOM,Da Distinta Base
 DocType: Assessment Code,Assessment Code,Codice valutazione
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Base
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Domande di prestito da parte di clienti e dipendenti.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Operazioni Giacenza prima {0} sono bloccate
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Si prega di cliccare su ' Generate Schedule '
 DocType: Job Card,Current Time,Ora attuale
@@ -5809,7 +5895,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Concedere
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Non sono stati creati Gruppi Studenti
 DocType: Purchase Invoice Item,Serial No,Serial No
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Rimborso mensile non può essere maggiore di prestito Importo
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Rimborso mensile non può essere maggiore di prestito Importo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Inserisci Maintaince dettagli prima
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Riga # {0}: la Data di Consegna Confermata non può essere precedente all'Ordine di Acquisto
 DocType: Purchase Invoice,Print Language,Lingua di Stampa
@@ -5823,6 +5909,7 @@
 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,All Territories,Tutti i Territori
+DocType: Plaid Settings,development,sviluppo
 DocType: Lost Reason Detail,Lost Reason Detail,Dettaglio motivo perso
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ordine di copertina non valido per il cliente e l&#39;articolo selezionati
@@ -5885,12 +5972,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aperture correnti
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash flow operativo
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Quantità CGST
+DocType: Vehicle Log,Current Odometer value ,Valore attuale del contachilometri
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Crea studente
 DocType: Asset Movement Item,Asset Movement Item,Articolo movimento movimento
 DocType: Purchase Invoice,Shipping Rule,Tipo di Spedizione
 DocType: Patient Relation,Spouse,Sposa
 DocType: Lab Test Groups,Add Test,Aggiungi Test
 DocType: Manufacturer,Limited to 12 characters,Limitato a 12 caratteri
+DocType: Appointment Letter,Closing Notes,Note di chiusura
 DocType: Journal Entry,Print Heading,Intestazione di stampa
 DocType: Quality Action Table,Quality Action Table,Tavolo d&#39;azione di qualità
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totale non può essere zero
@@ -5957,6 +6046,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Totale (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Identifica / crea account (gruppo) per il tipo - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Intrattenimento e tempo libero
+DocType: Loan Security,Loan Security,Sicurezza del prestito
 ,Item Variant Details,Dettagli della variante dell&#39;articolo
 DocType: Quality Inspection,Item Serial No,Articolo N. d&#39;ordine
 DocType: Payment Request,Is a Subscription,È un abbonamento
@@ -5969,7 +6059,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Fase avanzata
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Le date programmate e ammesse non possono essere inferiori a oggi
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Trasferire il materiale al Fornitore
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,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/utilities/activation.py,Create Quotation,Crea Preventivo
@@ -5987,7 +6076,6 @@
 DocType: Leave Allocation,Leave Period,Lascia il Periodo
 DocType: Item,Default Material Request Type,Tipo di richiesta Materiale Predefinito
 DocType: Supplier Scorecard,Evaluation Period,Periodo di valutazione
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Gruppo di clienti&gt; Territorio
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Sconosciuto
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordine di lavoro non creato
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6071,7 +6159,8 @@
 ,Customer-wise Item Price,Prezzo dell&#39;articolo dal punto di vista del cliente
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Rendiconto finanziario
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nessuna richiesta materiale creata
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Importo del prestito non può superare il massimo importo del prestito {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Importo del prestito non può superare il massimo importo del prestito {0}
+DocType: Loan,Loan Security Pledge,Impegno di sicurezza del prestito
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licenza
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6089,6 +6178,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Schema di sconto sui prezzi
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Lo stato di manutenzione deve essere annullato o completato per inviare
 DocType: Amazon MWS Settings,US,NOI
+DocType: Loan Security Pledge,Pledged,impegnati
 DocType: Holiday List,Add Weekly Holidays,Aggiungi festività settimanali
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Segnala articolo
 DocType: Staffing Plan Detail,Vacancies,Posti vacanti
@@ -6107,7 +6197,6 @@
 DocType: Production Plan Item,Planned Start Date,Data di inizio prevista
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Seleziona una Distinta Base
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Tassa integrata ITC disponibile
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Crea registrazione di rimborso
 DocType: Purchase Order Item,Blanket Order Rate,Tariffa ordine coperta
 ,Customer Ledger Summary,Riepilogo libro mastro cliente
 apps/erpnext/erpnext/hooks.py,Certification,Certificazione
@@ -6128,6 +6217,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Valutazione Titolo Modello
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,commerciale
 DocType: Patient,Alcohol Current Use,Uso corrente di alcool
+DocType: Loan,Loan Closure Requested,Chiusura del prestito richiesta
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Importo del pagamento per l&#39;affitto della casa
 DocType: Student Admission Program,Student Admission Program,Programma di ammissione all&#39;allievo
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Categoria di esenzione fiscale
@@ -6151,6 +6241,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Vendite
 DocType: Stock Entry Detail,Basic Amount,Importo di base
 DocType: Training Event,Exam,Esame
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Mancanza di sicurezza del prestito di processo
 DocType: Email Campaign,Email Campaign,Campagna e-mail
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Errore del Marketplace
 DocType: Complaint,Complaint,Denuncia
@@ -6230,6 +6321,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Creato automaticamente
 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Invia questo per creare il record Dipendente
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Prezzo del prestito sovrapposto con {0}
 DocType: Item Default,Item Default,Articolo predefinito
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Forniture intra-statali
 DocType: Chapter Member,Leave Reason,Lascia ragione
@@ -6256,6 +6348,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} I coupon utilizzati sono {1}. La quantità consentita è esaurita
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Vuoi inviare la richiesta materiale
 DocType: Job Offer,Awaiting Response,In attesa di risposta
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Il prestito è obbligatorio
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Sopra
 DocType: Support Search Source,Link Options,Opzioni di collegamento
@@ -6268,6 +6361,7 @@
 DocType: Training Event Employee,Optional,Opzionale
 DocType: Salary Slip,Earning & Deduction,Rendimento & Detrazione
 DocType: Agriculture Analysis Criteria,Water Analysis,Analisi dell&#39;acqua
+DocType: Pledge,Post Haircut Amount,Importo post taglio
 DocType: Sales Order,Skip Delivery Note,Salta bolla di consegna
 DocType: Price List,Price Not UOM Dependent,Prezzo non dipendente dall&#39;UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} varianti create.
@@ -6294,6 +6388,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Ottenere elementi dal pacchetto di prodotti
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Il metodo di rimborso è obbligatorio per i prestiti a termine
 DocType: Asset,Straight Line,Retta
 DocType: Project User,Project User,Utente Progetti
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Diviso
@@ -6338,7 +6433,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Ruolo permesso di impostare conti congelati e modificare le voci congelati
 DocType: Supplier Scorecard Scoring Variable,Path,Percorso
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Impossibile convertire centro di costo a registro come ha nodi figlio
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Fattore di conversione UOM ({0} -&gt; {1}) non trovato per l&#39;articolo: {2}
 DocType: Production Plan,Total Planned Qty,Qtà totale pianificata
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transazioni già recuperate dall&#39;istruzione
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valore di apertura
@@ -6347,11 +6441,8 @@
 DocType: Material Request Plan Item,Required Quantity,Quantità richiesta
 DocType: Lab Test Template,Lab Test Template,Modello di prova del laboratorio
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Il periodo contabile si sovrappone a {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Fornitore&gt; Tipo di fornitore
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Conto vendita
 DocType: Purchase Invoice Item,Total Weight,Peso totale
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Elimina il dipendente <a href=""#Form/Employee/{0}"">{0}</a> \ per annullare questo documento"
 DocType: Pick List Item,Pick List Item,Seleziona elemento dell&#39;elenco
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Commissione sulle vendite
 DocType: Job Offer Term,Value / Description,Valore / Descrizione
@@ -6398,6 +6489,7 @@
 DocType: Patient Encounter,Encounter Date,Data dell&#39;incontro
 DocType: Work Order,Update Consumed Material Cost In Project,Aggiorna il costo del materiale consumato nel progetto
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Account: {0} con valuta: {1} non può essere selezionato
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Prestiti erogati a clienti e dipendenti.
 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
@@ -6466,7 +6558,6 @@
 DocType: Contract,Signed On,Firmato
 DocType: Bank Account,Party Type,Tipo Partner
 DocType: Discounted Invoice,Discounted Invoice,Fattura scontata
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Segna la partecipazione come <b></b>
 DocType: Payment Schedule,Payment Schedule,Programma di pagamento
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nessun dipendente trovato per il valore del campo dato dipendente. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Abbreviazione
@@ -6538,6 +6629,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Creditori
 DocType: Assessment Plan,Assessment Name,Nome valutazione
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Fila # {0}: N. di serie è obbligatoria
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Per la chiusura del prestito è richiesto un importo di {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Voce Wise fiscale Dettaglio
 DocType: Employee Onboarding,Job Offer,Offerta di lavoro
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abbreviazione Institute
@@ -6561,7 +6653,6 @@
 DocType: Purchase Order,To Receive,Ricevere
 DocType: Leave Period,Holiday List for Optional Leave,Lista vacanze per ferie facoltative
 DocType: Item Tax Template,Tax Rates,Aliquote fiscali
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Codice articolo&gt; Gruppo articoli&gt; Marchio
 DocType: Asset,Asset Owner,Proprietario del bene
 DocType: Item,Website Content,Contenuto del sito Web
 DocType: Bank Account,Integration ID,ID integrazione
@@ -6577,6 +6668,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Sincronizzare gli ordini
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Ordini rilasciati per la produzione.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Selezionare l'anno fiscale ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Seleziona il tipo di prestito per la società {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profilo tenuto a POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6605,6 +6697,7 @@
 DocType: Customer,Mention if non-standard receivable account,Menzione se conto credito non standard
 DocType: Bank,Plaid Access Token,Token di accesso al plaid
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Si prega di aggiungere i restanti benefici {0} a qualsiasi componente esistente
+DocType: Bank Account,Is Default Account,È un account predefinito
 DocType: Journal Entry Account,If Income or Expense,Se proventi od oneri
 DocType: Course Topic,Course Topic,Argomento del corso
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Il Voucher di chiusura POS è già disponibile per {0} tra la data {1} e {2}
@@ -6617,7 +6710,7 @@
 DocType: Disease,Treatment Task,Task di trattamento
 DocType: Payment Order Reference,Bank Account Details,Dettagli del conto bancario
 DocType: Purchase Order Item,Blanket Order,Ordine generale
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,L&#39;importo del rimborso deve essere maggiore di
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,L&#39;importo del rimborso deve essere maggiore di
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Assetti fiscali
 DocType: BOM Item,BOM No,BOM n.
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Dettagli aggiornamento
@@ -6673,6 +6766,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Prodotti WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Errore di sintassi nella formula o una condizione: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Articolo {0} ignorato poiché non è in Giacenza
+,Loan Security Status,Stato di sicurezza del prestito
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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 di fatturazione
 DocType: Assessment Group,Parent Assessment Group,Capogruppo di valutazione
@@ -6687,7 +6781,6 @@
 DocType: Stock Entry Detail,Additional Cost,Costo aggiuntivo
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Non è possibile filtrare sulla base del N. Voucher, se raggruppati per Voucher"
 DocType: Quality Inspection,Incoming,In arrivo
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Impostare le serie di numerazione per la partecipazione tramite Impostazione&gt; Serie di numerazione
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Vengono creati modelli di imposta predefiniti per vendite e acquisti.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Risultato della valutazione {0} già esistente.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Esempio: ABCD. #####. Se la serie è impostata e il numero di lotto non è menzionato nelle transazioni, verrà creato il numero di lotto automatico in base a questa serie. Se vuoi sempre menzionare esplicitamente il numero di lotto per questo articolo, lascia vuoto. Nota: questa impostazione avrà la priorità sul Prefisso serie di denominazione nelle Impostazioni stock."
@@ -6698,8 +6791,10 @@
 DocType: Contract,Party User,Utente del party
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Risorse non create per <b>{0}</b> . Dovrai creare risorse manualmente.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Impostare il filtro aziendale vuoto se Group By è &#39;Azienda&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Gruppo di clienti&gt; Territorio
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,La Data di Registrazione non può essere una data futura
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Fila # {0}: N. di serie {1} non corrisponde con {2} {3}
+DocType: Loan Repayment,Interest Payable,Interessi da pagare
 DocType: Stock Entry,Target Warehouse Address,Indirizzo del magazzino di destinazione
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Permesso retribuito
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Il tempo prima dell&#39;orario di inizio turno durante il quale il check-in dei dipendenti viene preso in considerazione per la partecipazione.
@@ -6828,6 +6923,7 @@
 DocType: Issue,Reset Service Level Agreement,Ripristina accordo sul livello di servizio
 ,Sales Person-wise Transaction Summary,Sales Person-saggio Sintesi dell&#39;Operazione
 DocType: Training Event,Contact Number,Numero di contatto
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,L&#39;importo del prestito è obbligatorio
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6876,6 +6972,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Saldo Quantità
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Le condizioni verranno applicate su tutti gli articoli selezionati combinati.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Obiettivi non possono essere vuoti
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Magazzino errato
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Iscrivendo studenti
 DocType: Item Group,Parent Item Group,Gruppo Padre
 DocType: Appointment Type,Appointment Type,Tipo di appuntamento
@@ -6929,10 +7026,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tasso medio
 DocType: Appointment,Appointment With,Appuntamento con
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L&#39;importo totale del pagamento nel programma di pagamento deve essere uguale al totale totale / arrotondato
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Segna la partecipazione come <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Articolo fornito dal cliente&quot; non può avere un tasso di valutazione
 DocType: Subscription Plan Detail,Plan,Piano
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Estratto conto banca come da Contabilità Generale
-DocType: Job Applicant,Applicant Name,Nome del Richiedente
+DocType: Appointment Letter,Applicant Name,Nome del Richiedente
 DocType: Authorization Rule,Customer / Item Name,Cliente / Nome Articolo
 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**. 
 
@@ -6976,11 +7074,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribuzione
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Lo stato del dipendente non può essere impostato su &quot;Sinistra&quot; poiché i seguenti dipendenti stanno attualmente segnalando a questo dipendente:
-DocType: Journal Entry Account,Loan,Prestito
+DocType: Loan Repayment,Amount Paid,Importo pagato
+DocType: Loan Security Shortfall,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,Volunteer information.,Volontariato
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Responsabile Progetto
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Raggruppa per cliente
 ,Quoted Item Comparison,Articolo Citato Confronto
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Sovrapposizione nel punteggio tra {0} e {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Spedizione
@@ -7000,6 +7100,7 @@
 DocType: Material Request Plan Item,Material Issue,Fornitura materiale
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Articolo gratuito non impostato nella regola dei prezzi {0}
 DocType: Employee Education,Qualification,Qualifica
+DocType: Loan Security Shortfall,Loan Security Shortfall,Mancanza di sicurezza del prestito
 DocType: Item Price,Item Price,Prezzo Articoli
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & Detergente
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Il dipendente {0} non appartiene alla società {1}
@@ -7022,6 +7123,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Dettagli dell&#39;appuntamento
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Prodotto finito
 DocType: Warehouse,Warehouse Name,Nome Magazzino
+DocType: Loan Security Pledge,Pledge Time,Pledge Time
 DocType: Naming Series,Select Transaction,Selezionare Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Inserisci Approvazione ruolo o Approvazione utente
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Accordo sul livello di servizio con il tipo di entità {0} e l&#39;entità {1} esiste già.
@@ -7029,7 +7131,6 @@
 DocType: BOM,Rate Of Materials Based On,Tasso di materiali a base di
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se abilitato, il campo Periodo Accademico sarà obbligatorio nello Strumento di Registrazione del Programma."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valori di forniture interne esenti, nulli e non GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Gruppo di clienti&gt; Territorio
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>La società</b> è un filtro obbligatorio.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Deseleziona tutto
 DocType: Purchase Taxes and Charges,On Item Quantity,Sulla quantità dell&#39;articolo
@@ -7074,7 +7175,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Carenza Quantità
 DocType: Purchase Invoice,Input Service Distributor,Distributore di servizi di input
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Variante item {0} esiste con le stesse caratteristiche
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configura il sistema di denominazione dell&#39;istruttore in Istruzione&gt; Impostazioni istruzione
 DocType: Loan,Repay from Salary,Rimborsare da Retribuzione
 DocType: Exotel Settings,API Token,Token API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Richiesta di Pagamento contro {0} {1} per quantità {2}
@@ -7094,6 +7194,7 @@
 DocType: Salary Slip,Total Interest Amount,Importo totale degli interessi
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Giorni Stalli
 DocType: Travel Itinerary,Arrival Datetime,Data e ora di arrivo
 DocType: Tax Rule,Billing Zipcode,Codice postale di fatturazione
@@ -7280,6 +7381,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ore
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Un nuovo appuntamento è stato creato per te con {0}
 DocType: Project,Expected Start Date,Data di inizio prevista
+DocType: Work Order,This is a location where raw materials are available.,Questa è una posizione in cui sono disponibili materie prime.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correzione nella fattura
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordine di lavorazione già creato per tutti gli articoli con BOM
 DocType: Bank Account,Party Details,Partito Dettagli
@@ -7298,6 +7400,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Preventivi:
 DocType: Contract,Partially Fulfilled,Parzialmente soddisfatta
 DocType: Maintenance Visit,Fully Completed,Debitamente compilato
+DocType: Loan Security,Loan Security Name,Nome di sicurezza del prestito
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caratteri speciali tranne &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; E &quot;}&quot; non consentiti nelle serie di nomi"
 DocType: Purchase Invoice Item,Is nil rated or exempted,È valutato zero o esentato
 DocType: Employee,Educational Qualification,Titolo di Studio
@@ -7354,6 +7457,7 @@
 DocType: Program,Is Featured,È in primo piano
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Recupero ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Utente Agricoltura
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,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,{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
@@ -7431,8 +7535,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Il dipendente {0} è in ferie il {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Nessun rimborso selezionato per Registrazione a giornale
 DocType: Purchase Invoice,GST Category,Categoria GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Gli impegni proposti sono obbligatori per i prestiti garantiti
 DocType: Payment Reconciliation,From Invoice Date,Da Data fattura
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,I bilanci
 DocType: Invoice Discounting,Disbursed,erogato
@@ -7490,14 +7594,13 @@
 DocType: Restaurant,Active Menu,Menu attivo
 DocType: Accounting Dimension Detail,Default Dimension,Dimensione predefinita
 DocType: Target Detail,Target Qty,Obiettivo Qtà
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Contro prestito: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Impostazioni Acquista
 DocType: Student Attendance,Present,Presente
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Il Documento di Trasporto {0} non deve essere presentato
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","La busta paga inviata per posta elettronica al dipendente sarà protetta da password, la password verrà generata in base alla politica della password."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Odometro
 DocType: Production Plan Item,Ordered Qty,Quantità ordinato
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Articolo {0} è disattivato
 DocType: Stock Settings,Stock Frozen Upto,Giacenza Bloccate Fino
@@ -7554,7 +7657,6 @@
 DocType: Serial No,Delivery Document Type,Tipo Documento Consegna
 DocType: Sales Order,Partly Delivered,Parzialmente Consegnato
 DocType: Item Variant Settings,Do not update variants on save,Non aggiornare le varianti al salvataggio
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Gruppo Custmer
 DocType: Email Digest,Receivables,Crediti
 DocType: Lead Source,Lead Source,Fonte del Lead
 DocType: Customer,Additional information regarding the customer.,Ulteriori informazioni sul cliente.
@@ -7650,6 +7752,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Attuale
 DocType: Appointment,Skype ID,identificativo Skype
 DocType: Restaurant Menu,Restaurant Manager,Gestore del ristorante
+DocType: Loan,Penalty Income Account,Conto del reddito di sanzione
 DocType: Call Log,Call Log,Registro chiamate
 DocType: Authorization Rule,Customerwise Discount,Sconto Cliente saggio
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Scheda attività
@@ -7737,6 +7840,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Schema di sconto del prodotto
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Nessun problema è stato sollevato dal chiamante.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Raggruppa per fornitore
 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,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
@@ -7747,7 +7851,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Basato sul listino prezzi
 DocType: Customer Group,Parent Customer Group,Gruppo clienti padre
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON può essere generato solo dalla Fattura di vendita
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Raggiunti i massimi tentativi per questo quiz!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Sottoscrizione
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Fee Creation In attesa
@@ -7765,6 +7868,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Manutenzione preventiva
 DocType: Delivery Note Item,Against Sales Invoice,Per Fattura Vendita
 DocType: Purchase Invoice,07-Others,07-Altri
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Importo dell&#39;offerta
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Inserisci i numeri di serie per l&#39;articolo serializzato
 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.
@@ -7872,6 +7976,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Nota Ricevuta di pagamento
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Crea richiesta materiale
+DocType: Loan Interest Accrual,Pending Principal Amount,Importo principale in sospeso
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Le date di inizio e fine non si trovano in un periodo di gestione stipendi valido, impossibile calcolare {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7915,6 +8020,7 @@
 											to fullfill Sales Order {2}",Impossibile recapitare il numero di serie {0} dell&#39;articolo {1} come è prenotato \ per completare l&#39;ordine di vendita {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Preventivo Fornitore {0} creato
+DocType: Loan Security Unpledge,Unpledge Type,Tipo Unpledge
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Fine anno non può essere prima di inizio anno
 DocType: Employee Benefit Application,Employee Benefits,Benefici per i dipendenti
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Numero Identità dell&#39;impiegato
@@ -7997,6 +8103,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Codice del corso:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Inserisci il Conto uscite
 DocType: Quality Action Resolution,Problem,Problema
+DocType: Loan Security Type,Loan To Value Ratio,Rapporto prestito / valore
 DocType: Account,Stock,Magazzino
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8014,6 +8121,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Voce di transazione conto bancario
 DocType: Sales Invoice Item,Discount and Margin,Sconto e margine
 DocType: Lab Test,Prescription,Prescrizione
+DocType: Process Loan Security Shortfall,Update Time,Tempo di aggiornamento
 DocType: Import Supplier Invoice,Upload XML Invoices,Carica fatture XML
 DocType: Company,Default Deferred Revenue Account,Conto entrate differite di default
 DocType: Project,Second Email,Seconda email
@@ -8027,7 +8135,7 @@
 DocType: Quality Action,Preventive,preventivo
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Forniture effettuate a persone non registrate
 DocType: Company,Date of Incorporation,Data di incorporazione
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Totale IVA
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Totale IVA
 DocType: Manufacturing Settings,Default Scrap Warehouse,Magazzino rottami predefinito
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Ultimo prezzo di acquisto
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Per quantità (Quantità Prodotte) è obbligatorio
@@ -8046,6 +8154,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Imposta il modo di pagamento predefinito
 DocType: Stock Entry Detail,Against Stock Entry,Contro l&#39;entrata di riserva
 DocType: Grant Application,Withdrawn,Ritirato
+DocType: Loan Repayment,Regular Payment,Pagamento regolare
 DocType: Support Search Source,Support Search Source,Supporta la fonte di ricerca
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,chargeble
 DocType: Project,Gross Margin %,Margine lordo %
@@ -8058,8 +8167,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Senza pagamento di imposta
 DocType: BOM Operation,BOM Operation,Operazione BOM
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Sul valore della riga precedente
+DocType: Student,Home Address,Indirizzo di casa
 DocType: Options,Is Correct,È corretta
 DocType: Item,Has Expiry Date,Ha la data di scadenza
+DocType: Loan Repayment,Paid Accrual Entries,Entrate rate pagate
+DocType: Loan Security,Loan Security Type,Tipo di sicurezza del prestito
 apps/erpnext/erpnext/config/support.py,Issue Type.,Tipo di problema.
 DocType: POS Profile,POS Profile,POS Profilo
 DocType: Training Event,Event Name,Nome dell&#39;evento
@@ -8071,6 +8183,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Stagionalità per impostare i budget, obiettivi ecc"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Nessun valore
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nome variabile
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Seleziona il conto bancario da riconciliare.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","L'articolo {0} è un modello, si prega di selezionare una delle sue varianti"
 DocType: Purchase Invoice Item,Deferred Expense,Spese differite
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Torna ai messaggi
@@ -8122,7 +8235,6 @@
 DocType: GL Entry,To Rename,Rinominare
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selezionare per aggiungere il numero di serie.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configura il sistema di denominazione dell&#39;istruttore in Istruzione&gt; Impostazioni istruzione
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Si prega di impostare il codice fiscale per il cliente &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Si prega di selezionare la società per primo
 DocType: Item Attribute,Numeric Values,Valori numerici
@@ -8146,6 +8258,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Recupero basato su FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root non può essere modificato .
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Valore di sicurezza del prestito
 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
@@ -8192,6 +8305,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Si prega di selezionare Categoria prima
 apps/erpnext/erpnext/config/projects.py,Project master.,Progetto Master.
 DocType: Contract,Contract Terms,Termini del contratto
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Limite di importo sanzionato
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Continua la configurazione
 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,Maximum benefit amount of component {0} exceeds {1},L&#39;importo massimo del vantaggio del componente {0} supera {1}
@@ -8224,6 +8338,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Visualizza registro chiamate
 DocType: BOM Operation,Operating Cost(Company Currency),Costi di funzionamento (Società di valuta)
 DocType: Loan Application,Rate of Interest,Tasso di interesse
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Pegno di sicurezza del prestito già promesso contro il prestito {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Importo sanzionato
 DocType: Item,Shelf Life In Days,Shelf Life In Days
 DocType: GL Entry,Is Opening,Sta aprendo
@@ -8237,3 +8352,4 @@
 DocType: Account,Cash,Contante
 DocType: Sales Invoice,Unpaid and Discounted,Non pagato e scontato
 DocType: Employee,Short biography for website and other publications.,Breve biografia per il sito web e altre pubblicazioni.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Riga n. {0}: impossibile selezionare il magazzino del fornitore mentre fornisce materie prime al subappaltatore
diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv
index 1905326..70a15f6 100644
--- a/erpnext/translations/ja.csv
+++ b/erpnext/translations/ja.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,機会を失った理由
 DocType: Patient Appointment,Check availability,空室をチェック
 DocType: Retention Bonus,Bonus Payment Date,ボーナス支払日
-DocType: Employee,Job Applicant,求職者
+DocType: Appointment Letter,Job Applicant,求職者
 DocType: Job Card,Total Time in Mins,1分あたりの合計時間
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,これは、このサプライヤーに対する取引に基づいています。詳細については、以下のタイムラインを参照してください。
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,作業オーダーの生産過剰率
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,連絡先
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,何でも検索...
 ,Stock and Account Value Comparison,株式と口座価値の比較
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,支払額はローン額を超えることはできません
 DocType: Company,Phone No,電話番号
 DocType: Delivery Trip,Initial Email Notification Sent,送信された最初の電子メール通知
 DocType: Bank Statement Settings,Statement Header Mapping,ステートメントヘッダーマッピング
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,関心あり
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,期首
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,プログラム:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,有効開始時間は有効終了時間よりも短くする必要があります。
 DocType: Item,Copy From Item Group,項目グループからコピーする
 DocType: Journal Entry,Opening Entry,エントリーを開く
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,支払専用アカウント
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,グレード
 DocType: Restaurant Table,No of Seats,席数
+DocType: Loan Type,Grace Period in Days,日単位の猶予期間
 DocType: Sales Invoice,Overdue and Discounted,期限切れおよび割引
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},資産{0}はカストディアン{1}に属していません
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,切断された通話
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,規定の手続き
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POSのみ表示
 DocType: Supplier Group,Supplier Group Name,サプライヤグループ名
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,出席としてマーク<b></b>
 DocType: Driver,Driving License Categories,運転免許のカテゴリ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,納期を入力してください
 DocType: Depreciation Schedule,Make Depreciation Entry,減価償却のエントリを作成します
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,作業遂行の詳細
 DocType: Asset Maintenance Log,Maintenance Status,保守ステータス
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,値に含まれる品目税額
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,ローンのセキュリティ解除
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,メンバーシップの詳細
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}:サプライヤーは、買掛金勘定に対して必要とされている{2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,アイテムと価格
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},合計時間:{0}
+DocType: Loan,Loan Manager,ローンマネージャー
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},開始日は当会計年度内にする必要があります。(もしかして:開始日= {0})
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,間隔
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',「時間ログ」から更新
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,顧客またはサプライヤーを選択します。
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ファイルの国コードがシステムに設定された国コードと一致しません
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},アカウント{0}は会社{1}に属していません
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,デフォルトとして優先度を1つだけ選択します。
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},前払金は {0} {1} より大きくすることはできません
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",タイムスロットがスキップされ、スロット{0}から{1}が既存のスロット{2}と{3}
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,休暇
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},アイテム{0}は{1}に耐用年数の終わりに達します
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,銀行エントリー
-DocType: Customer,Is Internal Customer,内部顧客
+DocType: Sales Invoice,Is Internal Customer,内部顧客
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,請求番号
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,資材要求
 DocType: Bank Reconciliation,Update Clearance Date,清算日の更新
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,バンドル数量
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,申請が承認されるまでローンを作成できません
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},仕入注文 {1} の「原材料供給」テーブルにアイテム {0} が見つかりません
 DocType: Salary Slip,Total Principal Amount,総プリンシパル金額
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,正しい
 DocType: Student Guardian,Mother,母
 DocType: Restaurant Reservation,Reservation End Time,予約終了時刻
+DocType: Salary Slip Loan,Loan Repayment Entry,ローン返済エントリ
 DocType: Crop,Biennial,二年生植物
 ,BOM Variance Report,BOM差異レポート
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,お客様からのご注文確認。
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} に対する支払は残高 {2} より大きくすることができません
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,すべてのヘルスケアサービスユニット
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,機会の転換について
+DocType: Loan,Total Principal Paid,総プリンシパルペイド
 DocType: Bank Account,Address HTML,住所のHTML
 DocType: Lead,Mobile No.,携帯番号
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,支払い方法
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,ベース通貨の残高
 DocType: Supplier Scorecard Scoring Standing,Max Grade,最大級
 DocType: Email Digest,New Quotations,新しい請求書
+DocType: Loan Interest Accrual,Loan Interest Accrual,貸付利息発生
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,退出時に{0}に出席しなかった出席は{1}です。
 DocType: Journal Entry,Payment Order,支払注文
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Eメールを確認します
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,他の収入源からの収入
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",空白の場合、親倉庫口座または会社のデフォルトが考慮されます。
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,従業員に選択された好適な電子メールに基づいて、従業員への電子メールの給与スリップ
+DocType: Work Order,This is a location where operations are executed.,これは、操作が実行される場所です。
 DocType: Tax Rule,Shipping County,配送郡
 DocType: Currency Exchange,For Selling,販売のため
 apps/erpnext/erpnext/config/desktop.py,Learn,学ぶ
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,適用されたクーポンコード
 DocType: Asset,Next Depreciation Date,次の減価償却日
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,従業員一人あたりの活動費用
+DocType: Loan Security,Haircut %,散髪率
 DocType: Accounts Settings,Settings for Accounts,アカウント設定
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},サプライヤ請求書なしでは購入請求書に存在する{0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,セールスパーソンツリーを管理します。
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{}にホテルの客室料金を設定してください
 DocType: Journal Entry,Multi Currency,複数通貨
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,請求書タイプ
+DocType: Loan,Loan Security Details,ローンセキュリティの詳細
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,有効開始日は有効更新日よりも短くなければなりません
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},調整中に例外が発生しました{0}
 DocType: Purchase Invoice,Set Accepted Warehouse,承認済み倉庫の設定
@@ -774,7 +786,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,ラボテスト承認が必要
 DocType: Attendance,Working Hours,労働時間
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,残高の総額
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},アイテムのUOM換算係数({0}-&gt; {1})が見つかりません:{2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,既存のシリーズについて、開始/現在の連続番号を変更します。
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,あなたが注文した金額に対してもっと請求することを許可されている割合。たとえば、注文の金額が100ドルで、許容範囲が10%に設定されている場合、110ドルの請求が許可されます。
 DocType: Dosage Strength,Strength,力
@@ -792,6 +803,7 @@
 DocType: Purchase Receipt,Vehicle Date,車両日付
 DocType: Campaign Email Schedule,Campaign Email Schedule,キャンペーンEメールスケジュール
 DocType: Student Log,Medical,検診
+DocType: Work Order,This is a location where scraped materials are stored.,これは、削り取った材料が保管される場所です。
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,ドラッグを選択してください
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,リード所有者は、リードと同じにすることはできません
 DocType: Announcement,Receiver,受信機
@@ -887,7 +899,7 @@
 DocType: Driver,Applicable for external driver,外部ドライバに適用
 DocType: Sales Order Item,Used for Production Plan,生産計画に使用
 DocType: BOM,Total Cost (Company Currency),総費用(会社通貨)
-DocType: Loan,Total Payment,お支払い総額
+DocType: Repayment Schedule,Total Payment,お支払い総額
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,POはすべての受注伝票に対してすでに登録されています
@@ -913,6 +925,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,発注を警告する
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,日付から借りた
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,制作するのに十分なパーツ
+DocType: Loan Security,Loan Security Code,ローンセキュリティコード
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,最初に保存してください
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,アイテムは、それに関連付けられている原材料を取り出すために必要です。
 DocType: POS Profile User,POS Profile User,POSプロファイルユーザー
@@ -969,6 +982,7 @@
 DocType: Patient,Risk Factors,危険因子
 DocType: Patient,Occupational Hazards and Environmental Factors,職業上の危険と環境要因
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,作業オーダー用にすでに登録されている在庫エントリ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,商品コード&gt;商品グループ&gt;ブランド
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,過去の注文を見る
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0}の会話
 DocType: Vital Signs,Respiratory rate,呼吸数
@@ -1001,7 +1015,6 @@
 DocType: Company,Delete Company Transactions,会社の取引を削除
 DocType: Production Plan Item,Quantity and Description,数量と説明
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,銀行取引には参照番号と参照日が必須です
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,[設定]&gt; [設定]&gt; [命名シリーズ]で{0}の命名シリーズを設定してください
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,租税公課の追加/編集
 DocType: Payment Entry Reference,Supplier Invoice No,サプライヤー請求番号
 DocType: Territory,For reference,参考のため
@@ -1032,6 +1045,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,源泉徴収勘定
 DocType: Pricing Rule,Sales Partner,販売パートナー
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,すべてのサプライヤスコアカード。
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,注文金額
+DocType: Loan,Disbursed Amount,支払額
 DocType: Buying Settings,Purchase Receipt Required,領収書が必要です
 DocType: Sales Invoice,Rail,レール
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,実費
@@ -1072,6 +1087,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooksに接続
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},タイプ -  {0}のアカウント(元帳)を識別または作成してください
 DocType: Bank Statement Transaction Entry,Payable Account,買掛金勘定
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,支払いエントリを取得するにはアカウントが必須です
 DocType: Payment Entry,Type of Payment,支払方法の種類
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,半日の日付は必須です
 DocType: Sales Order,Billing and Delivery Status,請求と配達の状況
@@ -1110,7 +1126,7 @@
 DocType: Purchase Order Item,Billed Amt,支払額
 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,Principal Amount,元本金額
+DocType: Repayment Schedule,Principal Amount,元本金額
 DocType: Loan Application,Total Payable Interest,総支払利息
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},総残高:{0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,連絡先を開く
@@ -1124,6 +1140,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,更新処理中にエラーが発生しました
 DocType: Restaurant Reservation,Restaurant Reservation,レストラン予約
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,あなたのアイテム
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,サプライヤ&gt;サプライヤタイプ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,提案の作成
 DocType: Payment Entry Deduction,Payment Entry Deduction,支払エントリ控除
 DocType: Service Level Priority,Service Level Priority,サービスレベル優先度
@@ -1156,6 +1173,7 @@
 DocType: Batch,Batch Description,バッチ説明
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,生徒グループを作成
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",ペイメントゲートウェイアカウントが作成されていないため、手動で作成してください。
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},グループウェアハウスはトランザクションで使用できません。 {0}の値を変更してください
 DocType: Supplier Scorecard,Per Year,年毎
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,DOBごとにこのプログラムの入学資格はない
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,行#{0}:顧客の注文書に割り当てられているアイテム{1}を削除できません。
@@ -1278,7 +1296,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",子会社{0}のアカウントを作成中に、親アカウント{1}が見つかりませんでした。対応するCOAで親口座を作成してください
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,分割問題
 DocType: Student Attendance,Student Attendance,生徒出席
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,エクスポートするデータがありません
 DocType: Sales Invoice Timesheet,Time Sheet,勤務表
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,原材料のバックフラッシュ基準
 DocType: Sales Invoice,Port Code,ポートコード
@@ -1291,6 +1308,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,サプライヤー
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,実際の配達日
 DocType: Lab Test,Test Template,テストテンプレート
+DocType: Loan Security Pledge,Securities,証券
 DocType: Restaurant Order Entry Item,Served,奉仕した
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,章の情報。
 DocType: Account,Accounts,アカウント
@@ -1384,6 +1402,7 @@
 DocType: Inpatient Record,O Negative,Oネガティブ
 DocType: Work Order Operation,Planned End Time,計画終了時間
 DocType: POS Profile,Only show Items from these Item Groups,これらの商品グループの商品のみを表示
+DocType: Loan,Is Secured Loan,担保付きローン
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,既存の取引を持つアカウントは、元帳に変換することはできません
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,メンバーシップタイプの詳細
 DocType: Delivery Note,Customer's Purchase Order No,顧客の発注番号
@@ -1420,6 +1439,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,エントリを取得するには、会社と転記日付を選択してください
 DocType: Asset,Maintenance,保守
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,患者の出会いから得る
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},アイテムのUOM換算係数({0}-&gt; {1})が見つかりません:{2}
 DocType: Subscriber,Subscriber,加入者
 DocType: Item Attribute Value,Item Attribute Value,アイテムの属性値
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,通貨交換は、購入または販売に適用する必要があります。
@@ -1525,6 +1545,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,権限がありませんん
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,契約履行チェックリスト
 DocType: Vital Signs,Heart Rate / Pulse,心拍数/パルス
+DocType: Customer,Default Company Bank Account,デフォルトの会社の銀行口座
 DocType: Supplier,Default Bank Account,デフォルト銀行口座
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",「当事者」に基づいてフィルタリングするには、最初の「当事者タイプ」を選択してください
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},アイテムが{0}経由で配送されていないため、「在庫更新」はチェックできません
@@ -1642,7 +1663,6 @@
 DocType: Sales Team,Incentives,インセンティブ
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,同期していない値
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,差額
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,[設定]&gt; [番号シリーズ]を使用して、出席の番号シリーズを設定してください
 DocType: SMS Log,Requested Numbers,要求された番号
 DocType: Volunteer,Evening,イブニング
 DocType: Quiz,Quiz Configuration,クイズの設定
@@ -1662,6 +1682,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,前の行の合計
 DocType: Purchase Invoice Item,Rejected Qty,拒否された数量
 DocType: Setup Progress Action,Action Field,アクションフィールド
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,利率とペナルティ率のローンタイプ
 DocType: Healthcare Settings,Manage Customer,顧客管理
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Ordersの詳細を同期させる前に、Amazon MWSから常に製品を同期させる
 DocType: Delivery Trip,Delivery Stops,納品停止
@@ -1673,6 +1694,7 @@
 ,Final Assessment Grades,最終評価グレード
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,このシステムを設定する会社の名前
 DocType: HR Settings,Include holidays in Total no. of Working Days,営業日数に休日を含む
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,総計の%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,あなたの研究所をERPNextでセットアップする
 DocType: Agriculture Analysis Criteria,Plant Analysis,植物分析
 DocType: Task,Timeline,タイムライン
@@ -1680,9 +1702,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,代替品
 DocType: Shopify Log,Request Data,リクエストデータ
 DocType: Employee,Date of Joining,入社日
+DocType: Delivery Note,Inter Company Reference,会社間参照
 DocType: Naming Series,Update Series,シリーズ更新
 DocType: Supplier Quotation,Is Subcontracted,下請け
 DocType: Restaurant Table,Minimum Seating,最小座席
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,質問は重複できません
 DocType: Item Attribute,Item Attribute Values,アイテムの属性値
 DocType: Examination Result,Examination Result,テスト結果
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,領収書
@@ -1784,6 +1808,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,オフライン請求書同期
 DocType: Payment Request,Paid,支払済
 DocType: Service Level,Default Priority,デフォルトの優先順位
+DocType: Pledge,Pledge,誓約
 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で最新の価格が更新されます。
@@ -1797,6 +1822,7 @@
 DocType: Guardian,Guardian Name,保護者名
 DocType: Cheque Print Template,Has Print Format,印刷形式あり
 DocType: Support Settings,Get Started Sections,開始セクション
+,Loan Repayment and Closure,ローンの返済と閉鎖
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,認可済
 ,Base Amount,基準額
@@ -1807,10 +1833,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,場所から
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},ローン額は{0}を超えることはできません
 DocType: Student Admission,Publish on website,ウェブサイト上で公開
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,サプライヤの請求書の日付は、転記日を超えることはできません
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,商品コード&gt;商品グループ&gt;ブランド
 DocType: Subscription,Cancelation Date,キャンセル日
 DocType: Purchase Invoice Item,Purchase Order Item,発注アイテム
 DocType: Agriculture Task,Agriculture Task,農業タスク
@@ -1829,7 +1855,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,追加割引パーセンテージ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,ヘルプ動画リストを表示
 DocType: Agriculture Analysis Criteria,Soil Texture,土性
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,小切手が預けられた銀行の勘定科目を選択してください
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,ユーザーに取引の価格表単価の編集を許可
 DocType: Pricing Rule,Max Qty,最大数量
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,レポートカードを印刷する
@@ -1961,7 +1986,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",設定されると、この請求書は設定日まで保留になります
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,販売額
-DocType: Repayment Schedule,Interest Amount,利息額
+DocType: Loan Interest Accrual,Interest Amount,利息額
 DocType: Job Card,Time Logs,時間ログ
 DocType: Sales Invoice,Loyalty Amount,ロイヤリティ金額
 DocType: Employee Transfer,Employee Transfer Detail,従業員譲渡の詳細
@@ -1976,6 +2001,7 @@
 DocType: Cashier Closing,Returns,収益
 DocType: Job Card,WIP Warehouse,作業中倉庫
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},シリアル番号{0}は {1}まで保守契約下にあります
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},{0} {1}の認可額の制限を超えました
 apps/erpnext/erpnext/config/hr.py,Recruitment,求人
 DocType: Lead,Organization Name,組織名
 DocType: Support Settings,Show Latest Forum Posts,最新のフォーラム投稿を表示する
@@ -2002,7 +2028,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,購買発注明細の期限切れ
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,郵便番号
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},受注{0}は{1}です
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ローン{0}の利息収入勘定を選択
 DocType: Opportunity,Contact Info,連絡先情報
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,在庫エントリを作成
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,ステータスが「左」の従業員を昇格できません
@@ -2086,7 +2111,6 @@
 DocType: Salary Slip,Deductions,控除
 DocType: Setup Progress Action,Action Name,アクション名
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,開始年
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ローンを作成
 DocType: Purchase Invoice,Start date of current invoice's period,請求期限の開始日
 DocType: Shift Type,Process Attendance After,後のプロセス参加
 ,IRS 1099,IRS 1099
@@ -2107,6 +2131,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,あなたのドメインを選択してください
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopifyサプライヤ
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,支払請求明細
+DocType: Repayment Schedule,Is Accrued,未収
 DocType: Payroll Entry,Employee Details,従業員詳細
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XMLファイルの処理
 DocType: Amazon MWS Settings,CN,CN
@@ -2138,6 +2163,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,ロイヤリティポイントの入力
 DocType: Employee Checkin,Shift End,シフト終了
 DocType: Stock Settings,Default Item Group,デフォルトアイテムグループ
+DocType: Loan,Partially Disbursed,部分的に支払わ
 DocType: Job Card Time Log,Time In Mins,ミネアポリスの時間
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,助成金情報
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,この操作により、このアカウントはERPNextと銀行口座を統合している外部サービスからリンク解除されます。元に戻すことはできません。確実ですか?
@@ -2153,6 +2179,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,同じアイテムを複数回入力することはできません。
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",アカウントはさらにグループの下に作成できますが、エントリは非グループに対して作成できます
+DocType: Loan Repayment,Loan Closure,ローン閉鎖
 DocType: Call Log,Lead,リード
 DocType: Email Digest,Payables,買掛金
 DocType: Amazon MWS Settings,MWS Auth Token,MWS認証トークン
@@ -2185,6 +2212,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSONは送信されたドキュメントからのみ生成できます
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,従業員の税金と福利厚生
 DocType: Bank Guarantee,Validity in Days,有効期限
+DocType: Unpledge,Haircut,散髪
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-フォームは、請求書には適用されません:{0}
 DocType: Certified Consultant,Name of Consultant,コンサルタントの名前
 DocType: Payment Reconciliation,Unreconciled Payment Details,未照合支払いの詳細
@@ -2237,7 +2265,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,その他の地域
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,アイテム{0}はバッチを持てません
 DocType: Crop,Yield UOM,収量単位
+DocType: Loan Security Pledge,Partially Pledged,部分的に誓約
 ,Budget Variance Report,予算差異レポート
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,認可されたローン額
 DocType: Salary Slip,Gross Pay,給与総額
 DocType: Item,Is Item from Hub,ハブからのアイテム
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,医療サービスからアイテムを入手する
@@ -2272,6 +2302,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,新しい品質手順
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},アカウントの残高は{0}は常に{1}でなければなりません
 DocType: Patient Appointment,More Info,詳細情報
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,生年月日は入会日より大きくすることはできません。
 DocType: Supplier Scorecard,Scorecard Actions,スコアカードのアクション
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},サプライヤ{0}は{1}に見つかりません
 DocType: Purchase Invoice,Rejected Warehouse,拒否された倉庫
@@ -2368,6 +2399,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,最初に商品コードを設定してください
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,文書タイプ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},ローン保証誓約の作成:{0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,予定と患者の出会い
@@ -2423,6 +2455,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,同時予約数
 apps/erpnext/erpnext/config/desktop.py,Getting Started,入門
 DocType: Purchase Invoice,Taxes and Charges Calculation,租税公課計算
+DocType: Loan Interest Accrual,Payable Principal Amount,未払元本
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,資産償却エントリを自動的に記帳
 DocType: BOM Operation,Workstation,作業所
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,見積サプライヤー依頼
@@ -2459,7 +2492,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,食べ物
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,エイジングレンジ3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POSクローズバウチャーの詳細
-DocType: Bank Account,Is the Default Account,デフォルトのアカウントです
 DocType: Shopify Log,Shopify Log,Shopifyログ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,通信が見つかりませんでした。
 DocType: Inpatient Occupancy,Check In,チェックイン
@@ -2517,12 +2549,14 @@
 DocType: Sales Order Item,Planned Quantity,計画数
 DocType: Water Analysis,Water Analysis Criteria,水質分析基準
 DocType: Item,Maintain Stock,在庫維持
+DocType: Loan Security Unpledge,Unpledge Time,約束時間
 DocType: Terms and Conditions,Applicable Modules,適用モジュール
 DocType: Employee,Prefered Email,優先メールアドレス
 DocType: Student Admission,Eligibility and Details,資格と詳細
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,売上総利益に含まれる
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,固定資産の純変動
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,必要な数量
+DocType: Work Order,This is a location where final product stored.,これは、最終製品が保管された場所です。
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料金タイプ「実費」はアイテムの料金に含めることはできません
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大:{0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,開始日時
@@ -2563,8 +2597,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,保証/ 年間保守契約のステータス
 ,Accounts Browser,アカウントブラウザ
 DocType: Procedure Prescription,Referral,紹介
+,Territory-wise Sales,テリトリーごとの販売
 DocType: Payment Entry Reference,Payment Entry Reference,支払エントリ参照
 DocType: GL Entry,GL Entry,総勘定元帳エントリー
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,行#{0}:受け入れられた倉庫とサプライヤーの倉庫を同じにすることはできません
 DocType: Support Search Source,Response Options,応答オプション
 DocType: Pricing Rule,Apply Multiple Pricing Rules,複数の価格設定ルールを適用する
 DocType: HR Settings,Employee Settings,従業員の設定
@@ -2625,6 +2661,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,行{0}の支払い期間は重複している可能性があります。
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),農業(ベータ版)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,梱包伝票
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,[設定]&gt; [設定]&gt; [命名シリーズ]で{0}の命名シリーズを設定してください
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,事務所賃料
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMSゲートウェイの設定
 DocType: Disease,Common Name,一般名
@@ -2641,6 +2678,7 @@
 DocType: Item,Sales Details,販売明細
 DocType: Coupon Code,Used,中古
 DocType: Opportunity,With Items,関連アイテム
+DocType: Vehicle Log,last Odometer Value ,最後の走行距離値
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',キャンペーン &#39;{0}&#39;は既に{1} &#39;{2}&#39;に存在します
 DocType: Asset Maintenance,Maintenance Team,保守チーム
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",セクションを表示する順序0が最初、1が2番目というように続きます。
@@ -2651,7 +2689,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,経費請求{0}はすでに自動車ログインのために存在します
 DocType: Asset Movement Item,Source Location,ソースの場所
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,研究所の名前
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,返済金額を入力してください。
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,返済金額を入力してください。
 DocType: Shift Type,Working Hours Threshold for Absent,欠勤のしきい値
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,消費総額に基づいて複数の段階的な収集要因が存在する可能性があります。しかし、償還の換算係数は、すべての階層で常に同じになります。
 apps/erpnext/erpnext/config/help.py,Item Variants,アイテムバリエーション
@@ -2675,6 +2713,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},この{2} {3}の{1}と{0}競合
 DocType: Student Attendance Tool,Students HTML,生徒HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}:{1}は{2}より小さくなければなりません
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,最初に申請者タイプを選択してください
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse",BOM、数量、および倉庫用
 DocType: GST HSN Code,GST HSN Code,GST HSNコード
 DocType: Employee External Work History,Total Experience,実績合計
@@ -2766,7 +2805,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",アイテム{0}の有効なBOMが見つかりませんでした。 \ Serial Noによる配送は保証されません
 DocType: Sales Partner,Sales Partner Target,販売パートナー目標
-DocType: Loan Type,Maximum Loan Amount,最大融資額
+DocType: Loan Application,Maximum Loan Amount,最大融資額
 DocType: Coupon Code,Pricing Rule,価格設定ルール
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},生徒{0}のロール番号が重複しています
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,仕入注文のための資材要求
@@ -2789,6 +2828,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},休暇は{0}に正常に割り当てられました
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,梱包するアイテムはありません
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,現在サポートされているのは.csvファイルと.xlsxファイルのみです。
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,人事管理&gt; HR設定で従業員命名システムを設定してください
 DocType: Shipping Rule Condition,From Value,値から
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,製造数量は必須です
 DocType: Loan,Repayment Method,返済方法
@@ -2872,6 +2912,7 @@
 DocType: Customer,Customer POS Id,顧客のPOS ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,電子メール{0}の学生は存在しません
 DocType: Account,Account Name,アカウント名
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},会社{1}に対する{0}の認可済み融資額は既に存在します
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,開始日は終了日より後にすることはできません
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,シリアル番号 {0}は量{1}の割合にすることはできません
 DocType: Pricing Rule,Apply Discount on Rate,料金に割引を適用
@@ -2943,6 +2984,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,純利益
 DocType: Purchase Invoice,Eligibility For ITC,ITCの資格
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,約束されていない
 DocType: Journal Entry,Entry Type,エントリタイプ
 ,Customer Credit Balance,顧客貸方残高
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,買掛金の純変動
@@ -2954,6 +2996,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),出席デバイスID(バイオメトリック/ RFタグID)
 DocType: Quotation,Term Details,用語解説
 DocType: Item,Over Delivery/Receipt Allowance (%),超過分の配達/領収書手当(%)
+DocType: Appointment Letter,Appointment Letter Template,アポイントメントレターテンプレート
 DocType: Employee Incentive,Employee Incentive,従業員インセンティブ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,この生徒グループには {0} 以上の生徒を登録することはできません
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),合計(税なし)
@@ -2976,6 +3019,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",\ Item {0}が\ Serial番号で配送保証ありとなしで追加されるため、Serial Noによる配送を保証できません
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,請求書のキャンセルにお支払いのリンクを解除
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,ローン利息発生額の処理
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},入力された現在の走行距離計の読みは、初期の車両走行距離よりも大きくなければなりません{0}
 ,Purchase Order Items To Be Received or Billed,受領または請求される発注書アイテム
 DocType: Restaurant Reservation,No Show,非表示
@@ -3062,6 +3106,7 @@
 DocType: Payment Schedule,Payment Term,支払条件
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"同じ名前の顧客グループが存在します
 顧客名か顧客グループのどちらかの名前を変更してください"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,入場終了日は入場開始日よりも大きくする必要があります。
 DocType: Location,Area,エリア
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,新しい連絡先
 DocType: Company,Company Description,会社概要
@@ -3136,6 +3181,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,マップされたデータ
 DocType: Purchase Order Item,Warehouse and Reference,倉庫と問い合わせ先
 DocType: Payroll Period Date,Payroll Period Date,給与計算期間日付
+DocType: Loan Disbursement,Against Loan,ローンに対して
 DocType: Supplier,Statutory info and other general information about your Supplier,サプライヤーに関する法定の情報とその他の一般情報
 DocType: Item,Serial Nos and Batches,シリアル番号とバッチ
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,学生グループの強み
@@ -3202,6 +3248,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,会社を選択
 DocType: Delivery Settings,Delivery Settings,配信設定
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,データを取得する
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},{0}の{0} qtyを超える誓約を解除できません
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},休暇タイプ{0}に許可される最大休暇は{1}です。
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1アイテムを公開
 DocType: SMS Center,Create Receiver List,受領者リストを作成
@@ -3349,6 +3396,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),基準額(会社通貨)
 DocType: Purchase Invoice,Registered Regular,正規登録
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,原材料
+DocType: Plaid Settings,sandbox,サンドボックス
 DocType: Payment Reconciliation Payment,Reference Row,参照行
 DocType: Installation Note,Installation Time,設置時間
 DocType: Sales Invoice,Accounting Details,会計詳細
@@ -3361,12 +3409,11 @@
 DocType: Leave Ledger Entry,Transaction Type,取引タイプ
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,合否基準
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,上記の表に資材要求を入力してください
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,総支払金額
 DocType: Task,Expected Time (in hours),予定時間(時)
 DocType: Item Reorder,Check in (group),(グループ)で確認してください
 DocType: Soil Texture,Silt,シルト
@@ -3397,6 +3444,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,未払税免除証明書の控除税
 DocType: Volunteer,Anytime,どんなときも
 DocType: Bank Account,Bank Account No,銀行口座番号
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,支払いと返済
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,従業員税免除証明書の提出
 DocType: Patient,Surgical History,外科の歴史
 DocType: Bank Statement Settings Item,Mapped Header,マップされたヘッダー
@@ -3460,6 +3508,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,営業請求書にラボテストを作成する
 DocType: Serial No,Invoice Details,請求書の詳細
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,給与体系は、税控除宣言の提出前に提出する必要があります
+DocType: Loan Application,Proposed Pledges,提案された誓約
 DocType: Grant Application,Show on Website,ウェブサイトに表示
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,開始
 DocType: Hub Tracked Item,Hub Category,ハブカテゴリ
@@ -3471,7 +3520,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,サプライヤスコアカード
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},列{0}:アイテム {1} の部品表が見つかりません
 DocType: Contract Fulfilment Checklist,Requirement,要件
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,人事管理&gt; HR設定で従業員命名システムを設定してください
 DocType: Journal Entry,Accounts Receivable,売掛金
 DocType: Quality Goal,Objectives,目的
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,バックデート休暇アプリケーションの作成を許可されたロール
@@ -3484,6 +3532,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,照合済のエントリを含む
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,割り当てられた合計金額({0})は、支払われた金額({1})よりも多くなります。
 DocType: Landed Cost Voucher,Distribute Charges Based On,支払按分基準
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},支払額は{0}未満にできません
 DocType: Projects Settings,Timesheets,タイムシート
 DocType: HR Settings,HR Settings,人事設定
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,会計マスター
@@ -3629,6 +3678,7 @@
 DocType: Employee,Health Insurance,健康保険
 DocType: Asset Repair,Manufacturing Manager,製造マネージャー
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},シリアル番号{0}は {1}まで保証期間内です
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,ローン額は、提案された証券によると、最大ローン額{0}を超えています
 DocType: Plant Analysis Criteria,Minimum Permissible Value,最小許容値
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,ユーザー{0}は既に存在します
 apps/erpnext/erpnext/hooks.py,Shipments,出荷
@@ -3672,7 +3722,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,業種
 DocType: Sales Invoice,Consumer,消費者
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",割当額、請求タイプ、請求書番号を少なくとも1つの行から選択してください
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,[設定]&gt; [設定]&gt; [命名シリーズ]で{0}の命名シリーズを設定してください
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,新規購入のコスト
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},受注に必要な項目{0}
 DocType: Grant Application,Grant Description,助成金説明
@@ -3681,6 +3730,7 @@
 DocType: Subscription,Discounts,割引
 DocType: Bank Transaction,Unallocated Amount,未割り当て額
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,購入オーダーに適用され、実際の予約費用に適用されます
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0}は会社の銀行口座ではありません
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,一致する項目が見つかりません。 {0}のために他の値を選択してください。
 DocType: POS Profile,Taxes and Charges,租税公課
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",製品またはサービスは、購入・販売あるいは在庫です。
@@ -3729,6 +3779,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valid From Dateは、Valid Upto Dateより小さい値でなければなりません。
 DocType: Employee Skill,Evaluation Date,評価日
 DocType: Quotation Item,Stock Balance,在庫残高
+DocType: Loan Security Pledge,Total Security Value,トータルセキュリティバリュー
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,受注からの支払
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,最高経営責任者(CEO)
 DocType: Purchase Invoice,With Payment of Tax,税納付あり
@@ -3741,6 +3792,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,正しいアカウントを選択してください
 DocType: Salary Structure Assignment,Salary Structure Assignment,給与構造割当
 DocType: Purchase Invoice Item,Weight UOM,重量単位
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},アカウント{0}はダッシュボードチャート{1}に存在しません
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,フォリオ番号を持つ利用可能な株主のリスト
 DocType: Salary Structure Employee,Salary Structure Employee,給与構造の従業員
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,バリエーション属性を表示
@@ -3822,6 +3874,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,現在の評価額
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,rootアカウントの数は4未満にはできません
 DocType: Training Event,Advance,前進
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,ローンに対して:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless支払いゲートウェイの設定
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,取引利益/損失
 DocType: Opportunity,Lost Reason,失われた理由
@@ -3905,8 +3958,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,バッチ番号選択
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},無効な{0}:{1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,行{0}:兄弟の誕生日は今日よりも大きくすることはできません。
 DocType: Fee Validity,Reference Inv,参照請求書
 DocType: Sales Invoice Advance,Advance Amount,前払額
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,1日あたりの罰金利率(%)
 DocType: Manufacturing Settings,Capacity Planning,キャパシティプランニング
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,丸め調整(会社通貨
 DocType: Asset,Policy number,規約の番号
@@ -3922,7 +3977,9 @@
 DocType: Normal Test Items,Require Result Value,結果値が必要
 DocType: Purchase Invoice,Pricing Rules,価格設定ルール
 DocType: Item,Show a slideshow at the top of the page,ページの上部にスライドショーを表示
+DocType: Appointment Letter,Body,体
 DocType: Tax Withholding Rate,Tax Withholding Rate,税の源泉徴収率
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,定期ローンの返済開始日は必須です
 DocType: Pricing Rule,Max Amt,マックスアム
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,部品表
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,店舗
@@ -3942,7 +3999,7 @@
 DocType: Call Log,Received By,が受信した
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),予定期間(分)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,キャッシュフローマッピングテンプレートの詳細
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,ローン管理
+DocType: Loan,Loan Management,ローン管理
 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,Update Cost,費用更新
@@ -3950,6 +4007,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3Bフォーム
 DocType: Sales Invoice,Mode of Transport,輸送モード
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,給与明細を表示
+DocType: Loan,Is Term Loan,タームローン
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,資材配送
 DocType: Fees,Send Payment Request,支払依頼を送る
 DocType: Travel Request,Any other details,その他の詳細
@@ -3967,6 +4025,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,財務活動によるキャッシュフロー
 DocType: Budget Account,Budget Account,予算アカウント
 DocType: Quality Inspection,Verified By,検証者
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,ローンセキュリティの追加
 DocType: Travel Request,Name of Organizer,主催者の名前
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","既存の取引が存在するため、会社のデフォルトの通貨を変更することができません。
 デフォルトの通貨を変更するには取引をキャンセルする必要があります。"
@@ -4018,6 +4077,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,必要な箇所
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",チェックした場合、給与明細の四捨五入合計フィールドを非表示にして無効にします
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,これは、受注の納入日のデフォルトのオフセット(日)です。フォールバックオフセットは、発注日から7日間です。
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,[設定]&gt; [番号シリーズ]を使用して、出席の番号シリーズを設定してください
 DocType: Rename Tool,File to Rename,名前を変更するファイル
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},行 {0} 内のアイテムの部品表(BOM)を選択してください
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,購読の更新を取得する
@@ -4030,6 +4090,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,作成されたシリアル番号
 DocType: POS Profile,Applicable for Users,ユーザーに適用
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,開始日と終了日は必須です
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,プロジェクトとすべてのタスクをステータス{0}に設定しますか?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),アドバンスとアロケートを設定する(FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,作業オーダーが作成されていません
@@ -4039,6 +4100,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,アイテム
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,仕入アイテムの費用
 DocType: Employee Separation,Employee Separation Template,従業員分離テンプレート
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},ローン{0}に対して誓約した{0}のゼロ数量
 DocType: Selling Settings,Sales Order Required,受注必須
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,売り手になる
 ,Procurement Tracker,調達トラッカー
@@ -4136,11 +4198,12 @@
 ,Minutes to First Response for Opportunity,機会への初回レスポンス時間
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,欠席計
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,行{0}のアイテムまたは倉庫が資材要求と一致していません
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,支払金額
+DocType: Loan Repayment,Payable Amount,支払金額
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,機会
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,最大強度はゼロより小さくすることはできません。
 DocType: Options,Option,オプション
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},終了した会計期間{0}には会計エントリを作成できません
 DocType: Operation,Default Workstation,デフォルト作業所
@@ -4182,6 +4245,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,利息額は必須です
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,承認された休暇申請の記録と一致しない無給休暇
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,次のステップ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,保存したアイテム
@@ -4259,8 +4323,6 @@
 DocType: Grant Application,Grant Application Details ,助成金申請詳細
 DocType: Employee Separation,Employee Separation,従業員の分離
 DocType: BOM Item,Original Item,オリジナルアイテム
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","このドキュメントをキャンセルするには、従業員<a href=""#Form/Employee/{0}"">{0}</a> \を削除してください"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ドキュメントの日付
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},作成したフィーレコード -  {0}
 DocType: Asset Category Account,Asset Category Account,資産カテゴリーアカウント
@@ -4296,6 +4358,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ラボテスト項目{0}は既に存在します
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0}は会社の休日です
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,請求可能時間
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,返済が遅れた場合、ペナルティレートは保留中の利息に対して毎日課税されます。
+DocType: Appointment Letter content,Appointment Letter content,アポイントメントレターの内容
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ステータス通知を残す
 DocType: Patient Appointment,Procedure Prescription,プロシージャ処方
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,家具や備品
@@ -4315,7 +4379,7 @@
 DocType: Opportunity,Customer / Lead Name,顧客/リード名
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,決済日が記入されていません
 DocType: Payroll Period,Taxable Salary Slabs,課税可能な給与スラブ
-DocType: Job Card,Production,製造
+DocType: Plaid Settings,Production,製造
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTINが無効です。入力した入力がGSTINの形式と一致しません。
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,アカウント価値
 DocType: Guardian,Occupation,職業
@@ -4459,6 +4523,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,ロイヤリティプログラムコレクション
 DocType: Stock Entry Detail,Subcontracted Item,外注品
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},学生{0}はグループ{1}に属していません
+DocType: Appointment Letter,Appointment Date,予約日
 DocType: Budget,Cost Center,コストセンター
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,伝票番号
 DocType: Tax Rule,Shipping Country,出荷先の国
@@ -4529,6 +4594,7 @@
 DocType: Accounting Dimension,Accounting Dimension,会計ディメンション
 ,Profit and Loss Statement,損益計算書
 DocType: Bank Reconciliation Detail,Cheque Number,小切手番号
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,支払額をゼロにすることはできません
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0}  -  {1}で参照されているアイテムはすでに請求されています
 ,Sales Browser,販売ブラウザ
 DocType: Journal Entry,Total Credit,貸方合計
@@ -4644,6 +4710,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,クーポン条件の追加/編集
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,費用/差損益({0})は「損益」アカウントである必要があります
 DocType: Stock Entry Detail,Stock Entry Child,株式エントリーチャイルド
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,融資保証会社と融資会社は同じでなければなりません
 DocType: Project,Copied From,コピー元
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,すべての請求時間に作成された請求書
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},名前エラー:{0}
@@ -4651,6 +4718,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,財務コスト
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,従業員{0}の出勤はすでにマークされています
 DocType: Packing Slip,If more than one package of the same type (for print),同じタイプで複数パッケージの場合(印刷用)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,[教育]&gt; [教育の設定]でインストラクターの命名システムを設定してください
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,レストランの設定でデフォルトの顧客を設定してください
 ,Salary Register,給与登録
 DocType: Company,Default warehouse for Sales Return,返品のデフォルト倉庫
@@ -4695,7 +4763,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,現在のシリアル番号
 DocType: Employee,Attendance and Leave Details,出席と休暇の詳細
 ,BOM Comparison Tool,BOM比較ツール
-,Requested,要求済
+DocType: Loan Security Pledge,Requested,要求済
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,備考がありません
 DocType: Asset,In Maintenance,保守中
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWSから受注データを引き出すには、このボタンをクリックします。
@@ -4707,7 +4775,6 @@
 DocType: Drug Prescription,Drug Prescription,薬物処方
 DocType: Service Level,Support and Resolution,サポートと解決
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,無料商品コードが選択されていません
-DocType: Loan,Repaid/Closed,返済/クローズ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,全投影数量
 DocType: Monthly Distribution,Distribution Name,配布名
@@ -4741,6 +4808,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,在庫の会計エントリー
 DocType: Lab Test,LabTest Approver,LabTest承認者
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,評価基準{}は評価済です。
+DocType: Loan Security Shortfall,Shortfall Amount,不足額
 DocType: Vehicle Service,Engine Oil,エンジンオイル
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},作成された作業オーダー:{0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},リード{0}のメールIDを設定してください
@@ -4759,6 +4827,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ダッシュボードチャート{0}にアカウントが設定されていません
 DocType: Purchase Invoice,Apply Additional Discount On,追加割引に適用
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,タイプを選択...
+DocType: Loan Interest Accrual,Amounts,金額
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,あなたのチケット
 DocType: Account,Root Type,ルートタイプ
 DocType: Item,FIFO,FIFO
@@ -4766,6 +4835,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:アイテム {2} では {1} 以上を返すことはできません
 DocType: Item Group,Show this slideshow at the top of the page,ページの上部にこのスライドショーを表示
 DocType: BOM,Item UOM,アイテム数量単位
+DocType: Loan Security Price,Loan Security Price,ローン保証価格
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),割引後税額(会社通貨)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},{0}行にターゲット倉庫が必須です。
 apps/erpnext/erpnext/config/retail.py,Retail Operations,リテール事業
@@ -4904,6 +4974,7 @@
 DocType: Coupon Code,Coupon Description,クーポンの説明
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},行{0}にバッチが必須です
 DocType: Company,Default Buying Terms,デフォルトの購入条件
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,ローンの支払い
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,領収書アイテム供給済
 DocType: Amazon MWS Settings,Enable Scheduled Synch,スケジュールされた同期を有効にする
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,終了日時
@@ -4932,6 +5003,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0}と{1}の間の値を入力してください
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,問い合わせの内容がキャンペーンの場合は、キャンペーンの名前を入力してください
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,新聞社
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},{0}の有効な<b>ローン保証価格が</b>見つかりません
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,将来の日付は許可されません
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,予定納期は受注日の後でなければなりません
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,再注文レベル
@@ -4998,6 +5070,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,提案/価格見積もり
 DocType: Antibiotic,Healthcare,ヘルスケア
 DocType: Target Detail,Target Detail,ターゲット詳細
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,ローンプロセス
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,単一のバリエーション
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,すべてのジョブ
 DocType: Sales Order,% of materials billed against this Sales Order,%の資材が請求済(この受注を対象)
@@ -5060,7 +5133,7 @@
 DocType: Item,Reorder level based on Warehouse,倉庫ごとの再注文レベル
 DocType: Activity Cost,Billing Rate,請求単価
 ,Qty to Deliver,配送数
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,支払いエントリの作成
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,支払いエントリの作成
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazonは、この日付後に更新されたデータを同期させます
 ,Stock Analytics,在庫分析
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,操作は空白のままにすることはできません
@@ -5094,6 +5167,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,外部統合のリンク解除
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,対応する支払いを選択してください
 DocType: Pricing Rule,Item Code,アイテムコード
+DocType: Loan Disbursement,Pending Amount For Disbursal,支払い保留額
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,保証/ 年間保守契約の詳細
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,アクティビティベースのグループの学生を手動で選択する
@@ -5117,6 +5191,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,総数
 DocType: Landed Cost Item,Receipt Document,領収書のドキュメント
 DocType: Employee Education,School/University,学校/大学
+DocType: Loan Security Pledge,Loan  Details,ローン詳細
 DocType: Sales Invoice Item,Available Qty at Warehouse,倉庫の利用可能数量
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,請求金額
 DocType: Share Transfer,(including),(含む)
@@ -5140,6 +5215,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,グループ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,勘定によるグループ
 DocType: Purchase Invoice,Hold Invoice,請求書保留
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,誓約状況
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,従業員を選択してください
 DocType: Sales Order,Fully Delivered,全て納品済
 DocType: Promotional Scheme Price Discount,Min Amount,最小額
@@ -5149,7 +5225,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},支出額は、ローン額を超えることはできません{0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},行{0}#割り当てられた金額{1}は請求されていない金額{2}より大きくすることはできません
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},アイテム{0}には発注番号が必要です
 DocType: Leave Allocation,Carry Forwarded Leaves,繰り越し休暇
@@ -5177,6 +5252,7 @@
 DocType: Pick List Item,Serial No and Batch,シリアル番号とバッチ
 DocType: Warranty Claim,From Company,会社から
 DocType: GSTR 3B Report,January,1月
+DocType: Loan Repayment,Principal Amount Paid,支払額
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,評価基準のスコアの合計は{0}にする必要があります。
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,予約された減価償却の数を設定してください
 DocType: Supplier Scorecard Period,Calculations,計算
@@ -5202,6 +5278,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,あなたの会社について
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,ストックのエージングデータを表示
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,貸方アカウントは貸借対照表アカウントである必要があります
+DocType: Loan Repayment,Penalty Amount,ペナルティ額
 DocType: Donor,Donor,ドナー
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,アイテムの税金を更新
 DocType: Global Defaults,Disable In Words,文字表記無効
@@ -5232,6 +5309,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,原価センタと予算
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,開始残高 資本
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,部分有料エントリ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,支払いスケジュールを設定してください
 DocType: Pick List,Items under this warehouse will be suggested,この倉庫の下のアイテムが提案されます
 DocType: Purchase Invoice,N,N
@@ -5265,7 +5343,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},アイテム{1}に{0}が見つかりません
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},値は{0}と{1}の間でなければなりません
 DocType: Accounts Settings,Show Inclusive Tax In Print,印刷時に税込で表示
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",銀行口座、開始日と終了日は必須です
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,送信されたメッセージ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,子ノードを持つアカウントは元帳に設定することはできません
 DocType: C-Form,II,II
@@ -5279,6 +5356,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,自動並べ替えを有効にする
 DocType: Stock Settings,Item Naming By,アイテム命名
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},別の期間の決算仕訳 {0} が {1} の後に作成されています
+DocType: Proposed Pledge,Proposed Pledge,提案された誓約
 DocType: Work Order,Material Transferred for Manufacturing,製造用移設資材
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,アカウント{0}が存在しません
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ロイヤリティプログラムを選択
@@ -5289,7 +5367,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",以下の営業担当者に配置された従業員にはユーザーID {1} が無いため、{0}にイベントを設定します
 DocType: Timesheet,Billing Details,支払明細
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ソースとターゲット・ウェアハウスは異なっている必要があります
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,人事管理&gt; HR設定で従業員命名システムを設定してください
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,支払いに失敗しました。詳細はGoCardlessアカウントで確認してください
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0}よりも古い在庫取引を更新することはできません
 DocType: Stock Entry,Inspection Required,要検査
@@ -5302,6 +5379,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,教育課程
+DocType: Unpledge,Against Pledge,誓約に対して
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,この役割を持つユーザーは、口座の凍結と、凍結口座に対しての会計エントリーの作成/修正が許可されています
 DocType: Plaid Settings,Plaid Environment,格子縞の環境
 ,Project Billing Summary,プロジェクト請求の概要
@@ -5353,6 +5431,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,バッチ
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,事前に予約できる日数
 DocType: Article,LMS User,LMSユーザー
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,担保付きローンにはローン保証誓約が必須です
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),供給地(州/ユタ州)
 DocType: Purchase Order Item Supplied,Stock UOM,在庫単位
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,発注{0}は提出されていません
@@ -5427,6 +5506,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,求人カードを作成する
 DocType: Quotation,Referral Sales Partner,紹介販売パートナー
 DocType: Quality Procedure Process,Process Description,過程説明
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",保証を解除できません。ローンの保証額が返済額を超えています
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,顧客 {0} が作成されました。
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,現在どの倉庫にも在庫がありません
 ,Payment Period Based On Invoice Date,請求書の日付に基づく支払期間
@@ -5447,7 +5527,7 @@
 DocType: Asset,Insurance Details,保険の詳細
 DocType: Account,Payable,買掛
 DocType: Share Balance,Share Type,共有タイプ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,返済期間を入力してください。
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,返済期間を入力してください。
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),債務者({0})
 DocType: Pricing Rule,Margin,マージン
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,新規顧客
@@ -5456,6 +5536,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,リードソースによる機会
 DocType: Appraisal Goal,Weightage (%),重み付け(%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POSプロファイルの変更
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,数量または金額はローン保証の義務
 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,Assessment Report,評価レポート
@@ -5491,6 +5572,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,株主
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,販売請求書{0}が作成されました
 DocType: Employee,Confirmation Date,確定日
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","このドキュメントをキャンセルするには、従業員<a href=""#Form/Employee/{0}"">{0}</a> \を削除してください"
 DocType: Inpatient Occupancy,Check Out,チェックアウト
 DocType: C-Form,Total Invoiced Amount,請求額合計
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,最小個数は最大個数を超えることはできません
@@ -5504,7 +5587,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooksの企業ID
 DocType: Travel Request,Travel Funding,旅行資金調達
 DocType: Employee Skill,Proficiency,習熟度
-DocType: Loan Application,Required by Date,日によって必要とされます
 DocType: Purchase Invoice Item,Purchase Receipt Detail,購入領収書の詳細
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,作物が成長しているすべての場所へのリンク
 DocType: Lead,Lead Owner,リード所有者
@@ -5523,7 +5605,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,「現在の部品表」と「新しい部品表」は同じにすることはできません
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,給与明細ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,退職日は入社日より後でなければなりません
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,サプライヤ&gt;サプライヤタイプ
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,複数のバリエーション
 DocType: Sales Invoice,Against Income Account,対損益勘定
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}%配送済
@@ -5556,7 +5637,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,評価タイプの請求は「包括的」にマークすることはえきません
 DocType: POS Profile,Update Stock,在庫更新
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,支払詳細
+DocType: Loan Repayment,Payment Details,支払詳細
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,部品表通貨レート
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,アップロードされたファイルを読む
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",停止した作業指示を取り消すことはできません。取り消すには最初に取り消してください
@@ -5591,6 +5672,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},項目{0}にバッチ番号が必須です
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,最大ローン額
 ,Stock Ledger,在庫元帳
 DocType: Company,Exchange Gain / Loss Account,取引利益/損失のアカウント
 DocType: Amazon MWS Settings,MWS Credentials,MWS資格
@@ -5598,6 +5680,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},目的は、{0}のいずれかである必要があります
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,フォームに入力して保存します
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,コミュニティフォーラム
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},従業員に割り当てられた休暇なし:{0}、休暇タイプ:{1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,在庫実数
 DocType: Homepage,"URL for ""All Products""",「全製品」のURL
 DocType: Leave Application,Leave Balance Before Application,申請前休暇残数
@@ -5699,7 +5782,6 @@
 DocType: Fee Schedule,Fee Schedule,料金表
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,列ラベル
 DocType: Bank Transaction,Settled,定住
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,支払い日はローン返済開始日より後にすることはできません
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,セス
 DocType: Quality Feedback,Parameters,パラメーター
 DocType: Company,Create Chart Of Accounts Based On,アカウントベースでのグラフを作成
@@ -5719,6 +5801,7 @@
 DocType: Customer,Credit Limit and Payment Terms,与信限度額と支払い条件
 DocType: Loyalty Program,Collection Rules,コレクションルール
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,アイテム3
+DocType: Loan Security Shortfall,Shortfall Time,不足時間
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,注文入力
 DocType: Purchase Order,Customer Contact Email,顧客連絡先メールアドレス
 DocType: Warranty Claim,Item and Warranty Details,アイテムおよび保証詳細
@@ -5738,12 +5821,14 @@
 DocType: Sales Person,Sales Person Name,営業担当者名
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,表に少なくとも1件の請求書を入力してください
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,テストなし
+DocType: Loan Security Shortfall,Security Value ,セキュリティ値
 DocType: POS Item Group,Item Group,アイテムグループ
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,学生グループ:
 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,Total Allocated Leaves,割り当てられた合計葉
+DocType: Appointment Letter,Appointment Letter,任命状
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},{0}
@@ -5798,6 +5883,7 @@
 DocType: Stock Entry,From BOM,参照元部品表
 DocType: Assessment Code,Assessment Code,評価コード
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,基本
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,顧客および従業員からの融資申し込み。
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0}が凍結される以前の在庫取引
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',「スケジュール生成」をクリックしてください
 DocType: Job Card,Current Time,現在の時刻
@@ -5824,7 +5910,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,付与
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,生徒グループは作成されていません
 DocType: Purchase Invoice Item,Serial No,シリアル番号
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,月返済額は融資額を超えることはできません
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,月返済額は融資額を超えることはできません
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,メンテナンス詳細を入力してください
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,行番号{0}:予定納期は発注日より前になることはできません
 DocType: Purchase Invoice,Print Language,プリント言語
@@ -5838,6 +5924,7 @@
 DocType: Asset,Finance Books,金融書籍
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,従業員税免除宣言カテゴリ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,全ての領域
+DocType: Plaid Settings,development,開発
 DocType: Lost Reason Detail,Lost Reason Detail,失われた理由の詳細
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,従業員{0}の休暇ポリシーを従業員/グレードの記録に設定してください
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,選択された顧客および商品のブランケット注文が無効です
@@ -5900,12 +5987,14 @@
 DocType: Staffing Plan Detail,Current Openings,現在の開口部
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,営業活動によるキャッシュフロー
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST額
+DocType: Vehicle Log,Current Odometer value ,現在の走行距離計値
 apps/erpnext/erpnext/utilities/activation.py,Create Student,学生を作成する
 DocType: Asset Movement Item,Asset Movement Item,資産移動アイテム
 DocType: Purchase Invoice,Shipping Rule,出荷ルール
 DocType: Patient Relation,Spouse,配偶者
 DocType: Lab Test Groups,Add Test,テスト追加
 DocType: Manufacturer,Limited to 12 characters,12文字に制限されています
+DocType: Appointment Letter,Closing Notes,最後に
 DocType: Journal Entry,Print Heading,印刷見出し
 DocType: Quality Action Table,Quality Action Table,品質行動表
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,合計はゼロにすることはできません
@@ -5972,6 +6061,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),合計(数)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},タイプ{0}のアカウント(グループ)を識別または作成してください
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,エンターテインメント&レジャー
+DocType: Loan Security,Loan Security,ローンセキュリティ
 ,Item Variant Details,アイテムバリエーション詳細
 DocType: Quality Inspection,Item Serial No,アイテムシリアル番号
 DocType: Payment Request,Is a Subscription,サブスクリプションです
@@ -5984,7 +6074,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,最新の年齢
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,予定日と入場日は今日よりも短くすることはできません
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,サプライヤーに資材を配送
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新しいシリアル番号には倉庫を指定することができません。倉庫は在庫エントリーか領収書によって設定する必要があります
 DocType: Lead,Lead Type,リードタイプ
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,見積を登録
@@ -6002,7 +6091,6 @@
 DocType: Leave Allocation,Leave Period,休暇
 DocType: Item,Default Material Request Type,デフォルトの資材要求タイプ
 DocType: Supplier Scorecard,Evaluation Period,評価期間
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,顧客&gt;顧客グループ&gt;テリトリー
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,未知の
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,作業オーダーが作成されていない
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6086,7 +6174,8 @@
 ,Customer-wise Item Price,顧客ごとのアイテム価格
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,キャッシュフロー計算書
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,重要なリクエストは作成されません
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},融資額は、{0}の最大融資額を超えることはできません。
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},融資額は、{0}の最大融資額を超えることはできません。
+DocType: Loan,Loan Security Pledge,ローン保証誓約
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,運転免許
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,過去の会計年度の残高を今年度に含めて残したい場合は「繰り越す」を選択してください
@@ -6104,6 +6193,7 @@
 DocType: Pricing Rule,Price Discount Scheme,価格割引スキーム
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,保守ステータスをキャンセルするか、送信完了する必要があります
 DocType: Amazon MWS Settings,US,米国
+DocType: Loan Security Pledge,Pledged,誓約
 DocType: Holiday List,Add Weekly Holidays,ウィークリーホリデーを追加
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,レポートアイテム
 DocType: Staffing Plan Detail,Vacancies,欠員
@@ -6122,7 +6212,6 @@
 DocType: Production Plan Item,Planned Start Date,計画開始日
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,BOMを選択してください
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC統合税を徴収
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,返済エントリを作成する
 DocType: Purchase Order Item,Blanket Order Rate,ブランケット注文率
 ,Customer Ledger Summary,顧客元帳サマリー
 apps/erpnext/erpnext/hooks.py,Certification,認証
@@ -6143,6 +6232,7 @@
 DocType: Appraisal Template,Appraisal Template Title,査定テンプレートタイトル
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,営利企業
 DocType: Patient,Alcohol Current Use,現在のアルコール摂取
+DocType: Loan,Loan Closure Requested,ローン閉鎖のリクエスト
 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,免税カテゴリー
@@ -6166,6 +6256,7 @@
 DocType: Opening Invoice Creation Tool,Sales,販売
 DocType: Stock Entry Detail,Basic Amount,基本額
 DocType: Training Event,Exam,試験
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,プロセスローンのセキュリティ不足
 DocType: Email Campaign,Email Campaign,メールキャンペーン
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,マーケットプレイスエラー
 DocType: Complaint,Complaint,苦情
@@ -6245,6 +6336,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,これを送信して従業員レコードを作成する
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},ローンのセキュリティ価格が{0}と重複しています
 DocType: Item Default,Item Default,項目デフォルト
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,州内物資
 DocType: Chapter Member,Leave Reason,欠勤理由
@@ -6271,6 +6363,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0}使用されるクーポンは{1}です。許容量を使い果たしました
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,資料請求を提出しますか
 DocType: Job Offer,Awaiting Response,応答を待っています
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,ローンは必須です
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,上記
 DocType: Support Search Source,Link Options,リンクオプション
@@ -6283,6 +6376,7 @@
 DocType: Training Event Employee,Optional,任意
 DocType: Salary Slip,Earning & Deduction,収益と控除
 DocType: Agriculture Analysis Criteria,Water Analysis,水質分析
+DocType: Pledge,Post Haircut Amount,散髪後の金額
 DocType: Sales Order,Skip Delivery Note,納品書をスキップ
 DocType: Price List,Price Not UOM Dependent,UOMに依存しない価格
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0}バリアントが作成されました。
@@ -6309,6 +6403,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,付属品からアイテムを取得
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,タームローンには返済方法が必須
 DocType: Asset,Straight Line,直線
 DocType: Project User,Project User,プロジェクトユーザー
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,分割
@@ -6353,7 +6448,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,アカウントの凍結と凍結エントリの編集が許可された役割
 DocType: Supplier Scorecard Scoring Variable,Path,パス
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,子ノードがあるため、コストセンターを元帳に変換することはできません
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},アイテムのUOM換算係数({0}-&gt; {1})が見つかりません:{2}
 DocType: Production Plan,Total Planned Qty,計画総数
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ステートメントからすでに取り出されたトランザクション
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,始値
@@ -6362,11 +6456,8 @@
 DocType: Material Request Plan Item,Required Quantity,必要数量
 DocType: Lab Test Template,Lab Test Template,ラボテストテンプレート
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},会計期間が{0}と重複しています
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,サプライヤ&gt;サプライヤタイプ
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,セールスアカウント
 DocType: Purchase Invoice Item,Total Weight,総重量
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","このドキュメントをキャンセルするには、従業員<a href=""#Form/Employee/{0}"">{0}</a> \を削除してください"
 DocType: Pick List Item,Pick List Item,ピックリストアイテム
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,販売手数料
 DocType: Job Offer Term,Value / Description,値/説明
@@ -6413,6 +6504,7 @@
 DocType: Patient Encounter,Encounter Date,出会いの日
 DocType: Work Order,Update Consumed Material Cost In Project,プロジェクトの消費材料費を更新
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,アカウント:{0} で通貨:{1}を選択することはできません
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,顧客および従業員に提供されるローン。
 DocType: Bank Statement Transaction Settings Item,Bank Data,銀行データ
 DocType: Purchase Receipt Item,Sample Quantity,サンプル数量
 DocType: Bank Guarantee,Name of Beneficiary,受益者の氏名
@@ -6481,7 +6573,6 @@
 DocType: Contract,Signed On,サインオン
 DocType: Bank Account,Party Type,当事者タイプ
 DocType: Discounted Invoice,Discounted Invoice,割引請求書
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,出席としてマーク<b></b>
 DocType: Payment Schedule,Payment Schedule,支払いスケジュール
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},指定された従業員フィールド値に従業員が見つかりませんでした。 &#39;{}&#39;:{}
 DocType: Item Attribute Value,Abbreviation,略語
@@ -6553,6 +6644,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,債権者
 DocType: Assessment Plan,Assessment Name,評価名
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,行#{0}:シリアル番号は必須です
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,ローン閉鎖には{0}の金額が必要です
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,アイテムごとの税の詳細
 DocType: Employee Onboarding,Job Offer,求人
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,研究所の略
@@ -6576,7 +6668,6 @@
 DocType: Purchase Order,To Receive,受領する
 DocType: Leave Period,Holiday List for Optional Leave,オプション休暇の休日一覧
 DocType: Item Tax Template,Tax Rates,税率
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,商品コード&gt;商品グループ&gt;ブランド
 DocType: Asset,Asset Owner,資産所有者
 DocType: Item,Website Content,ウェブサイトのコンテンツ
 DocType: Bank Account,Integration ID,統合ID
@@ -6592,6 +6683,7 @@
 DocType: Amazon MWS Settings,Synch Orders,オーダーの同期
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,製造の指示
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,年度選択...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},会社{0}のローンタイプを選択してください
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POSエントリを作成するためにはPOSプロフィールが必要です
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",ロイヤリティポイントは、記載されている回収率に基づいて、(販売請求書によって)完了した使用額から計算されます。
 DocType: Program Enrollment Tool,Enroll Students,生徒を登録
@@ -6620,6 +6712,7 @@
 DocType: Customer,Mention if non-standard receivable account,非標準の売掛金の場合に記載
 DocType: Bank,Plaid Access Token,格子縞のアクセストークン
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,残りのメリット{0}を既存のコンポーネントに追加してください
+DocType: Bank Account,Is Default Account,デフォルトのアカウントです
 DocType: Journal Entry Account,If Income or Expense,収益または費用の場合
 DocType: Course Topic,Course Topic,コーストピック
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},日付{1}と{2}の間の{0}にPOS決済伝票がすでに存在します
@@ -6632,7 +6725,7 @@
 DocType: Disease,Treatment Task,治療タスク
 DocType: Payment Order Reference,Bank Account Details,銀行口座の詳細
 DocType: Purchase Order Item,Blanket Order,ブランケットオーダー
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,返済額は
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,返済額は
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,税金資産
 DocType: BOM Item,BOM No,部品表番号
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,更新の詳細
@@ -6689,6 +6782,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce製品
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},式または条件の構文エラー:{0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,アイテム{0}は在庫アイテムではないので無視されます
+,Loan Security Status,ローンのセキュリティステータス
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",特定の処理/取引で価格設定ルールを適用させないようにするために、全てに適用可能な価格設定ルールを無効にする必要があります。
 DocType: Payment Term,Day(s) after the end of the invoice month,請求書月の終了後の日
 DocType: Assessment Group,Parent Assessment Group,親の評価グループ
@@ -6703,7 +6797,6 @@
 DocType: Stock Entry Detail,Additional Cost,追加費用
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",伝票でグループ化されている場合、伝票番号でフィルタリングすることはできません。
 DocType: Quality Inspection,Incoming,収入
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,[設定]&gt; [番号シリーズ]を使用して、出席の番号シリーズを設定してください
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,販売および購買のデフォルト税テンプレートが登録されます。
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,評価結果レコード{0}は既に存在します。
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例:ABCD。#####。 seriesが設定され、トランザクションでBatch Noが指定されていない場合、このシリーズに基づいて自動バッチ番号が作成されます。この項目のBatch Noを明示的に指定する場合は、この項目を空白のままにしておきます。注:この設定は、ストック設定のネーミングシリーズ接頭辞よりも優先されます。
@@ -6714,8 +6807,10 @@
 DocType: Contract,Party User,パーティーユーザー
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b>用に作成されていないアセット。アセットを手動で作成する必要があります。
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Group Byが &#39;Company&#39;の場合、Companyフィルターを空白に設定してください
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,顧客&gt;顧客グループ&gt;テリトリー
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,転記日付は将来の日付にすることはできません
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:シリアル番号 {1} が {2} {3}と一致しません
+DocType: Loan Repayment,Interest Payable,支払利息
 DocType: Stock Entry,Target Warehouse Address,ターゲット倉庫の住所
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,臨時休暇
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,従業員チェックインが出席のために考慮される間のシフト開始時間の前の時間。
@@ -6844,6 +6939,7 @@
 DocType: Issue,Reset Service Level Agreement,サービスレベル契約のリセット
 ,Sales Person-wise Transaction Summary,各営業担当者の取引概要
 DocType: Training Event,Contact Number,連絡先の番号
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,ローン額は必須です
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,倉庫{0}は存在しません
 DocType: Cashier Closing,Custody,親権
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,従業員免税プルーフの提出詳細
@@ -6890,6 +6986,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,残高数量
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,選択したすべての項目を組み合わせて条件が適用されます。
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,目標は、空にすることはできません
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,間違った倉庫
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,生徒を登録
 DocType: Item Group,Parent Item Group,親項目グループ
 DocType: Appointment Type,Appointment Type,予約タイプ
@@ -6943,10 +7040,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,平均レート
 DocType: Appointment,Appointment With,予定
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支払スケジュールの総支払額は、総額/丸め合計と等しくなければなりません
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,出席にマークを付ける<b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",顧客提供のアイテムに評価率を設定することはできません。
 DocType: Subscription Plan Detail,Plan,計画
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,総勘定元帳ごとの銀行取引明細残高
-DocType: Job Applicant,Applicant Name,申請者名
+DocType: Appointment Letter,Applicant Name,申請者名
 DocType: Authorization Rule,Customer / Item Name,顧客/アイテム名
 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**. 
 
@@ -6990,11 +7088,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,在庫元帳にエントリーが存在する倉庫を削除することはできません。
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,配布
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,次の従業員が現在この従業員に報告しているため、従業員のステータスを「左」に設定することはできません。
-DocType: Journal Entry Account,Loan,ローン
+DocType: Loan Repayment,Amount Paid,支払額
+DocType: Loan Security Shortfall,Loan,ローン
 DocType: Expense Claim Advance,Expense Claim Advance,経費請求のアドバンス
 DocType: Lab Test,Report Preference,レポート設定
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ボランティア情報
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,プロジェクトマネージャー
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,顧客別グループ
 ,Quoted Item Comparison,引用符で囲まれた項目の比較
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0}から{1}までのスコアが重複しています
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,発送
@@ -7014,6 +7114,7 @@
 DocType: Material Request Plan Item,Material Issue,資材課題
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},価格ルール{0}で設定されていない無料アイテム
 DocType: Employee Education,Qualification,資格
+DocType: Loan Security Shortfall,Loan Security Shortfall,ローンのセキュリティ不足
 DocType: Item Price,Item Price,アイテム価格
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,石鹸&洗剤
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},従業員{0}は会社{1}に属していません
@@ -7036,6 +7137,7 @@
 DocType: Appointment Booking Settings,Appointment Details,予定の詳細
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,完成品
 DocType: Warehouse,Warehouse Name,倉庫名
+DocType: Loan Security Pledge,Pledge Time,誓約時間
 DocType: Naming Series,Select Transaction,取引を選択
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,「役割承認」または「ユーザー承認」を入力してください
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,エンティティタイプ{0}とエンティティ{1}のサービスレベル契約が既に存在します。
@@ -7043,7 +7145,6 @@
 DocType: BOM,Rate Of Materials Based On,資材単価基準
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",有効にすると、Program Enrollment ToolにAcademic Termフィールドが必須となります。
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",免除、ゼロ評価および非GSTの対内供給の価値
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,顧客&gt;顧客グループ&gt;テリトリー
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>会社</b>は必須フィルターです。
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,すべて選択解除
 DocType: Purchase Taxes and Charges,On Item Quantity,商品数量について
@@ -7088,7 +7189,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,不足数量
 DocType: Purchase Invoice,Input Service Distributor,入力サービス配給業者
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,アイテムバリエーション{0}は同じ属性で存在しています
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,[教育]&gt; [教育の設定]でインストラクターの命名システムを設定してください
 DocType: Loan,Repay from Salary,給与から返済
 DocType: Exotel Settings,API Token,APIトークン
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},量 {2} 用の {0} {1}に対する支払依頼
@@ -7108,6 +7208,7 @@
 DocType: Salary Slip,Total Interest Amount,総金利
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,子ノードを持つ倉庫を元帳に変換することはできません
 DocType: BOM,Manage cost of operations,作業費用を管理
+DocType: Unpledge,Unpledge,誓約
 DocType: Accounts Settings,Stale Days,有効期限
 DocType: Travel Itinerary,Arrival Datetime,到着日時
 DocType: Tax Rule,Billing Zipcode,請求先郵便番号
@@ -7294,6 +7395,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,時間
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0}で新しいアポイントメントが作成されました
 DocType: Project,Expected Start Date,開始予定日
+DocType: Work Order,This is a location where raw materials are available.,これは、原料が入手できる場所です。
 DocType: Purchase Invoice,04-Correction in Invoice,04  - インボイスの修正
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOMを持つすべての明細に対してすでに作成された作業オーダー
 DocType: Bank Account,Party Details,当事者詳細
@@ -7312,6 +7414,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,名言:
 DocType: Contract,Partially Fulfilled,部分的に完成した
 DocType: Maintenance Visit,Fully Completed,全て完了
+DocType: Loan Security,Loan Security Name,ローンセキュリティ名
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",&quot; - &quot;、 &quot;#&quot;、 &quot;。&quot;、 &quot;/&quot;、 &quot;{&quot;、および &quot;}&quot;以外の特殊文字は、一連の名前付けでは使用できません
 DocType: Purchase Invoice Item,Is nil rated or exempted,無評価または免除
 DocType: Employee,Educational Qualification,学歴
@@ -7368,6 +7471,7 @@
 DocType: Program,Is Featured,おすすめです
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,取得しています...
 DocType: Agriculture Analysis Criteria,Agriculture User,農業ユーザー
+DocType: Loan Security Shortfall,America/New_York,アメリカ/ニューヨーク
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,有効期限は取引日の前にすることはできません
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,生徒カテゴリー
@@ -7445,8 +7549,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,凍結された値を設定する権限がありません
 DocType: Payment Reconciliation,Get Unreconciled Entries,未照合のエントリーを取得
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},従業員{0}は{1}に出発しています
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,仕訳入力に返済が選択されていない
 DocType: Purchase Invoice,GST Category,GSTカテゴリー
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,担保ローンには提案された誓約が必須です
 DocType: Payment Reconciliation,From Invoice Date,請求書の日付から
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,予算
 DocType: Invoice Discounting,Disbursed,支払われた
@@ -7504,14 +7608,13 @@
 DocType: Restaurant,Active Menu,アクティブメニュー
 DocType: Accounting Dimension Detail,Default Dimension,デフォルト寸法
 DocType: Target Detail,Target Qty,ターゲット数量
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},ローンに対して:{0}
 DocType: Shopping Cart Settings,Checkout Settings,チェックアウト設定
 DocType: Student Attendance,Present,出勤
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,納品書{0}は提出済にすることはできません
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",従業員に電子メールで送られた給与明細はパスワードで保護され、パスワードはパスワードポリシーに基づいて生成されます。
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,アカウント{0}を閉じると、型責任/エクイティのものでなければなりません
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},従業員の給与明細 {0} はすで勤務表 {1} 用に作成されています
-DocType: Vehicle Log,Odometer,走行距離計
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,走行距離計
 DocType: Production Plan Item,Ordered Qty,注文数
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,アイテム{0}は無効です
 DocType: Stock Settings,Stock Frozen Upto,在庫凍結
@@ -7568,7 +7671,6 @@
 DocType: Serial No,Delivery Document Type,納品文書タイプ
 DocType: Sales Order,Partly Delivered,一部納品済
 DocType: Item Variant Settings,Do not update variants on save,保存時にバリエーションを更新しない
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,顧客グループ
 DocType: Email Digest,Receivables,売掛金
 DocType: Lead Source,Lead Source,リード元
 DocType: Customer,Additional information regarding the customer.,顧客に関する追加情報
@@ -7666,6 +7768,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,実際
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,レストランマネージャー
+DocType: Loan,Penalty Income Account,ペナルティ収入勘定
 DocType: Call Log,Call Log,通話記録
 DocType: Authorization Rule,Customerwise Discount,顧客ごと割引
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,タスクのためのタイムシート。
@@ -7753,6 +7856,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,製品割引スキーム
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,呼び出し元から問題は発生していません。
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,サプライヤー別グループ
 DocType: Restaurant Reservation,Waitlisted,キャンセル待ち
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,免除カテゴリー
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,他の通貨を使用してエントリーを作成した後には通貨を変更することができません
@@ -7763,7 +7867,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,コンサルティング
 DocType: Subscription Plan,Based on price list,価格表に基づいて
 DocType: Customer Group,Parent Customer Group,親顧客グループ
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSONはSales Invoiceからのみ生成できます
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,このクイズの最大試行回数に達しました!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,購読
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,手数料の作成を保留中
@@ -7781,6 +7884,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,予防保守
 DocType: Delivery Note Item,Against Sales Invoice,対納品書
 DocType: Purchase Invoice,07-Others,07-その他
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,見積金額
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,シリアル番号が付与されたアイテムのシリアル番号を入力してください
 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. ,コースベースのグループを作る際にバッチを考慮したくない場合は、チェックを外したままにしておきます。
@@ -7888,6 +7992,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,支払領収書の注意
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,これは、この顧客に対する取引に基づいています。詳細については以下のタイムラインを参照してください
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,品目依頼の登録
+DocType: Loan Interest Accrual,Pending Principal Amount,保留中の元本金額
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",開始日と終了日が有効な給与計算期間内にないため、{0}を計算できません
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,新しい学期
@@ -7931,6 +8036,7 @@
 											to fullfill Sales Order {2}",項目{1}のシリアルナンバー{0}は、販売注文{2}を完全に埋めるために予約されているため配送できません
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,サプライヤー見積 {0} 作成済
+DocType: Loan Security Unpledge,Unpledge Type,誓約書タイプ
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,終了年を開始年より前にすることはできません
 DocType: Employee Benefit Application,Employee Benefits,従業員給付
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,従業員ID
@@ -8013,6 +8119,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,コースコード:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,経費勘定を入力してください
 DocType: Quality Action Resolution,Problem,問題
+DocType: Loan Security Type,Loan To Value Ratio,ローン対価値比率
 DocType: Account,Stock,在庫
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参照文書タイプは、発注・請求書・仕訳のいずれかでなければなりません
 DocType: Employee,Current Address,現住所
@@ -8030,6 +8137,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,銀行取引明細
 DocType: Sales Invoice Item,Discount and Margin,値引と利幅
 DocType: Lab Test,Prescription,処方
+DocType: Process Loan Security Shortfall,Update Time,更新時間
 DocType: Import Supplier Invoice,Upload XML Invoices,XML請求書のアップロード
 DocType: Company,Default Deferred Revenue Account,デフォルトの繰延収益アカウント
 DocType: Project,Second Email,2番目のメール
@@ -8043,7 +8151,7 @@
 DocType: Quality Action,Preventive,予防的
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,未登録の人への供給
 DocType: Company,Date of Incorporation,設立の日
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,税合計
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,税合計
 DocType: Manufacturing Settings,Default Scrap Warehouse,デフォルトのスクラップ倉庫
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,最終購入価格
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,数量(製造数量)が必須です
@@ -8062,6 +8170,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,デフォルトの支払い方法を設定する
 DocType: Stock Entry Detail,Against Stock Entry,在庫に対して
 DocType: Grant Application,Withdrawn,取り下げ
+DocType: Loan Repayment,Regular Payment,定期支払い
 DocType: Support Search Source,Support Search Source,サポート検索ソース
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,有料
 DocType: Project,Gross Margin %,粗利益率%
@@ -8074,8 +8183,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,税納付なし
 DocType: BOM Operation,BOM Operation,部品表の操作
 DocType: Purchase Taxes and Charges,On Previous Row Amount,前行の額
+DocType: Student,Home Address,自宅住所
 DocType: Options,Is Correct,正しい
 DocType: Item,Has Expiry Date,有効期限あり
+DocType: Loan Repayment,Paid Accrual Entries,有料の見越エントリ
+DocType: Loan Security,Loan Security Type,ローンセキュリティタイプ
 apps/erpnext/erpnext/config/support.py,Issue Type.,問題の種類。
 DocType: POS Profile,POS Profile,POSプロフィール
 DocType: Training Event,Event Name,イベント名
@@ -8087,6 +8199,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",予算や目標などを設定する期間
 apps/erpnext/erpnext/www/all-products/index.html,No values,値なし
 DocType: Supplier Scorecard Scoring Variable,Variable Name,変数名
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,調整する銀行口座を選択します。
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",アイテム{0}はテンプレートです。バリエーションのいずれかを選択してください
 DocType: Purchase Invoice Item,Deferred Expense,繰延費用
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,メッセージに戻る
@@ -8138,7 +8251,6 @@
 DocType: GL Entry,To Rename,名前を変更する
 DocType: Stock Entry,Repack,再梱包
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,シリアル番号を追加する場合に選択します。
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,[教育]&gt; [教育の設定]でインストラクターの命名システムを設定してください
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',顧客 &#39;%s&#39;の会計コードを設定してください
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,最初に会社を選択してください
 DocType: Item Attribute,Numeric Values,数値
@@ -8162,6 +8274,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFOに基づくフェッチ
 DocType: Soil Texture,Clay Loam,埴壌土
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,ルートを編集することはできません
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,ローンのセキュリティ価値
 DocType: Item,Units of Measure,測定の単位
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,メトロシティで賃貸
 DocType: Supplier,Default Tax Withholding Config,デフォルト税控除設定
@@ -8208,6 +8321,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,カテゴリを選択してください
 apps/erpnext/erpnext/config/projects.py,Project master.,プロジェクトマスター
 DocType: Contract,Contract Terms,契約条件
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,認可額の制限
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,設定を続ける
 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,Maximum benefit amount of component {0} exceeds {1},コンポーネント{0}の最大利益額が{1}を超えています
@@ -8240,6 +8354,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,通話履歴を表示
 DocType: BOM Operation,Operating Cost(Company Currency),営業費用(会社通貨)
 DocType: Loan Application,Rate of Interest,金利
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},ローン保証誓約はすでにローン{0}に対して誓約しています
 DocType: Expense Claim Detail,Sanctioned Amount,承認予算額
 DocType: Item,Shelf Life In Days,賞味期限
 DocType: GL Entry,Is Opening,オープン
@@ -8253,3 +8368,4 @@
 DocType: Account,Cash,現金
 DocType: Sales Invoice,Unpaid and Discounted,未払いと割引
 DocType: Employee,Short biography for website and other publications.,ウェブサイトや他の出版物のための略歴
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,行#{0}:原材料を外注先に供給する間、サプライヤ倉庫を選択できません
diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv
index 57d9b93..95aeed9 100644
--- a/erpnext/translations/km.csv
+++ b/erpnext/translations/km.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,ឱកាសបាត់បង់ហេតុផល។
 DocType: Patient Appointment,Check availability,ពិនិត្យភាពអាចរកបាន
 DocType: Retention Bonus,Bonus Payment Date,ថ្ងៃបង់ប្រាក់រង្វាន់
-DocType: Employee,Job Applicant,ការងារដែលអ្នកដាក់ពាក្យសុំ
+DocType: Appointment Letter,Job Applicant,ការងារដែលអ្នកដាក់ពាក្យសុំ
 DocType: Job Card,Total Time in Mins,ពេលវេលាសរុបនៅក្នុងមីន។
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,នេះផ្អែកលើប្រតិបត្តិការប្រឆាំងនឹងការផ្គត់ផ្គង់នេះ។ សូមមើលខាងក្រោមសម្រាប់សេចក្ដីលម្អិតកំណត់ពេលវេលា
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ភាគរយលើសផលិតកម្មសម្រាប់ស្នាដៃការងារ
@@ -184,6 +184,7 @@
 DocType: Delivery Stop,Contact Information,ព័ត៌មានទំនាក់ទំនង
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ស្វែងរកអ្វីទាំងអស់ ...
 ,Stock and Account Value Comparison,ការប្រៀបធៀបតម្លៃភាគហ៊ុននិងគណនី
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,ចំនួនទឹកប្រាក់ដែលត្រូវបានប្រគល់មិនអាចលើសពីចំនួនប្រាក់កម្ចីឡើយ
 DocType: Company,Phone No,គ្មានទូរស័ព្ទ
 DocType: Delivery Trip,Initial Email Notification Sent,ការជូនដំណឹងអ៊ីម៉ែលដំបូងបានផ្ញើ
 DocType: Bank Statement Settings,Statement Header Mapping,ការបរិយាយចំណងជើងបឋមកថា
@@ -289,6 +290,7 @@
 DocType: Lead,Interested,មានការចាប់អារម្មណ៍
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,ពិធីបើក
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,កម្មវិធី:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,មានសុពលភាពពីពេលវេលាត្រូវតែតិចជាងពេលវេលាដែលមានសុពលភាព Upto ។
 DocType: Item,Copy From Item Group,ការចម្លងពីធាតុគ្រុប
 DocType: Journal Entry,Opening Entry,ការបើកចូល
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,មានតែគណនីប្រាក់
@@ -336,6 +338,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,ថ្នាក់ទី
 DocType: Restaurant Table,No of Seats,ចំនួនកៅអី
+DocType: Loan Type,Grace Period in Days,រយៈពេលព្រះគុណនៅក្នុងថ្ងៃ
 DocType: Sales Invoice,Overdue and Discounted,ហួសកាលកំណត់និងបញ្ចុះតំលៃ។
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},ទ្រព្យសម្បត្តិ {0} មិនមែនជាកម្មសិទ្ធិរបស់អ្នកថែរក្សា {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ការហៅត្រូវបានផ្តាច់។
@@ -387,7 +390,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,នីតិវិធីដែលបានកំណត់
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,បង្ហាញតែម៉ាស៊ីនឆូតកាត
 DocType: Supplier Group,Supplier Group Name,ឈ្មោះក្រុមអ្នកផ្គត់ផ្គង់
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,សម្គាល់ការចូលរួមជា <b></b>
 DocType: Driver,Driving License Categories,អាជ្ញាប័ណ្ណបើកបរប្រភេទ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,សូមបញ្ចូលកាលបរិច្ឆេទដឹកជញ្ជូន
 DocType: Depreciation Schedule,Make Depreciation Entry,ធ្វើឱ្យធាតុរំលស់
@@ -404,10 +406,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ពត៌មានលំអិតនៃការប្រតិបត្ដិការនេះបានអនុវត្ត។
 DocType: Asset Maintenance Log,Maintenance Status,ស្ថានភាពថែទាំ
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ចំនួនពន្ធលើធាតុដែលបានបញ្ចូលក្នុងតម្លៃ។
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,ការធានាសុវត្ថិភាពប្រាក់កម្ចី
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,ពត៌មានលំអិតសមាជិក
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: អ្នកផ្គត់ផ្គង់គឺត្រូវបានទាមទារប្រឆាំងនឹងគណនីទូទាត់ {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,មុខទំនិញ និងតម្លៃ
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ម៉ោងសរុប: {0}
+DocType: Loan,Loan Manager,អ្នកគ្រប់គ្រងប្រាក់កម្ចី
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ពីកាលបរិច្ឆេទគួរជានៅក្នុងឆ្នាំសារពើពន្ធ។ សន្មត់ថាពីកាលបរិច្ឆេទ = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-yYYY.-
 DocType: Drug Prescription,Interval,ចន្លោះពេល
@@ -466,6 +470,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',ធ្វើឱ្យទាន់សម័យតាមរយៈ &quot;ពេលវេលាកំណត់ហេតុ &#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ជ្រើសរើសអតិថិជនឬអ្នកផ្គត់ផ្គង់។
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,លេខកូដប្រទេសនៅក្នុងឯកសារមិនត្រូវគ្នានឹងលេខកូដប្រទេសដែលបានតំឡើងនៅក្នុងប្រព័ន្ធ
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},គណនី {0} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ជ្រើសអាទិភាពមួយជាលំនាំដើម។
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាង {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",រន្ធដោតបានរំលងរន្ធដោត {0} ដល់ {1} ត្រួតគ្នារន្ធដោត {2} ទៅ {3}
@@ -543,7 +548,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ទុកឱ្យទប់ស្កាត់
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ធាតុ {0} បានឈានដល់ទីបញ្ចប់នៃជីវិតរបស់ខ្លួននៅលើ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ធាតុធនាគារ
-DocType: Customer,Is Internal Customer,ជាអតិថិជនផ្ទៃក្នុង
+DocType: Sales Invoice,Is Internal Customer,ជាអតិថិជនផ្ទៃក្នុង
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,ការលក់វិក័យប័ត្រគ្មាន
@@ -567,6 +572,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,សម្ភារៈស្នើសុំ
 DocType: Bank Reconciliation,Update Clearance Date,ធ្វើឱ្យទាន់សម័យបោសសំអាតកាលបរិច្ឆេទ
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,បាច់ Qty ។
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,មិនអាចបង្កើតប្រាក់កម្ចីបានទេរហូតដល់មានការយល់ព្រម
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ធាតុ {0} មិនត្រូវបានរកឃើញនៅក្នុង &#39;វត្ថុធាតុដើមការី &quot;តារាងក្នុងការទិញលំដាប់ {1}
 DocType: Salary Slip,Total Principal Amount,ចំនួននាយកសាលាសរុប
@@ -574,6 +580,7 @@
 DocType: Quiz Result,Correct,ត្រឹមត្រូវ។
 DocType: Student Guardian,Mother,ម្តាយ
 DocType: Restaurant Reservation,Reservation End Time,ពេលវេលាបញ្ចប់ការកក់
+DocType: Salary Slip Loan,Loan Repayment Entry,ការបញ្ចូលប្រាក់កម្ចី
 DocType: Crop,Biennial,ពីរឆ្នាំ
 ,BOM Variance Report,របាយការណ៏ខុសគ្នារបស់ច្បាប់
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,ការបញ្ជាទិញបានបញ្ជាក់អះអាងពីអតិថិជន។
@@ -595,6 +602,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},ការទូទាត់ប្រឆាំងនឹង {0} {1} មិនអាចត្រូវបានធំជាងឆ្នើមចំនួន {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,គ្រប់អង្គភាពសេវាកម្មសុខភាព
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,ស្តីពីការផ្លាស់ប្តូរឱកាស។
+DocType: Loan,Total Principal Paid,ប្រាក់ខែសរុបរបស់នាយកសាលា
 DocType: Bank Account,Address HTML,អាសយដ្ឋានរបស់ HTML
 DocType: Lead,Mobile No.,លេខទូរស័ព្ទចល័ត
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,របៀបបង់ប្រាក់
@@ -613,12 +621,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,តុល្យភាពនៅក្នុងរូបិយប័ណ្ណមូលដ្ឋាន
 DocType: Supplier Scorecard Scoring Standing,Max Grade,ថ្នាក់អតិបរមា
 DocType: Email Digest,New Quotations,សម្រង់សម្តីដែលថ្មី
+DocType: Loan Interest Accrual,Loan Interest Accrual,អត្រាការប្រាក់កម្ចី
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,ការចូលរួមមិនត្រូវបានដាក់ស្នើសម្រាប់ {0} ជា {1} នៅលើការឈប់សម្រាក។
 DocType: Journal Entry,Payment Order,លំដាប់ការទូទាត់
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,បញ្ជាក់អ៊ីមែល
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,ចំណូលពីប្រភពផ្សេងៗ។
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",ប្រសិនបើនៅទទេគណនីឃ្លាំងឪពុកម្តាយឬក្រុមហ៊ុនរបស់ក្រុមហ៊ុននឹងត្រូវពិចារណា។
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ប័ណ្ណប្រាក់ខែបុគ្គលិកដោយផ្អែកអ៊ីម៉ែលទៅកាន់អ៊ីម៉ែលពេញចិត្តលើជ្រើសក្នុងបុគ្គលិក
+DocType: Work Order,This is a location where operations are executed.,នេះគឺជាទីតាំងដែលប្រតិបត្តិការត្រូវបានប្រតិបត្តិ។
 DocType: Tax Rule,Shipping County,ការដឹកជញ្ជូនខោនធី
 DocType: Currency Exchange,For Selling,សម្រាប់ការលក់
 apps/erpnext/erpnext/config/desktop.py,Learn,រៀន
@@ -627,6 +637,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,អនុវត្តលេខកូដគូប៉ុង
 DocType: Asset,Next Depreciation Date,រំលស់បន្ទាប់កាលបរិច្ឆេទ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,តម្លៃសកម្មភាពដោយបុគ្គលិក
+DocType: Loan Security,Haircut %,កាត់សក់%
 DocType: Accounts Settings,Settings for Accounts,ការកំណត់សម្រាប់គណនី
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},ក្រុមហ៊ុនផ្គត់ផ្គង់មានក្នុងវិក័យប័ត្រគ្មានវិក័យប័ត្រទិញ {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,គ្រប់គ្រងការលក់បុគ្គលដើមឈើ។
@@ -665,6 +676,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},សូមកំណត់តម្លៃបន្ទប់សណ្ឋាគារលើ {}
 DocType: Journal Entry,Multi Currency,រូបិយប័ណ្ណពហុ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ប្រភេទវិក័យប័ត្រ
+DocType: Loan,Loan Security Details,ព័ត៌មានលម្អិតអំពីប្រាក់កម្ចី
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,មានសុពលភាពចាប់ពីកាលបរិច្ឆេទត្រូវតែតិចជាងកាលបរិច្ឆេទដែលមានសុពលភាព។
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},ការលើកលែងបានកើតឡើងនៅពេលកំពុងផ្សះផ្សា {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,កំណត់ឃ្លាំងដែលអាចទទួលយកបាន។
@@ -785,6 +797,7 @@
 DocType: Purchase Receipt,Vehicle Date,កាលបរិច្ឆេទយានយន្ត
 DocType: Campaign Email Schedule,Campaign Email Schedule,តារាងអ៊ីម៉ែលយុទ្ធនាការ។
 DocType: Student Log,Medical,ពេទ្យ
+DocType: Work Order,This is a location where scraped materials are stored.,នេះគឺជាទីតាំងដែលសមា្ភារៈបោះចោលត្រូវបានរក្សាទុក។
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,សូមជ្រើសរើសឱសថ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,ការនាំមុខម្ចាស់មិនអាចជាដូចគ្នានាំមុខ
 DocType: Announcement,Receiver,អ្នកទទួល
@@ -879,7 +892,7 @@
 DocType: Driver,Applicable for external driver,អាចអនុវត្តសម្រាប់កម្មវិធីបញ្ជាខាងក្រៅ
 DocType: Sales Order Item,Used for Production Plan,ត្រូវបានប្រើសម្រាប់ផែនការផលិតកម្ម
 DocType: BOM,Total Cost (Company Currency),ថ្លៃដើមសរុប (រូបិយប័ណ្ណក្រុមហ៊ុន)
-DocType: Loan,Total Payment,ការទូទាត់សរុប
+DocType: Repayment Schedule,Total Payment,ការទូទាត់សរុប
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO បានបង្កើតរួចហើយសំរាប់ធាតុបញ្ជាទិញទាំងអស់
@@ -904,6 +917,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ព្រមានការបញ្ជាទិញ
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,ជួលពីកាលបរិច្ឆេទ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,ផ្នែកគ្រប់គ្រាន់ដើម្បីកសាង
+DocType: Loan Security,Loan Security Code,កូដសុវត្ថិភាពប្រាក់កម្ចី
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,សូមរក្សាទុកជាមុនសិន។
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,វត្ថុត្រូវទាញវត្ថុធាតុដើមដែលជាប់ទាក់ទងជាមួយវា។
 DocType: POS Profile User,POS Profile User,អ្នកប្រើប្រាស់បណ្តាញ POS
@@ -959,6 +973,7 @@
 DocType: Patient,Risk Factors,កត្តាហានិភ័យ
 DocType: Patient,Occupational Hazards and Environmental Factors,គ្រោះថ្នាក់ការងារនិងកត្តាបរិស្ថាន
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ធាតុភាគហ៊ុនដែលបានបង្កើតរួចហើយសម្រាប់លំដាប់ការងារ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,លេខកូដរបស់ក្រុម&gt; ក្រុមក្រុម&gt; ម៉ាក
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,មើលការបញ្ជាទិញពីមុន។
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ការសន្ទនា។
 DocType: Vital Signs,Respiratory rate,អត្រាផ្លូវដង្ហើម
@@ -991,7 +1006,6 @@
 DocType: Company,Delete Company Transactions,លុបប្រតិបត្តិការក្រុមហ៊ុន
 DocType: Production Plan Item,Quantity and Description,បរិមាណនិងការពិពណ៌នា។
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,សេចក្តីយោងកាលបរិច្ឆេទទេនិងយោងចាំបាច់សម្រាប់ប្រតិបត្តិការគឺធនាគារ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,សូមកំណត់ឈ្មោះដាក់ឈ្មោះសំរាប់ {0} តាមរយៈតំឡើង&gt; ការកំណត់&gt; តំរុយឈ្មោះ
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,បន្ថែម / កែសម្រួលពន្ធនិងការចោទប្រកាន់
 DocType: Payment Entry Reference,Supplier Invoice No,វិក័យប័ត្រគ្មានការផ្គត់ផ្គង់
 DocType: Territory,For reference,សម្រាប់ជាឯកសារយោង
@@ -1022,6 +1036,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,គណនីបង់ពន្ធ
 DocType: Pricing Rule,Sales Partner,ដៃគូការលក់
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,កាតពិន្ទុទាំងអស់របស់អ្នកផ្គត់ផ្គង់។
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ចំនួនទឹកប្រាក់បញ្ជាទិញ
+DocType: Loan,Disbursed Amount,ចំនួនទឹកប្រាក់ដែលបានផ្តល់ឱ្យ
 DocType: Buying Settings,Purchase Receipt Required,បង្កាន់ដៃត្រូវការទិញ
 DocType: Sales Invoice,Rail,រថភ្លើង
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ការចំណាយជាក់ស្តែង។
@@ -1061,6 +1077,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,ភ្ជាប់ទៅ QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},សូមកំណត់អត្តសញ្ញាណ / បង្កើតគណនី (ឡឺហ្គឺ) សម្រាប់ប្រភេទ - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,គណនីត្រូវបង់
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,គណនីគឺចាំបាច់ដើម្បីទទួលបានធាតុបង់ប្រាក់
 DocType: Payment Entry,Type of Payment,ប្រភេទនៃការទូទាត់
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃគឺចាំបាច់
 DocType: Sales Order,Billing and Delivery Status,វិក័យប័ត្រនិងការដឹកជញ្ជូនស្ថានភាព
@@ -1099,7 +1116,7 @@
 DocType: Purchase Order Item,Billed Amt,វិក័យប័ត្រ AMT
 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,Principal Amount,ប្រាក់ដើម
+DocType: Repayment Schedule,Principal Amount,ប្រាក់ដើម
 DocType: Loan Application,Total Payable Interest,ការប្រាក់ត្រូវបង់សរុប
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ពិន្ទុសរុប: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,បើកទំនាក់ទំនង។
@@ -1113,6 +1130,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,កំហុសមួយបានកើតឡើងកំឡុងពេលធ្វើបច្ចុប្បន្នភាព
 DocType: Restaurant Reservation,Restaurant Reservation,កក់ភោជនីយដ្ឋាន
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ធាតុរបស់អ្នក។
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់&gt; ប្រភេទអ្នកផ្គត់ផ្គង់
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ការសរសេរសំណើរ
 DocType: Payment Entry Deduction,Payment Entry Deduction,ការដកហូតចូលការទូទាត់
 DocType: Service Level Priority,Service Level Priority,អាទិភាពកម្រិតសេវាកម្ម។
@@ -1265,7 +1283,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),អត្រាការប្រាក់មូលដ្ឋាន (ក្រុមហ៊ុនរូបិយវត្ថុ)
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,បំបែកបញ្ហា
 DocType: Student Attendance,Student Attendance,ការចូលរួមរបស់សិស្ស
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,គ្មានទិន្នន័យត្រូវនាំចេញ។
 DocType: Sales Invoice Timesheet,Time Sheet,តារាងពេលវេលា
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush វត្ថុធាតុដើមដែលមានមូលដ្ឋាននៅលើ
 DocType: Sales Invoice,Port Code,លេខកូដផត
@@ -1278,6 +1295,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,កាលបរិច្ឆេទដឹកជញ្ជូនពិតប្រាកដ។
 DocType: Lab Test,Test Template,គំរូសាកល្បង
+DocType: Loan Security Pledge,Securities,មូលបត្រ
 DocType: Restaurant Order Entry Item,Served,បានបម្រើ
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,ព័ត៌មានជំពូក។
 DocType: Account,Accounts,គណនី
@@ -1371,6 +1389,7 @@
 DocType: Inpatient Record,O Negative,អូអវិជ្ជមាន
 DocType: Work Order Operation,Planned End Time,ពេលវេលាដែលបានគ្រោងបញ្ចប់
 DocType: POS Profile,Only show Items from these Item Groups,បង្ហាញតែធាតុពីក្រុមធាតុទាំងនេះ។
+DocType: Loan,Is Secured Loan,គឺជាប្រាក់កម្ចីមានសុវត្ថិភាព
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,ពត៌មានលំអិតប្រភេទ Memebership
 DocType: Delivery Note,Customer's Purchase Order No,ការទិញរបស់អតិថិជនលំដាប់គ្មាន
@@ -1486,6 +1505,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,គ្មានសិទ្ធិ
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,បញ្ជីផ្ទៀងផ្ទាត់បំពេញកិច្ចសន្យា
 DocType: Vital Signs,Heart Rate / Pulse,អត្រាចង្វាក់បេះដូង / បេះដូង
+DocType: Customer,Default Company Bank Account,គណនីធនាគាររបស់ក្រុមហ៊ុនលំនាំដើម
 DocType: Supplier,Default Bank Account,គណនីធនាគារលំនាំដើម
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",ដើម្បីត្រងដោយផ្អែកទៅលើគណបក្សជ្រើសគណបក្សវាយជាលើកដំបូង
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Update ស្តុក 'មិនអាចជ្រើសរើសបាន ដោយសារ មុខទំនិញមិនត្រូវបានដឹកជញ្ជូនតាមរយៈ {0}"
@@ -1602,7 +1622,6 @@
 DocType: Sales Team,Incentives,ការលើកទឹកចិត្ត
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,គុណតម្លៃក្រៅសមកាលកម្ម
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,តម្លៃខុសគ្នា
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង&gt; លេខរៀង
 DocType: SMS Log,Requested Numbers,លេខដែលបានស្នើ
 DocType: Volunteer,Evening,ល្ងាច
 DocType: Quiz,Quiz Configuration,ការកំណត់រចនាសម្ព័ន្ធសំណួរ។
@@ -1622,6 +1641,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,នៅលើជួរដេកសរុបមុន
 DocType: Purchase Invoice Item,Rejected Qty,បានច្រានចោល Qty
 DocType: Setup Progress Action,Action Field,វាលសកម្មភាព
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,ប្រភេទប្រាក់កម្ចីសម្រាប់ការប្រាក់និងអត្រាការប្រាក់
 DocType: Healthcare Settings,Manage Customer,គ្រប់គ្រងអតិថិជន
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,តែងតែធ្វើសមកាលកម្មផលិតផលរបស់អ្នកពី Amazon MWS មុនពេលធ្វើសមកាលកម្មសេចក្តីលម្អិតបញ្ជាទិញ
 DocType: Delivery Trip,Delivery Stops,ការដឹកជញ្ជូនឈប់
@@ -1633,6 +1653,7 @@
 ,Final Assessment Grades,ថ្នាក់វាយតម្លៃចុងក្រោយ
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,ឈ្មោះរបស់ក្រុមហ៊ុនរបស់អ្នកដែលអ្នកកំពុងបង្កើតប្រព័ន្ធនេះ។
 DocType: HR Settings,Include holidays in Total no. of Working Days,រួមបញ្ចូលថ្ងៃឈប់សម្រាកនៅក្នុងការសរុបទេ។ នៃថ្ងៃធ្វើការ
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% នៃមហាសរុប
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,បង្កើតវិទ្យាស្ថានរបស់អ្នកនៅក្នុង ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,វិភាគរុក្ខជាតិ
 DocType: Task,Timeline,ពេលវេលា។
@@ -1640,9 +1661,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,ធាតុជំនួស
 DocType: Shopify Log,Request Data,ស្នើទិន្នន័យ
 DocType: Employee,Date of Joining,កាលបរិច្ឆេទនៃការចូលរួម
+DocType: Delivery Note,Inter Company Reference,សេចក្តីយោងរបស់ក្រុមហ៊ុនអន្តរ
 DocType: Naming Series,Update Series,កម្រងឯកសារធ្វើឱ្យទាន់សម័យ
 DocType: Supplier Quotation,Is Subcontracted,ត្រូវបានម៉ៅការបន្ត
 DocType: Restaurant Table,Minimum Seating,កន្លែងអង្គុយអប្បបរមា
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,សំណួរមិនអាចចម្លងបានទេ
 DocType: Item Attribute,Item Attribute Values,តម្លៃគុណលក្ខណៈធាតុ
 DocType: Examination Result,Examination Result,លទ្ធផលការពិនិត្យសុខភាព
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,បង្កាន់ដៃទិញ
@@ -1744,6 +1767,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ
 DocType: Payment Request,Paid,Paid
 DocType: Service Level,Default Priority,អាទិភាពលំនាំដើម។
+DocType: Pledge,Pledge,សន្យា
 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; ក្នុងមួយថ្មី។ វាក៏បានធ្វើឱ្យទាន់សម័យតម្លៃចុងក្រោយនៅក្នុងក្រុមប្រឹក្សាភិបាលទាំងអស់។
@@ -1757,6 +1781,7 @@
 DocType: Guardian,Guardian Name,ឈ្មោះ Guardian បាន
 DocType: Cheque Print Template,Has Print Format,មានទ្រង់ទ្រាយបោះពុម្ព
 DocType: Support Settings,Get Started Sections,ចាប់ផ្តើមផ្នែក
+,Loan Repayment and Closure,ការសងប្រាក់កម្ចីនិងការបិទទ្វារ
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY.-
 DocType: Invoice Discounting,Sanctioned,អនុញ្ញាត
 ,Base Amount,ចំនួនទឹកប្រាក់មូលដ្ឋាន។
@@ -1767,10 +1792,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,ពីទីកន្លែង
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},ចំនួនប្រាក់កម្ចីមិនអាចធំជាង {0}
 DocType: Student Admission,Publish on website,បោះពុម្ពផ្សាយនៅលើគេហទំព័រ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,វិក័យប័ត្រក្រុមហ៊ុនផ្គត់ផ្គង់កាលបរិច្ឆេទមិនអាចច្រើនជាងកាលបរិច្ឆេទប្រកាស
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,លេខកូដរបស់ក្រុម&gt; ក្រុមក្រុម&gt; ម៉ាក
 DocType: Subscription,Cancelation Date,កាលបរិច្ឆេទបោះបង់
 DocType: Purchase Invoice Item,Purchase Order Item,មុខទំនិញបញ្ជាទិញ
 DocType: Agriculture Task,Agriculture Task,កិច្ចការកសិកម្ម
@@ -1789,7 +1814,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,ការបញ្ចុះតម្លៃបន្ថែមទៀតភាគរយ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,មើលបញ្ជីនៃការជួយវីដេអូទាំងអស់
 DocType: Agriculture Analysis Criteria,Soil Texture,វាយនភាពដី
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ជ្រើសប្រធានគណនីរបស់ធនាគារនេះដែលជាកន្លែងដែលការត្រួតពិនិត្យត្រូវបានតម្កល់ទុក។
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,អនុញ្ញាតឱ្យអ្នកប្រើដើម្បីកែសម្រួលអត្រាតំលៃបញ្ជីនៅក្នុងប្រតិបត្តិការ
 DocType: Pricing Rule,Max Qty,អតិបរមា Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,បោះពុម្ពរបាយការណ៍កាត
@@ -1920,7 +1944,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",នៅពេលដែលបានកំណត់វិក័យប័ត្រនេះនឹងត្រូវបានបន្តរហូតដល់កាលបរិច្ឆេទកំណត់
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,ចំនួនលក់
-DocType: Repayment Schedule,Interest Amount,ចំនួនការប្រាក់
+DocType: Loan Interest Accrual,Interest Amount,ចំនួនការប្រាក់
 DocType: Job Card,Time Logs,ម៉ោងកំណត់ហេតុ
 DocType: Sales Invoice,Loyalty Amount,បរិមាណភក្ដីភាព
 DocType: Employee Transfer,Employee Transfer Detail,ពត៌មានផ្ទេរបុគ្គលិក
@@ -1935,6 +1959,7 @@
 DocType: Cashier Closing,Returns,ត្រឡប់
 DocType: Job Card,WIP Warehouse,ឃ្លាំង WIP
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},សៀរៀលគ្មាន {0} គឺស្ថិតនៅក្រោមកិច្ចសន្យាថែរក្សារីករាយជាមួយនឹង {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},ដែនកំណត់ចំនួនទឹកប្រាក់ដែលត្រូវបានកាត់ចេញសម្រាប់ {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,ការជ្រើសរើសបុគ្គលិក
 DocType: Lead,Organization Name,ឈ្មោះអង្គភាព
 DocType: Support Settings,Show Latest Forum Posts,បង្ហាញប្រកាសវេទិកាចុងក្រោយ
@@ -1961,7 +1986,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ទិញការបញ្ជាទិញទំនិញហួសកំណត់
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,លេខកូដតំបន់
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},លំដាប់ការលក់ {0} គឺ {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ជ្រើសរើសគណនីប្រាក់ចំណូលក្នុងការប្រាក់ {0}
 DocType: Opportunity,Contact Info,ពត៌មានទំនាក់ទំនង
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,ការធ្វើឱ្យធាតុហ៊ុន
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,មិនអាចលើកកម្ពស់និយោជិកដោយមានស្ថានភាពនៅសល់
@@ -2045,7 +2069,6 @@
 DocType: Salary Slip,Deductions,ការកាត់
 DocType: Setup Progress Action,Action Name,ឈ្មោះសកម្មភាព
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ការចាប់ផ្តើមឆ្នាំ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,បង្កើតប្រាក់កម្ចី។
 DocType: Purchase Invoice,Start date of current invoice's period,ការចាប់ផ្តើមកាលបរិច្ឆេទនៃការរយៈពេលបច្ចុប្បន្នរបស់វិក័យប័ត្រ
 DocType: Shift Type,Process Attendance After,ដំណើរការចូលរួមបន្ទាប់ពី។
 ,IRS 1099,អាយ។ អេស ១០៩៩ ។
@@ -2066,6 +2089,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ជ្រើសដែនរបស់អ្នក
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify អ្នកផ្គត់ផ្គង់
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,វិក័យប័ត្មុខទំនិញរទូទាត់
+DocType: Repayment Schedule,Is Accrued,ត្រូវបានអនុម័ត
 DocType: Payroll Entry,Employee Details,ព័ត៌មានលម្អិតរបស់និយោជិក
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,ដំណើរការឯកសារ XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2096,6 +2120,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,ចំនុចនៃភាពស្មោះត្រង់
 DocType: Employee Checkin,Shift End,ប្ដូរបញ្ចប់។
 DocType: Stock Settings,Default Item Group,លំនាំដើមក្រុមមុខទំនិញ
+DocType: Loan,Partially Disbursed,ផ្តល់ឱ្រយអតិថិជនដោយផ្នែក
 DocType: Job Card Time Log,Time In Mins,ពេលវេលាក្នុងរយៈពេល
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,ផ្តល់ព័ត៌មាន។
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,សកម្មភាពនេះនឹងផ្តាច់គណនីនេះពីសេវាកម្មខាងក្រៅណាមួយដែលរួមបញ្ចូល ERP បន្ទាប់ជាមួយគណនីធនាគាររបស់អ្នក។ វាមិនអាចធ្វើវិញបានទេ។ តើអ្នកប្រាកដទេ?
@@ -2111,6 +2136,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,ធាតុដូចគ្នាមិនអាចត្រូវបានបញ្ចូលច្រើនដង។
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",គណនីដែលមានបន្ថែមទៀតអាចត្រូវបានធ្វើក្រោមការក្រុមនោះទេតែធាតុដែលអាចត្រូវបានធ្វើប្រឆាំងនឹងការដែលមិនមែនជាក្រុម
+DocType: Loan Repayment,Loan Closure,ការបិទប្រាក់កម្ចី
 DocType: Call Log,Lead,ការនាំមុខ
 DocType: Email Digest,Payables,បង់
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2142,6 +2168,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,វិក្កយបត្រអេឡិចត្រូនិច JSON អាចបង្កើតបានតែពីឯកសារដែលបានដាក់ស្នើ។
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ពន្ធបុគ្គលិកនិងអត្ថប្រយោជន៍។
 DocType: Bank Guarantee,Validity in Days,សុពលភាពនៅថ្ងៃ
+DocType: Unpledge,Haircut,កាត់សក់
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C ទម្រង់គឺអាចអនុវត្តបានសម្រាប់វិក័យប័ត្រ: {0}
 DocType: Certified Consultant,Name of Consultant,ឈ្មោះទីប្រឹក្សា
 DocType: Payment Reconciliation,Unreconciled Payment Details,ពត៌មានលំអិតការទូទាត់ Unreconciled
@@ -2194,7 +2221,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,នៅសល់នៃពិភពលោក
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,ធាតុនេះ {0} មិនអាចមានបាច់
 DocType: Crop,Yield UOM,ទិន្នផល UOM
+DocType: Loan Security Pledge,Partially Pledged,ការសន្យាផ្នែកខ្លះ
 ,Budget Variance Report,របាយការណ៍អថេរថវិការ
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,ចំនួនប្រាក់កម្ចីដែលបានដាក់ទណ្ឌកម្ម
 DocType: Salary Slip,Gross Pay,បង់សរុបបាន
 DocType: Item,Is Item from Hub,គឺជាធាតុពី Hub
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ទទួលបានរបស់របរពីសេវាថែទាំសុខភាព
@@ -2229,6 +2258,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,នីតិវិធីគុណភាពថ្មី។
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},តុល្យភាពសម្រាប់គណនី {0} តែងតែត្រូវតែមាន {1}
 DocType: Patient Appointment,More Info,ពត៌មានបន្ថែម
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,ថ្ងៃខែឆ្នាំកំណើតមិនអាចធំជាងកាលបរិច្ឆេទចូលរួម។
 DocType: Supplier Scorecard,Scorecard Actions,សកម្មភាពពិន្ទុ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},អ្នកផ្គត់ផ្គង់ {0} មិនត្រូវបានរកឃើញនៅក្នុង {1}
 DocType: Purchase Invoice,Rejected Warehouse,ឃ្លាំងច្រានចោល
@@ -2379,6 +2409,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,ចំនួននៃការណាត់ជួបដំណាលគ្នា
 apps/erpnext/erpnext/config/desktop.py,Getting Started,ការចាប់ផ្តើម។
 DocType: Purchase Invoice,Taxes and Charges Calculation,ពន្ធនិងការចោទប្រកាន់ពីការគណនា
+DocType: Loan Interest Accrual,Payable Principal Amount,ចំនួនទឹកប្រាក់ដែលនាយកសាលាត្រូវបង់
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,សៀវភៅរំលស់ទ្រព្យសម្បត្តិចូលដោយស្វ័យប្រវត្តិ
 DocType: BOM Operation,Workstation,ស្ថានីយការងារ Stencils
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,សំណើរសម្រាប់ការផ្គត់ផ្គង់សម្រង់
@@ -2415,7 +2446,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,អាហារ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ជួរ Ageing 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ពត៌មានលំអិតប័ណ្ណទូទាត់របស់ម៉ាស៊ីនឆូតកាត
-DocType: Bank Account,Is the Default Account,គឺជាគណនីលំនាំដើម។
 DocType: Shopify Log,Shopify Log,ចុះឈ្មោះទិញទំនិញ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,រកមិនឃើញការទំនាក់ទំនង។
 DocType: Inpatient Occupancy,Check In,កត់ឈ្មោះចូល
@@ -2473,12 +2503,14 @@
 DocType: Sales Order Item,Planned Quantity,បរិមាណដែលបានគ្រោងទុក
 DocType: Water Analysis,Water Analysis Criteria,លក្ខណៈវិនិច្ឆ័យវិភាគទឹក
 DocType: Item,Maintain Stock,ការរក្សាហ៊ុន
+DocType: Loan Security Unpledge,Unpledge Time,មិនបង្ហាញពេលវេលា
 DocType: Terms and Conditions,Applicable Modules,ម៉ូឌុលដែលអាចប្រើបាន។
 DocType: Employee,Prefered Email,ចំណង់ចំណូលចិត្តអ៊ីមែល
 DocType: Student Admission,Eligibility and Details,សិទ្ធិនិងព័ត៌មានលម្អិត
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,រួមបញ្ចូលនៅក្នុងប្រាក់ចំណេញដុល។
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ការផ្លាស់ប្តូរសុទ្ធនៅលើអចលនទ្រព្យ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Qty Qty
+DocType: Work Order,This is a location where final product stored.,នេះគឺជាទីតាំងដែលផលិតផលចុងក្រោយត្រូវបានរក្សាទុក។
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},អតិបរមា: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,ចាប់ពី Datetime
@@ -2519,6 +2551,7 @@
 DocType: Warranty Claim,Warranty / AMC Status,ការធានា / ស្ថានភាព AMC
 ,Accounts Browser,កម្មវិធីរុករកគណនី
 DocType: Procedure Prescription,Referral,ការបញ្ជូន
+,Territory-wise Sales,ការលក់ទឹកដី - ប្រាជ្ញា
 DocType: Payment Entry Reference,Payment Entry Reference,យោងធាតុការទូទាត់
 DocType: GL Entry,GL Entry,ចូល GL ដើម
 DocType: Support Search Source,Response Options,ជម្រើសឆ្លើយតប
@@ -2578,6 +2611,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,រយៈពេលបង់ប្រាក់នៅជួរដេក {0} អាចមានស្ទួន។
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),កសិកម្ម (បែតា)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,គ្រូពេទ្យប្រហែលជាវេចខ្ចប់
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,សូមកំណត់ឈ្មោះដាក់ឈ្មោះសំរាប់ {0} តាមរយៈតំឡើង&gt; ការកំណត់&gt; តំរុយឈ្មោះ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,ការិយាល័យសំរាប់ជួល
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,ការកំណត់ច្រកចេញចូលការរៀបចំសារជាអក្សរ
 DocType: Disease,Common Name,ឈ្មោះទូទៅ
@@ -2594,6 +2628,7 @@
 DocType: Item,Sales Details,ពត៌មានលំអិតការលក់
 DocType: Coupon Code,Used,បានប្រើ
 DocType: Opportunity,With Items,ជាមួយនឹងការធាតុ
+DocType: Vehicle Log,last Odometer Value ,តម្លៃ Odometer ចុងក្រោយ
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',យុទ្ធនាការ &#39;{0}&#39; មានរួចហើយសម្រាប់ {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,ក្រុមថែទាំ
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",បញ្ជាទិញផ្នែកណាដែលគួរលេចឡើង។ ០ គឺទី ១ ទី ២ និងបន្តបន្ទាប់។
@@ -2604,7 +2639,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ពាក្យបណ្តឹងការចំណាយ {0} រួចហើយសម្រាប់រថយន្តចូល
 DocType: Asset Movement Item,Source Location,ប្រភពទីតាំង
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ឈ្មោះវិទ្យាស្ថាន
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,សូមបញ្ចូលចំនួនទឹកប្រាក់ដែលការទូទាត់សង
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,សូមបញ្ចូលចំនួនទឹកប្រាក់ដែលការទូទាត់សង
 DocType: Shift Type,Working Hours Threshold for Absent,ម៉ោងធ្វើការសម្រាប់អវត្តមាន។
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,វាអាចមានកត្តាប្រមូលចម្រៀកពហុផ្អែកលើចំនួនសរុបដែលបានចំណាយ។ ប៉ុន្ដែកត្តាបម្លែងសម្រាប់ការប្រោសលោះនឹងតែងតែដូចគ្នាចំពោះគ្រប់លំដាប់ទាំងអស់។
 apps/erpnext/erpnext/config/help.py,Item Variants,វ៉ារ្យ៉ង់ធាតុ
@@ -2627,6 +2662,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,រកឃើញនៅក្នុងតារាងគ្មានប្រាក់បង់ការកត់ត្រា
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},នេះ {0} ជម្លោះជាមួយ {1} សម្រាប់ {2} {3}
 DocType: Student Attendance Tool,Students HTML,សិស្សរបស់ HTML
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,សូមជ្រើសរើសប្រភេទអ្នកដាក់ពាក្យជាមុនសិន
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","ជ្រើសរើស BOM, Qty និងសម្រាប់ឃ្លាំង។"
 DocType: GST HSN Code,GST HSN Code,កូដ HSN ជីអេសធី
 DocType: Employee External Work History,Total Experience,បទពិសោធន៍សរុប
@@ -2717,7 +2753,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",រកមិនឃើញ BOM សកម្មសម្រាប់ធាតុ {0} ទេ។ ការចែកចាយដោយ \ Serial No មិនអាចធានាបានទេ
 DocType: Sales Partner,Sales Partner Target,ដៃគូគោលដៅការលក់
-DocType: Loan Type,Maximum Loan Amount,ចំនួនទឹកប្រាក់កម្ចីអតិបរមា
+DocType: Loan Application,Maximum Loan Amount,ចំនួនទឹកប្រាក់កម្ចីអតិបរមា
 DocType: Coupon Code,Pricing Rule,វិធានការកំណត់តម្លៃ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ចំនួនសិស្សស្ទួនរមៀល {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,សម្ភារៈសំណើទិញសណ្តាប់ធ្នាប់
@@ -2740,6 +2776,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},ទុកបម្រុងទុកដោយជោគជ័យសម្រាប់ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,គ្មានមុខទំនិញសម្រាប់វេចខ្ចប់
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,បច្ចុប្បន្នមានតែឯកសារ .csv និង .xlsx ប៉ុណ្ណោះដែលត្រូវបានគាំទ្រ។
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស&gt; ការកំណត់ធនធានមនុស្ស
 DocType: Shipping Rule Condition,From Value,ពីតម្លៃ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,បរិមាណដែលត្រូវទទួលទានគឺចាំបាច់កម្មន្តសាល
 DocType: Loan,Repayment Method,វិធីសាស្រ្តការទូទាត់សង
@@ -2823,6 +2860,7 @@
 DocType: Customer,Customer POS Id,លេខសម្គាល់អតិថិជនម៉ាស៊ីនឆូតកាត
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,និស្សិតដែលមានអ៊ីមែល {0} មិនមានទេ។
 DocType: Account,Account Name,ឈ្មោះគណនី
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},ចំនួនប្រាក់កម្ចីដែលត្រូវបានដាក់ទណ្ឌកម្មមានរួចហើយសម្រាប់ {0} ប្រឆាំងនឹងក្រុមហ៊ុន {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,ពីកាលបរិច្ឆេទមិនអាចមានចំនួនច្រើនជាងកាលបរិច្ឆេទ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,សៀរៀលគ្មាន {0} {1} បរិមាណមិនអាចធ្វើជាប្រភាគ
 DocType: Pricing Rule,Apply Discount on Rate,អនុវត្តការបញ្ចុះតម្លៃលើអត្រា។
@@ -2894,6 +2932,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,ប្រាក់ចំណេញសុទ្ធ
 DocType: Purchase Invoice,Eligibility For ITC,សិទ្ធិទទួលបានសំរាប់ ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP -YYYY.-
+DocType: Loan Security Pledge,Unpledged,គ្មានការគ្រោងទុក
 DocType: Journal Entry,Entry Type,ប្រភេទធាតុ
 ,Customer Credit Balance,សមតុល្យឥណទានអតិថិជន
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ការផ្លាស់ប្តូរសុទ្ធក្នុងគណនីទូទាត់
@@ -2905,6 +2944,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),លេខសម្គាល់ឧបករណ៍ចូលរួម (លេខសម្គាល់ស្លាកជីវមាត្រ / RF)
 DocType: Quotation,Term Details,ពត៌មានលំអិតរយៈពេល
 DocType: Item,Over Delivery/Receipt Allowance (%),លើសពីការដឹកជញ្ជូន / ប្រាក់ឧបត្ថម្ភបង្កាន់ដៃ (%)
+DocType: Appointment Letter,Appointment Letter Template,គំរូលិខិតណាត់ជួប
 DocType: Employee Incentive,Employee Incentive,ប្រាក់លើកទឹកចិត្តបុគ្គលិក
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,មិនអាចចុះឈ្មោះចូលរៀនច្រើនជាង {0} សិស្សសម្រាប់ក្រុមនិស្សិតនេះ។
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),សរុប (ដោយគ្មានពន្ធ)
@@ -2927,6 +2967,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",មិនអាចធានាថាការដឹកជញ្ជូនតាមលេខស៊េរីជាធាតុ \ {0} ត្រូវបានបន្ថែមនិងគ្មានការធានាការដឹកជញ្ជូនដោយ \ លេខស៊េរី។
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ដោះតំណទូទាត់វិក័យប័ត្រនៅលើការលុបចោល
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,ដំណើរការការប្រាក់កម្ចីមានចំនួនកំណត់
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},បច្ចុប្បន្នប្រដាប់វាស់ចម្ងាយបានចូលអានគួរតែត្រូវបានរថយន្តធំជាងដំបូង {0} ប្រដាប់វាស់ចម្ងាយ
 ,Purchase Order Items To Be Received or Billed,វត្ថុបញ្ជាទិញដែលត្រូវទទួលឬទូទាត់ប្រាក់។
 DocType: Restaurant Reservation,No Show,គ្មានការបង្ហាញ
@@ -3011,6 +3052,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: មជ្ឈមណ្ឌលសោហ៊ុយគឺត្រូវមានសម្រាប់គណនី 'ចំណេញនិងខាតបង់' {2} ។ សូមបង្កើតមជ្ឈមណ្ឌលសោហ៊ុយលំនាំដើមសម្រាប់ក្រុមហ៊ុន។
 DocType: Payment Schedule,Payment Term,រយៈពេលនៃការទូទាត់
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,គ្រុបអតិថិជនដែលមានឈ្មោះដូចគ្នាសូមផ្លាស់ប្តូរឈ្មោះរបស់អតិថិជនឬប្តូរឈ្មោះក្រុមរបស់អតិថិជន
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,កាលបរិច្ឆេទបញ្ចប់ការចូលរៀនគួរតែធំជាងកាលបរិច្ឆេទចាប់ផ្តើមចូលរៀន។
 DocType: Location,Area,តំបន់
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,ទំនាក់ទំនងថ្មី
 DocType: Company,Company Description,ការពិពណ៌នារបស់ក្រុមហ៊ុន
@@ -3085,6 +3127,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,បានរៀបចំទិន្នន័យ
 DocType: Purchase Order Item,Warehouse and Reference,ឃ្លាំងនិងឯកសារយោង
 DocType: Payroll Period Date,Payroll Period Date,កាលបរិច្ឆេទបង់ប្រាក់
+DocType: Loan Disbursement,Against Loan,ប្រឆាំងនឹងប្រាក់កម្ចី
 DocType: Supplier,Statutory info and other general information about your Supplier,ពត៌មានច្បាប់និងព័ត៌មានទូទៅអំពីផ្គត់ផ្គង់របស់អ្នក
 DocType: Item,Serial Nos and Batches,សៀរៀល nos និងជំនាន់
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,ក្រុមនិស្សិតកម្លាំង
@@ -3150,6 +3193,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,ជ្រើសរើសក្រុមហ៊ុន។
 DocType: Delivery Settings,Delivery Settings,កំណត់ការដឹកជញ្ជូន
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ទាញយកទិន្នន័យ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},មិនអាចស្រាយច្រើនជាង {0} qty នៃ {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},ការអនុញ្ញាតអតិបរមាដែលបានអនុញ្ញាតនៅក្នុងប្រភេទនៃការចាកចេញ {0} គឺ {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,បោះពុម្ពផ្សាយធាតុ ១
 DocType: SMS Center,Create Receiver List,បង្កើតបញ្ជីអ្នកទទួល
@@ -3294,6 +3338,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),ចំនួនមូលដ្ឋាន (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
 DocType: Purchase Invoice,Registered Regular,ចុះឈ្មោះធម្មតា។
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,វត្ថុធាតុដើម
+DocType: Plaid Settings,sandbox,ប្រអប់ខ្សាច់
 DocType: Payment Reconciliation Payment,Reference Row,សេចក្តីយោងជួរដេក
 DocType: Installation Note,Installation Time,ពេលដំឡើង
 DocType: Sales Invoice,Accounting Details,សេចក្ដីលម្អិតគណនី
@@ -3306,12 +3351,11 @@
 DocType: Leave Ledger Entry,Transaction Type,ប្រភេទប្រតិបត្តិការ
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,លក្ខណៈវិនិច្ឆ័យក្នុងការទទួលយក
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,សូមបញ្ចូលសំណើសម្ភារៈនៅក្នុងតារាងខាងលើ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវបង់សរុប
 DocType: Task,Expected Time (in hours),ពេលវេលាដែលគេរំពឹងថា (គិតជាម៉ោង)
 DocType: Item Reorder,Check in (group),សូមពិនិត្យមើលនៅក្នុង (ក្រុម)
 DocType: Soil Texture,Silt,ខ្សាច់
@@ -3342,6 +3386,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,កាត់បន្ថយពន្ធសម្រាប់លិខិតលើកលែងពន្ធមិនមានបណ្តោះអាសន្ន
 DocType: Volunteer,Anytime,គ្រប់ពេល
 DocType: Bank Account,Bank Account No,គណនីធនាគារលេខ
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,ការទូទាត់និងសំណង
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ការដាក់ពាក្យស្នើសុំការលើកលែងពន្ធលើនិយោជិក
 DocType: Patient,Surgical History,ប្រវត្តិវះកាត់
 DocType: Bank Statement Settings Item,Mapped Header,បណ្តុំបឋមកថា
@@ -3403,6 +3448,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,បង្កើតការធ្វើតេស្តមន្ទីរពិសោធន៍លើការលក់វិក្កយបត្រដាក់ស្នើ
 DocType: Serial No,Invoice Details,សេចក្ដីលម្អិតវិក័យប័ត្រ
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,រចនាសម្ពន្ធ័ប្រាក់ខែត្រូវតែដាក់ជូនមុនពេលដាក់ជូនសេចក្តីប្រកាសលើកលែងពន្ធ។
+DocType: Loan Application,Proposed Pledges,ពាក្យសន្យាដែលបានស្នើ
 DocType: Grant Application,Show on Website,បង្ហាញនៅលើគេហទំព័រ
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,ចាប់ផ្ដើម
 DocType: Hub Tracked Item,Hub Category,ប្រភេទ Hub
@@ -3414,7 +3460,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,សន្លឹកបៀអ្នកផ្គត់ផ្គង់អចិន្ត្រៃយ៍
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ជួរដេក {0}: លោក Bill នៃសម្ភារៈមិនបានរកឃើញសម្រាប់ធាតុ {1}
 DocType: Contract Fulfilment Checklist,Requirement,តម្រូវការ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស&gt; ការកំណត់ធនធានមនុស្ស
 DocType: Journal Entry,Accounts Receivable,គណនីអ្នកទទួល
 DocType: Quality Goal,Objectives,គោលបំណង។
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,តួនាទីដែលត្រូវបានអនុញ្ញាតឱ្យបង្កើតពាក្យសុំឈប់សម្រាកហួសសម័យ
@@ -3426,6 +3471,7 @@
 DocType: Work Order,Use Multi-Level BOM,ប្រើពហុកម្រិត Bom
 DocType: Bank Reconciliation,Include Reconciled Entries,រួមបញ្ចូលធាតុសំរុះសំរួល
 DocType: Landed Cost Voucher,Distribute Charges Based On,ដោយផ្អែកលើការចែកចាយការចោទប្រកាន់
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},ចំនួនទឹកប្រាក់ដែលត្រូវបង់មិនអាចតិចជាង {0}
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,ការកំណត់ធនធានមនុស្ស
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,អនុបណ្ឌិតគណនេយ្យ។
@@ -3612,7 +3658,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,ប្រភេទអាជីវកម្ម
 DocType: Sales Invoice,Consumer,អ្នកប្រើប្រាស់។
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","សូមជ្រើសចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក, ប្រភេទវិក័យប័ត្រនិងលេខវិក្កយបត្រក្នុងមួយជួរដេកយ៉ាងហោចណាស់"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,សូមកំណត់ឈ្មោះដាក់ឈ្មោះសំរាប់ {0} តាមរយៈតំឡើង&gt; ការកំណត់&gt; តំរុយឈ្មោះ
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,តម្លៃនៃការទិញថ្មី
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},លំដាប់ការលក់បានទាមទារសម្រាប់ធាតុ {0}
 DocType: Grant Application,Grant Description,ផ្ដល់ការពិពណ៌នា
@@ -3621,6 +3666,7 @@
 DocType: Subscription,Discounts,ការបញ្ចុះតម្លៃ
 DocType: Bank Transaction,Unallocated Amount,ចំនួនទឹកប្រាក់ដែលមិនទាន់បែងចែក
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,សូមបើកដំណើរការនៅលើបញ្ជាទិញនិងអាចអនុវត្តលើការកក់ជាក់ស្តែងនៃការកក់
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} មិនមែនជាគណនីធនាគាររបស់ក្រុមហ៊ុនទេ
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,មិនអាចរកឃើញធាតុផ្គូផ្គងជាមួយ។ សូមជ្រើសតម្លៃមួយចំនួនផ្សេងទៀតសម្រាប់ {0} ។
 DocType: POS Profile,Taxes and Charges,ពន្ធនិងការចោទប្រកាន់
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ផលិតផលឬសេវាកម្មដែលត្រូវបានទិញលក់ឬទុកនៅក្នុងស្តុក។
@@ -3669,6 +3715,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,សុពលភាពពីកាលបរិច្ឆេទត្រូវតែតិចជាងសុពលភាពរហូតដល់កាលបរិច្ឆេទ។
 DocType: Employee Skill,Evaluation Date,កាលបរិច្ឆេទវាយតម្លៃ។
 DocType: Quotation Item,Stock Balance,តុល្យភាពភាគហ៊ុន
+DocType: Loan Security Pledge,Total Security Value,តម្លៃសន្តិសុខសរុប
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,សណ្តាប់ធ្នាប់ការលក់ទៅការទូទាត់
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,នាយកប្រតិបត្តិ
 DocType: Purchase Invoice,With Payment of Tax,ជាមួយការទូទាត់ពន្ធ
@@ -3681,6 +3728,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,សូមជ្រើសរើសគណនីដែលត្រឹមត្រូវ
 DocType: Salary Structure Assignment,Salary Structure Assignment,ការកំណត់រចនាសម្ព័ន្ធប្រាក់ខែ
 DocType: Purchase Invoice Item,Weight UOM,ទំងន់ UOM
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},គណនី {0} មិនមាននៅក្នុងតារាងផ្ទាំងគ្រប់គ្រង {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,បញ្ជីឈ្មោះម្ចាស់ហ៊ុនដែលមានលេខទូរស័ព្ទ
 DocType: Salary Structure Employee,Salary Structure Employee,និយោជិតបានប្រាក់ខែរចនាសម្ព័ន្ធ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,បង្ហាញគុណលក្ខណៈវ៉ារ្យង់
@@ -3761,6 +3809,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,អត្រាវាយតម្លៃនាពេលបច្ចុប្បន្ន
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,ចំនួនគណនី root មិនអាចតិចជាង ៤ ទេ។
 DocType: Training Event,Advance,បន្ត
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,ប្រឆាំងនឹងប្រាក់កម្ចី៖
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,ការកំណត់ការទូទាត់ GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,អត្រាប្តូរប្រាក់ចំណេញ / បាត់បង់
 DocType: Opportunity,Lost Reason,បាត់បង់មូលហេតុ
@@ -3844,8 +3893,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,ជ្រើសបាច់គ្មាន
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},មិនត្រឹមត្រូវ {0} {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,ជួរដេក {0}៖ ថ្ងៃកំណើតបងប្អូនបង្កើតមិនអាចធំជាងថ្ងៃនេះទេ។
 DocType: Fee Validity,Reference Inv,សេចក្តីយោងឯកសារ Inv
 DocType: Sales Invoice Advance,Advance Amount,មុនចំនួនទឹកប្រាក់
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,អត្រាការប្រាក់ពិន័យ (%) ក្នុងមួយថ្ងៃ
 DocType: Manufacturing Settings,Capacity Planning,ផែនការការកសាងសមត្ថភាព
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,ការកែសំរួលជុំវិញ (រូបិយប័ណ្ណក្រុមហ៊ុន
 DocType: Asset,Policy number,លេខគោលនយោបាយ
@@ -3861,7 +3912,9 @@
 DocType: Normal Test Items,Require Result Value,ទាមទារតម្លៃលទ្ធផល
 DocType: Purchase Invoice,Pricing Rules,វិធានកំណត់តម្លៃ។
 DocType: Item,Show a slideshow at the top of the page,បង្ហាញតែការបញ្ចាំងស្លាយមួយនៅផ្នែកខាងលើនៃទំព័រនេះ
+DocType: Appointment Letter,Body,រាងកាយ
 DocType: Tax Withholding Rate,Tax Withholding Rate,អត្រាប្រាក់បំណាច់ពន្ធ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,កាលបរិច្ឆេទចាប់ផ្តើមសងគឺចាំបាច់សម្រាប់ប្រាក់កម្ចីមានកាលកំណត់
 DocType: Pricing Rule,Max Amt,Max Amt ។
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,ហាងលក់
@@ -3881,7 +3934,7 @@
 DocType: Call Log,Received By,ទទួលបានដោយ។
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),រយៈពេលណាត់ជួប (គិតជានាទី)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ពត៌មានលំអិតគំរូផែនទីលំហូរសាច់ប្រាក់
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,ការគ្រប់គ្រងប្រាក់កម្ចី
+DocType: Loan,Loan Management,ការគ្រប់គ្រងប្រាក់កម្ចី
 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,Update Cost,តម្លៃដែលធ្វើឱ្យទាន់សម័យ
@@ -3889,6 +3942,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B- ទម្រង់។
 DocType: Sales Invoice,Mode of Transport,របៀបនៃការដឹកជញ្ជូន
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,គ្រូពេទ្យប្រហែលជាបង្ហាញប្រាក់ខែ
+DocType: Loan,Is Term Loan,គឺជាប្រាក់កម្ចីមានកាលកំណត់
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,សម្ភារៈសេវាផ្ទេរប្រាក់
 DocType: Fees,Send Payment Request,ផ្ញើសំណើទូទាត់
 DocType: Travel Request,Any other details,ព័ត៌មានលម្អិតផ្សេងទៀត
@@ -3906,6 +3960,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,លំហូរសាច់ប្រាក់ពីការផ្តល់ហិរញ្ញប្បទាន
 DocType: Budget Account,Budget Account,គណនីថវិកា
 DocType: Quality Inspection,Verified By,បានផ្ទៀងផ្ទាត់ដោយ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,បន្ថែមសន្តិសុខឥណទាន
 DocType: Travel Request,Name of Organizer,ឈ្មោះអ្នករៀបចំ
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,គឺជាការទទួលខុសត្រូវពន្ធលើប្រាក់ចំណូល
@@ -3956,6 +4011,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,តម្រូវការនៅលើ
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",ប្រសិនបើបានគូសធីកលាក់និងបិទវាលសរុបមូលក្នុងប័ណ្ណប្រាក់ខែ
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,នេះគឺជាអុហ្វសិតលំនាំដើម (ថ្ងៃ) សម្រាប់កាលបរិច្ឆេទដឹកជញ្ជូនក្នុងការបញ្ជាទិញការលក់។ អុហ្វសិតជំនួសគឺ ៧ ថ្ងៃគិតចាប់ពីថ្ងៃដាក់ការបញ្ជាទិញ។
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង&gt; លេខរៀង
 DocType: Rename Tool,File to Rename,ឯកសារដែលត្រូវប្តូរឈ្មោះ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},សូមជ្រើស Bom សម្រាប់ធាតុក្នុងជួរដេក {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,ទទួលយកការធ្វើបច្ចុប្បន្នភាពការជាវប្រចាំ
@@ -3968,6 +4024,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,លេខស៊េរីត្រូវបានបង្កើត
 DocType: POS Profile,Applicable for Users,អាចប្រើបានសម្រាប់អ្នកប្រើប្រាស់
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-yYYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,ពីកាលបរិច្ឆេទនិងកាលបរិច្ឆេទគឺចាំបាច់
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,កំណត់គម្រោងនិងភារកិច្ចទាំងអស់ដើម្បីកំណត់ស្ថានភាព {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),កំណត់បន្តនិងបម្រុងទុក (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,គ្មានការបញ្ជាទិញការងារដែលបានបង្កើត
@@ -4073,11 +4130,12 @@
 ,Minutes to First Response for Opportunity,នាទីដើម្បីឆ្លើយតបដំបូងសម្រាប់ឱកាសការងារ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,សរុបអវត្តមាន
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,ធាតុឬឃ្លាំងសំរាប់ជួរ {0} មិនផ្គូផ្គងសំណើសម្ភារៈ
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវបង់។
+DocType: Loan Repayment,Payable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវបង់។
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,ឱកាសការងារ
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,កម្លាំងអតិបរមាមិនអាចតិចជាងសូន្យទេ។
 DocType: Options,Option,ជម្រើស។
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},អ្នកមិនអាចបង្កើតធាតុគណនេយ្យក្នុងកំឡុងពេលគណនេយ្យបិទ {0}
 DocType: Operation,Default Workstation,ស្ថានីយការងារលំនាំដើម
@@ -4119,6 +4177,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,ចំនួនការប្រាក់គឺចាំបាច់
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ទុកឱ្យដោយគ្មានប្រាក់ខែមិនផ្គូផ្គងនឹងកំណត់ត្រាកម្មវិធីចាកចេញអនុម័ត
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ជំហានបន្ទាប់
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ធាតុបានរក្សាទុក។
@@ -4169,11 +4228,10 @@
 DocType: Grant Application,Grant Application Details ,ផ្តល់សេចក្តីលម្អិតអំពីការអនុវត្ត
 DocType: Employee Separation,Employee Separation,ការបំបែកបុគ្គលិក
 DocType: BOM Item,Original Item,ធាតុដើម
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","សូមលុបនិយោជិក <a href=""#Form/Employee/{0}"">{0}</a> \ ដើម្បីលុបចោលឯកសារនេះ"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,កាលបរិច្ឆេទឯកសារ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},កំណត់ត្រាថ្លៃសេវាបានបង្កើត - {0}
 DocType: Asset Category Account,Asset Category Account,គណនីទ្រព្យសកម្មប្រភេទ
+apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,តម្លៃ {0} ត្រូវបានកំណត់ទៅធាតុពិរោះ ៗ {2} ។
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,ជួរដេក # {0} (តារាងបង់ប្រាក់): ចំនួនទឹកប្រាក់ត្រូវតែជាវិជ្ជមាន
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},មិនអាចបង្កើតធាតុជាច្រើនទៀត {0} ជាងបរិមាណលំដាប់លក់ {1}
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,គ្មានអ្វីដែលត្រូវបានរាប់បញ្ចូលជាសរុបទេ។
@@ -4202,6 +4260,8 @@
 DocType: Asset Maintenance Task,Calibration,ការក្រិតតាមខ្នាត
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} គឺជាថ្ងៃឈប់សម្រាករបស់ក្រុមហ៊ុន
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ម៉ោងដែលអាចចេញវិក្កយបត្របាន។
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,អត្រាការប្រាក់ពិន័យត្រូវបានគិតតាមចំនួនការប្រាក់ដែលមិនទាន់បានបង់ជារៀងរាល់ថ្ងៃក្នុងករណីមានការសងយឺតយ៉ាវ
+DocType: Appointment Letter content,Appointment Letter content,មាតិកាលិខិតណាត់ជួប
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ចាកចេញពីការជូនដំណឹងស្ថានភាព
 DocType: Patient Appointment,Procedure Prescription,នីតិវិធីវេជ្ជបញ្ជា
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,គ្រឿងសង្ហារឹមនិងព្រឹត្តិការណ៍ប្រកួត
@@ -4220,7 +4280,7 @@
 DocType: Opportunity,Customer / Lead Name,អតិថិជននាំឱ្យឈ្មោះ /
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ការបោសសំអាតកាលបរិច្ឆេទមិនបានលើកឡើង
 DocType: Payroll Period,Taxable Salary Slabs,សន្លឹកប្រាក់ខែជាប់ពន្ធ
-DocType: Job Card,Production,ផលិតកម្ម
+DocType: Plaid Settings,Production,ផលិតកម្ម
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN មិនត្រឹមត្រូវ! ការបញ្ចូលដែលអ្នកបានបញ្ចូលមិនត្រូវគ្នានឹង GSTIN ទេ។
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,តម្លៃគណនី
 DocType: Guardian,Occupation,ការកាន់កាប់
@@ -4362,6 +4422,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,ការប្រមូលកម្មវិធីប្រកបដោយភាពស្មោះត្រង់
 DocType: Stock Entry Detail,Subcontracted Item,ធាតុបន្តកិច្ចសន្យា
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},សិស្ស {0} មិនមែនជារបស់ក្រុម {1}
+DocType: Appointment Letter,Appointment Date,កាលបរិច្ឆេទណាត់ជួប
 DocType: Budget,Cost Center,មជ្ឈមណ្ឌលការចំណាយ
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,# កាតមានទឹកប្រាក់
 DocType: Tax Rule,Shipping Country,ការដឹកជញ្ជូនក្នុងប្រទេស
@@ -4431,6 +4492,7 @@
 DocType: Accounting Dimension,Accounting Dimension,វិមាត្រគណនេយ្យ។
 ,Profit and Loss Statement,សេចក្តីថ្លែងការណ៍ប្រាក់ចំណេញនិងការបាត់បង់
 DocType: Bank Reconciliation Detail,Cheque Number,លេខមូលប្បទានប័ត្រ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,ចំនួនទឹកប្រាក់ដែលបានបង់មិនអាចជាសូន្យទេ
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,ធាតុដែលបានយោងដោយ {0} - {1} ត្រូវបានធ្វើវិក័យប័ត្ររួចហើយ
 ,Sales Browser,កម្មវិធីរុករកការលក់
 DocType: Journal Entry,Total Credit,ឥណទានសរុប
@@ -4535,6 +4597,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,បន្ថែម / កែលក្ខខណ្ឌគូប៉ុង
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,គណនីក្នុងការចំណាយ / ភាពខុសគ្នា ({0}) ត្រូវតែជា &quot;ចំណញឬខាត &#39;គណនី
 DocType: Stock Entry Detail,Stock Entry Child,កូនក្មេងចូលស្តុក។
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,ក្រុមហ៊ុនសន្យាផ្តល់ប្រាក់កម្ចីនិងក្រុមហ៊ុនផ្តល់ប្រាក់កម្ចីត្រូវតែដូចគ្នា
 DocType: Project,Copied From,ចម្លងពី
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,វិក័យប័ត្របានបង្កើតឡើងសម្រាប់ម៉ោងទូទាត់ទាំងអស់
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},កំហុសឈ្មោះ: {0}
@@ -4542,6 +4605,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,តើការចំណាយហិរញ្ញវត្ថុ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,ការចូលរួមសម្រាប់ការ {0} បុគ្គលិកត្រូវបានសម្គាល់រួចហើយ
 DocType: Packing Slip,If more than one package of the same type (for print),បើកញ្ចប់ច្រើនជាងមួយនៃប្រភេទដូចគ្នា (សម្រាប់បោះពុម្ព)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ&gt; ការកំណត់ការអប់រំ
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,សូមកំណត់អតិថិជនលំនាំដើមនៅក្នុងការកំណត់ភោជនីយដ្ឋាន
 ,Salary Register,ប្រាក់បៀវត្សចុះឈ្មោះ
 DocType: Company,Default warehouse for Sales Return,ឃ្លាំងលំនាំដើមសម្រាប់ការលក់ត្រឡប់មកវិញ។
@@ -4586,7 +4650,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,លេខស៊េរីបច្ចុប្បន្ន។
 DocType: Employee,Attendance and Leave Details,ការចូលរួមនិងទុកព័ត៌មានលំអិត
 ,BOM Comparison Tool,ឧបករណ៍ប្រៀបធៀប BOM ។
-,Requested,បានស្នើរសុំ
+DocType: Loan Security Pledge,Requested,បានស្នើរសុំ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,គ្មានសុន្ទរកថា
 DocType: Asset,In Maintenance,ក្នុងការថែទាំ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ចុចប៊ូតុងនេះដើម្បីទាញទិន្នន័យការបញ្ជាទិញរបស់អ្នកពី Amazon MWS ។
@@ -4598,7 +4662,6 @@
 DocType: Drug Prescription,Drug Prescription,ថ្នាំពេទ្យ
 DocType: Service Level,Support and Resolution,ការគាំទ្រនិងដំណោះស្រាយ។
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,លេខកូដធាតុឥតគិតថ្លៃមិនត្រូវបានជ្រើសរើសទេ។
-DocType: Loan,Repaid/Closed,សង / បិទ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,សរុបរបស់គម្រោង Qty
 DocType: Monthly Distribution,Distribution Name,ឈ្មោះចែកចាយ
@@ -4632,6 +4695,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,ប្រត្តិប័ត្រការគណនេយ្យសំរាប់ស្តុក
 DocType: Lab Test,LabTest Approver,អ្នកអនុម័ត LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,អ្នកបានវាយតម្លែរួចទៅហើយសម្រាប់លក្ខណៈវិនិច្ឆ័យវាយតម្លៃនេះ {} ។
+DocType: Loan Security Shortfall,Shortfall Amount,ចំនួនខ្វះខាត
 DocType: Vehicle Service,Engine Oil,ប្រេងម៉ាស៊ីន
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},កិច្ចការការងារបានបង្កើត: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},សូមកំណត់លេខសម្គាល់អ៊ីមែលសម្រាប់អ្នកដឹកនាំ {0}
@@ -4650,6 +4714,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},គណនីមិនត្រូវបានកំណត់សម្រាប់ផ្ទាំងព័ត៌មានផ្ទាំងគ្រប់គ្រង {0}
 DocType: Purchase Invoice,Apply Additional Discount On,អនុវត្តបន្ថែមការបញ្ចុះតម្លៃនៅលើ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,ជ្រើសរើសប្រភេទ ...
+DocType: Loan Interest Accrual,Amounts,បរិមាណ
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,សំបុត្ររបស់អ្នក
 DocType: Account,Root Type,ប្រភេទជា Root
 DocType: Item,FIFO,FIFO &amp; ‧;
@@ -4657,6 +4722,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},ជួរដេក # {0}: មិនអាចវិលត្រឡប់មកវិញច្រើនជាង {1} សម្រាប់ធាតុ {2}
 DocType: Item Group,Show this slideshow at the top of the page,បង្ហាញតែការបញ្ចាំងស្លាយនេះនៅកំពូលនៃទំព័រ
 DocType: BOM,Item UOM,ធាតុ UOM
+DocType: Loan Security Price,Loan Security Price,តម្លៃសេវាប្រាក់កម្ចី
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ចំនួនប្រាក់ពន្ធបន្ទាប់ពីចំនួនការបញ្ចុះតម្លៃ (ក្រុមហ៊ុនរូបិយវត្ថុ)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ឃ្លាំងគោលដៅគឺជាការចាំបាច់សម្រាប់ជួរ {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,ប្រតិបត្តិការលក់រាយ។
@@ -4793,6 +4859,7 @@
 DocType: Coupon Code,Coupon Description,ការពិពណ៌នាគូប៉ុង
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},បាច់គឺជាការចាំបាច់ក្នុងជួរ {0}
 DocType: Company,Default Buying Terms,ល័ក្ខខ័ណ្ឌនៃការទិញលំនាំដើម។
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,ការផ្តល់ប្រាក់កម្ចី
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ធាតុបង្កាន់ដៃទិញសហការី
 DocType: Amazon MWS Settings,Enable Scheduled Synch,បើកដំណើរការការតំរែតំរង់កាលវិភាគ
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,ដើម្បី Datetime
@@ -4821,6 +4888,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},បញ្ចូលតម្លៃសូកូឡា {0} និង {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,បញ្ចូលឈ្មោះនៃយុទ្ធនាការបានប្រសិនបើប្រភពនៃការស៊ើបអង្កេតគឺជាយុទ្ធនាការ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,កាសែតបោះពុម្ពផ្សាយ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},រកមិនឃើញ <b>តម្លៃសុវត្ថិភាពឥណទាន</b> ត្រឹមត្រូវសម្រាប់ {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,កាលបរិច្ឆេទនាពេលអនាគតមិនត្រូវបានអនុញ្ញាត
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,កាលបរិច្ឆេទដឹកជញ្ជូនដែលរំពឹងទុកគួរតែស្ថិតនៅក្រោយថ្ងៃបញ្ជាទិញ
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,រៀបចំវគ្គ
@@ -4886,6 +4954,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,សំណើសម្រង់តម្លៃ
 DocType: Antibiotic,Healthcare,ការថែទាំសុខភាព
 DocType: Target Detail,Target Detail,ពត៌មានលំអិតគោលដៅ
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,ដំណើរការកំចី
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,វ៉ារ្យ៉ង់តែមួយ
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,ការងារទាំងអស់
 DocType: Sales Order,% of materials billed against this Sales Order,% នៃសមា្ភារៈ billed នឹងដីកាសម្រេចការលក់នេះ
@@ -4947,7 +5016,7 @@
 DocType: Item,Reorder level based on Warehouse,កម្រិតនៃការរៀបចំដែលមានមូលដ្ឋានលើឃ្លាំង
 DocType: Activity Cost,Billing Rate,អត្រាវិក័យប័ត្រ
 ,Qty to Deliver,qty ដើម្បីដឹកជញ្ជូន
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,បង្កើតធាតុចំណាយ។
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,បង្កើតធាតុចំណាយ។
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ក្រុមហ៊ុន Amazon នឹងធ្វើសមកាលកម្មទិន្នន័យដែលបានធ្វើបច្ចុប្បន្នភាពបន្ទាប់ពីកាលបរិច្ឆេទនេះ
 ,Stock Analytics,ភាគហ៊ុនវិភាគ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,ប្រតិបត្តិការមិនអាចត្រូវបានទុកឱ្យនៅទទេ
@@ -4980,6 +5049,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,ផ្តាច់ការរួមបញ្ចូលខាងក្រៅ។
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,ជ្រើសរើសការទូទាត់ដែលត្រូវគ្នា។
 DocType: Pricing Rule,Item Code,ក្រមធាតុ
+DocType: Loan Disbursement,Pending Amount For Disbursal,ចំនួនទឹកប្រាក់ដែលមិនទាន់សម្រេចសម្រាប់ការចំណាយ
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-yYYYY.-
 DocType: Serial No,Warranty / AMC Details,ការធានា / AMC ពត៌មានលំអិត
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,ជ្រើសរើសសិស្សនិស្សិតដោយដៃសម្រាប់សកម្មភាពដែលមានមូលដ្ឋាននៅក្រុម
@@ -5004,6 +5074,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,ចំនួនសរុប
 DocType: Landed Cost Item,Receipt Document,ឯកសារបង្កាន់ដៃ
 DocType: Employee Education,School/University,សាលា / សាកលវិទ្យាល័យ University
+DocType: Loan Security Pledge,Loan  Details,ព័ត៌មានលំអិតប្រាក់កម្ចី
 DocType: Sales Invoice Item,Available Qty at Warehouse,ដែលអាចប្រើបាន Qty នៅឃ្លាំង
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,ចំនួនទឹកប្រាក់ដែលបានផ្សព្វផ្សាយ
 DocType: Share Transfer,(including),(រួមទាំង)
@@ -5027,6 +5098,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,ក្រុមអ្នក
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,ក្រុមតាមគណនី
 DocType: Purchase Invoice,Hold Invoice,សង្កត់វិក្កយបត្រ
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,ស្ថានភាពសន្យា
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,សូមជ្រើសរើសបុគ្គលិក
 DocType: Sales Order,Fully Delivered,ផ្តល់ឱ្យបានពេញលេញ
 DocType: Promotional Scheme Price Discount,Min Amount,ចំនួនទឹកប្រាក់អប្បបរមា។
@@ -5036,7 +5108,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},ចំនួនទឹកប្រាក់ដែលបានចំណាយមិនអាចមានប្រាក់កម្ចីចំនួនធំជាង {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ជួរដេក {0} # ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក {1} មិនអាចធំជាងចំនួនទឹកប្រាក់ដែលមិនបានទទួល {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ទិញចំនួនលំដាប់ដែលបានទាមទារសម្រាប់ធាតុ {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,អនុវត្តស្លឹកបញ្ជូនបន្ត
@@ -5064,6 +5135,7 @@
 DocType: Pick List Item,Serial No and Batch,សៀរៀលទេនិងបាច់ &amp; ‧;
 DocType: Warranty Claim,From Company,ពីក្រុមហ៊ុន
 DocType: GSTR 3B Report,January,មករា។
+DocType: Loan Repayment,Principal Amount Paid,ប្រាក់ដើមចម្បង
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ផលបូកនៃពិន្ទុវាយតំលៃត្រូវការដើម្បីឱ្យមាន {0} ។
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,សូមកំណត់ចំនួននៃរំលស់បានកក់
 DocType: Supplier Scorecard Period,Calculations,ការគណនា
@@ -5089,6 +5161,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,អំពីក្រុមហ៊ុនរបស់អ្នក
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,បង្ហាញទិន្នន័យវ័យចំណាស់ស្តុក។
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ឥណទានទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី
+DocType: Loan Repayment,Penalty Amount,ចំនួនទឹកប្រាក់ពិន័យ
 DocType: Donor,Donor,ម្ចាស់ជំនួយ
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ធ្វើបច្ចុប្បន្នភាពពន្ធសម្រាប់ធាតុ
 DocType: Global Defaults,Disable In Words,បិទនៅក្នុងពាក្យ
@@ -5119,6 +5192,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,មជ្ឈមណ្ឌលចំណាយនិងថវិកា។
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,សមធម៌តុល្យភាពពិធីបើក
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,ការចូលប្រាក់ដោយផ្នែក
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,សូមកំណត់កាលវិភាគទូទាត់។
 DocType: Pick List,Items under this warehouse will be suggested,វត្ថុដែលស្ថិតនៅក្រោមឃ្លាំងនេះនឹងត្រូវបានណែនាំ។
 DocType: Purchase Invoice,N,លេខ
@@ -5152,7 +5226,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},រកមិនឃើញ {0} សម្រាប់ធាតុ {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},តម្លៃត្រូវតែនៅចន្លោះ {0} និង {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,បង្ហាញពន្ធបញ្ចូលគ្នាក្នុងការបោះពុម្ព
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",គណនីធនាគារចាប់ពីកាលបរិច្ឆេទនិងកាលបរិច្ឆេទត្រូវមានជាចាំបាច់
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,សារដែលបានផ្ញើ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,គណនីជាមួយថ្នាំងជាកូនក្មេងដែលមិនអាចត្រូវបានកំណត់ជាសៀវភៅ
 DocType: C-Form,II,ទី II
@@ -5166,6 +5239,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,បើកការបញ្ជាទិញដោយស្វ័យប្រវត្តិ។
 DocType: Stock Settings,Item Naming By,ធាតុដាក់ឈ្មោះតាម
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},មួយទៀតការចូលបិទរយៈពេល {0} ត្រូវបានធ្វើឡើងបន្ទាប់ពី {1}
+DocType: Proposed Pledge,Proposed Pledge,សន្យាសន្យា
 DocType: Work Order,Material Transferred for Manufacturing,សម្ភារៈផ្ទេរសម្រាប់កម្មន្តសាល
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,គណនី {0} មិនមាន
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ជ្រើសកម្មវិធីភាពស្មោះត្រង់
@@ -5176,7 +5250,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ការកំណត់ព្រឹត្តិការណ៍ដើម្បី {0}, ចាប់តាំងពីបុគ្គលិកដែលបានភ្ជាប់ទៅខាងក្រោមនេះការលក់របស់បុគ្គលមិនមានលេខសម្គាល់អ្នកប្រើ {1}"
 DocType: Timesheet,Billing Details,សេចក្ដីលម្អិតវិក័យប័ត្រ
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ប្រភពនិងឃ្លាំងគោលដៅត្រូវតែខុសគ្នា
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស&gt; ការកំណត់ធនធានមនុស្ស
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ការទូទាត់បរាជ័យ។ សូមពិនិត្យមើលគណនី GoCardless របស់អ្នកសម្រាប់ព័ត៌មានលម្អិត
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},មិនត្រូវបានអនុញ្ញាតឱ្យធ្វើបច្ចុប្បន្នភាពប្រតិបតិ្តការភាគហ៊ុនចាស់ជាង {0}
 DocType: Stock Entry,Inspection Required,អធិការកិច្ចដែលបានទាមទារ
@@ -5189,6 +5262,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,កម្មវិធី
+DocType: Unpledge,Against Pledge,ប្រឆាំងនឹងការសន្យា
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,អ្នកប្រើដែលមានតួនាទីនេះត្រូវបានអនុញ្ញាតឱ្យកំណត់គណនីរបស់ទឹកកកនិងបង្កើត / កែប្រែធាតុគណនេយ្យប្រឆាំងនឹងគណនីជាទឹកកក
 DocType: Plaid Settings,Plaid Environment,បរិស្ថានផ្លាដ។
 ,Project Billing Summary,សង្ខេបវិក្កយបត្រគម្រោង។
@@ -5241,6 +5315,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ជំនាន់
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ចំនួនថ្ងៃណាត់ជួបអាចកក់ទុកមុនបាន
 DocType: Article,LMS User,អ្នកប្រើប្រាស់អិលអេសអិម។
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,ការធានារ៉ាប់រងប្រាក់កម្ចីគឺជាកាតព្វកិច្ចសម្រាប់ប្រាក់កម្ចីមានសុវត្ថិភាព
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),កន្លែងផ្គត់ផ្គង់ (រដ្ឋ / យូ។ ធី។ )
 DocType: Purchase Order Item Supplied,Stock UOM,ភាគហ៊ុន UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,ទិញលំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ
@@ -5315,6 +5390,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,បង្កើតកាតការងារ។
 DocType: Quotation,Referral Sales Partner,ដៃគូលក់ការបញ្ជូន
 DocType: Quality Procedure Process,Process Description,ការពិពណ៌នាអំពីដំណើរការ។
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",មិនអាចស្រាយបានទេតម្លៃសុវត្ថិភាពប្រាក់កម្ចីគឺធំជាងចំនួនទឹកប្រាក់ដែលបានសង
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,អតិថិជន {0} ត្រូវបានបង្កើត។
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,បច្ចុប្បន្នពុំមានស្តុកនៅក្នុងឃ្លាំងណាមួយឡើយ
 ,Payment Period Based On Invoice Date,អំឡុងពេលបង់ប្រាក់ដែលមានមូលដ្ឋានលើវិក័យប័ត្រកាលបរិច្ឆេទ
@@ -5335,7 +5411,7 @@
 DocType: Asset,Insurance Details,សេចក្ដីលម្អិតការធានារ៉ាប់រង
 DocType: Account,Payable,បង់
 DocType: Share Balance,Share Type,ចែករំលែកប្រភេទ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,សូមបញ្ចូលរយៈពេលសងប្រាក់
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,សូមបញ្ចូលរយៈពេលសងប្រាក់
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),កូនបំណុល ({0})
 DocType: Pricing Rule,Margin,រឹម
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,អតិថិជនថ្មី
@@ -5344,6 +5420,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,ឱកាសដោយប្រភពនាំមុខ
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,ប្តូរប្រវត្តិរូប POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Qty ឬចំនួនទឹកប្រាក់គឺជាកាតព្វកិច្ចសម្រាប់សុវត្ថិភាពប្រាក់កម្ចី
 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,Assessment Report,របាយការណ៍វាយតម្ល្រ
@@ -5379,6 +5456,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ចែករំលែក Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,បានបង្កើតវិក័យប័ត្រលក់ {0}
 DocType: Employee,Confirmation Date,ការអះអាងកាលបរិច្ឆេទ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","សូមលុបនិយោជិក <a href=""#Form/Employee/{0}"">{0}</a> \ ដើម្បីលុបចោលឯកសារនេះ"
 DocType: Inpatient Occupancy,Check Out,ពិនិត្យមុនពេលចេញ
 DocType: C-Form,Total Invoiced Amount,ចំនួន invoiced សរុប
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,លោក Min Qty មិនអាចជាធំជាងអតិបរមា Qty
@@ -5392,7 +5471,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,លេខសម្គាល់ក្រុមហ៊ុន QuickBook
 DocType: Travel Request,Travel Funding,ការធ្វើដំណើរថវិកា
 DocType: Employee Skill,Proficiency,ជំនាញ។
-DocType: Loan Application,Required by Date,ទាមទារដោយកាលបរិច្ឆេទ
 DocType: Purchase Invoice Item,Purchase Receipt Detail,ព័ត៌មានលម្អិតអំពីបង្កាន់ដៃទិញ
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,តំណទៅទីតាំងទាំងអស់ដែលដំណាំកំពុងកើនឡើង
 DocType: Lead,Lead Owner,ការនាំមុខម្ចាស់
@@ -5411,7 +5489,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Bom បច្ចុប្បន្ននិងថ្មី Bom មិនអាចជាដូចគ្នា
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,លេខសម្គាល់ប័ណ្ណប្រាក់ខែ
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍ត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់&gt; ប្រភេទអ្នកផ្គត់ផ្គង់
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,វ៉ារ្យ៉ង់ច្រើន
 DocType: Sales Invoice,Against Income Account,ប្រឆាំងនឹងគណនីចំណូល
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ផ្តល់
@@ -5444,7 +5521,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,ការចោទប្រកាន់មិនអាចវាយតម្លៃប្រភេទសម្គាល់ថាជាការរួមបញ្ចូល
 DocType: POS Profile,Update Stock,ធ្វើឱ្យទាន់សម័យហ៊ុន
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,សេចក្ដីលម្អិតការបង់ប្រាក់
+DocType: Loan Repayment,Payment Details,សេចក្ដីលម្អិតការបង់ប្រាក់
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,អត្រា Bom
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,កំពុងអានឯកសារដែលបានផ្ទុកឡើង។
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","បញ្ឈប់ការងារមិនអាចលុបចោលបានទេ, សូមបញ្ឈប់វាសិនមុននឹងលុបចោល"
@@ -5479,6 +5556,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,តម្លៃប្រាក់កម្ចីអតិបរមា
 ,Stock Ledger,ភាគហ៊ុនសៀវភៅ
 DocType: Company,Exchange Gain / Loss Account,គណនីប្តូរប្រាក់ចំណេញ / បាត់បង់
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
@@ -5588,7 +5666,6 @@
 DocType: Fee Schedule,Fee Schedule,តារាងកម្រៃសេវា
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,ស្លាកជួរឈរ៖
 DocType: Bank Transaction,Settled,តាំងទីលំនៅ។
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,កាលបរិច្ឆេទនៃការបើកប្រាក់កម្ចីមិនអាចមានបន្ទាប់ពីកាលបរិច្ឆេទចាប់ផ្តើមសងប្រាក់កម្ចី។
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,ស៊ី
 DocType: Quality Feedback,Parameters,ប៉ារ៉ាម៉ែត្រ។
 DocType: Company,Create Chart Of Accounts Based On,បង្កើតគំនូសតាងរបស់គណនីមូលដ្ឋាននៅលើ
@@ -5608,6 +5685,7 @@
 DocType: Customer,Credit Limit and Payment Terms,ដែនកំណត់ឥណទាននិងល័ក្ខខ័ណ្ឌក្នុងការបង់ប្រាក់
 DocType: Loyalty Program,Collection Rules,ច្បាប់ប្រមូល
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,ធាតុ 3
+DocType: Loan Security Shortfall,Shortfall Time,ពេលវេលាខ្វះខាត
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ធាតុលំដាប់
 DocType: Purchase Order,Customer Contact Email,ទំនាក់ទំនងអតិថិជនអ៊ីម៉ែល
 DocType: Warranty Claim,Item and Warranty Details,លម្អិតអំពីធាតុនិងការធានា
@@ -5627,12 +5705,14 @@
 DocType: Sales Person,Sales Person Name,ការលក់ឈ្មោះបុគ្គល
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,សូមបញ្ចូលយ៉ាងហោចណាស់ 1 វិក័យប័ត្រក្នុងតារាង
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,គ្មានការធ្វើតេស្តមន្ទីរពិសោធន៍
+DocType: Loan Security Shortfall,Security Value ,តម្លៃសុវត្ថិភាព
 DocType: POS Item Group,Item Group,ធាតុគ្រុប
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ក្រុមនិស្សិត:
 DocType: Depreciation Schedule,Finance Book Id,លេខសៀវភៅហិរញ្ញវត្ថុ
 DocType: Item,Safety Stock,ហ៊ុនសុវត្ថិភាព
 DocType: Healthcare Settings,Healthcare Settings,ការកំណត់សុខភាព
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,ស្លឹកបម្រុងសរុប
+DocType: Appointment Letter,Appointment Letter,សំបុត្រណាត់ជួប
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},ដើម្បី {0}
@@ -5688,6 +5768,7 @@
 DocType: Stock Entry,From BOM,ចាប់ពី Bom
 DocType: Assessment Code,Assessment Code,ក្រមការវាយតំលៃ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ជាមូលដ្ឋាន
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,ពាក្យសុំកំចីពីអតិថិជននិងនិយោជិក។
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ប្រតិបតិ្តការភាគហ៊ុនមុនពេល {0} ត្រូវបានជាប់គាំង
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',សូមចុចលើ &#39;បង្កើតកាលវិភាគ &quot;
 DocType: Job Card,Current Time,ពេលវេលាបច្ចុប្បន្ន
@@ -5714,7 +5795,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,ជំនួយ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,គ្មានក្រុមនិស្សិតបានបង្កើត។
 DocType: Purchase Invoice Item,Serial No,សៀរៀលគ្មាន
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ចំនួនទឹកប្រាក់ដែលត្រូវសងប្រចាំខែមិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់ឥណទាន
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ចំនួនទឹកប្រាក់ដែលត្រូវសងប្រចាំខែមិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់ឥណទាន
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,សូមបញ្ចូលព័ត៌មានលំអិត Maintaince លើកដំបូង
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ជួរដេក # {0}: កាលបរិច្ឆេទដឹកជញ្ជូនដែលរំពឹងទុកមិនអាចមានមុនកាលបរិច្ឆេទបញ្ជាទិញទេ
 DocType: Purchase Invoice,Print Language,បោះពុម្ពភាសា
@@ -5728,6 +5809,7 @@
 DocType: Asset,Finance Books,សៀវភៅហិរញ្ញវត្ថុ
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,សេចក្តីប្រកាសលើកលែងការលើកលែងពន្ធ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,ទឹកដីទាំងអស់
+DocType: Plaid Settings,development,ការអភិវឌ្ឍ
 DocType: Lost Reason Detail,Lost Reason Detail,ព័ត៌មានលម្អិតអំពីមូលហេតុបាត់បង់។
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,សូមកំណត់គោលនយោបាយទុកសម្រាប់បុគ្គលិក {0} នៅក្នុងកំណត់ត្រានិយោជិក / ថ្នាក់
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,លំដាប់ទទេមិនត្រឹមត្រូវសម្រាប់អតិថិជនដែលបានជ្រើសនិងធាតុ
@@ -5792,12 +5874,14 @@
 DocType: Staffing Plan Detail,Current Openings,ការបើកចំហនាពេលបច្ចុប្បន្ន
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,លំហូរសាច់ប្រាក់ពីការប្រតិបត្ដិការ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,ចំនួន CGST
+DocType: Vehicle Log,Current Odometer value ,តម្លៃ Odometer បច្ចុប្បន្ន
 apps/erpnext/erpnext/utilities/activation.py,Create Student,បង្កើតនិស្សិត។
 DocType: Asset Movement Item,Asset Movement Item,ធាតុចលនាសកម្ម
 DocType: Purchase Invoice,Shipping Rule,វិធានការដឹកជញ្ជូន
 DocType: Patient Relation,Spouse,ប្តីប្រពន្ធ
 DocType: Lab Test Groups,Add Test,បន្ថែមតេស្ត
 DocType: Manufacturer,Limited to 12 characters,កំណត់ទៅជា 12 តួអក្សរ
+DocType: Appointment Letter,Closing Notes,ការបិទកំណត់សំគាល់
 DocType: Journal Entry,Print Heading,បោះពុម្ពក្បាល
 DocType: Quality Action Table,Quality Action Table,តារាងសកម្មភាពគុណភាព។
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,សរុបមិនអាចជាសូន្យ
@@ -5865,6 +5949,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),សរុប (AMT)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},សូមកំណត់អត្តសញ្ញាណ / បង្កើតគណនី (ក្រុម) សម្រាប់ប្រភេទ - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,"ការកំសាន្ត, ការលំហែ"
+DocType: Loan Security,Loan Security,សន្តិសុខឥណទាន
 ,Item Variant Details,លំអិតធាតុលំអិត
 DocType: Quality Inspection,Item Serial No,គ្មានសៀរៀលធាតុ
 DocType: Payment Request,Is a Subscription,ជាការជាវ
@@ -5877,7 +5962,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,អាយុចុងក្រោយ។
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,កាលបរិច្ឆេទដែលបានកំណត់ពេលនិងការទទួលយកមិនអាចតិចជាងថ្ងៃនេះទេ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ផ្ទេរសម្ភារៈដើម្បីផ្គត់ផ្គង់
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,អេមអាយ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,គ្មានស៊េរីថ្មីនេះមិនអាចមានឃ្លាំង។ ឃ្លាំងត្រូវតែត្រូវបានកំណត់ដោយបង្កាន់ដៃហ៊ុនទិញចូលឬ
 DocType: Lead,Lead Type,ការនាំមុខប្រភេទ
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,បង្កើតសម្រង់
@@ -5895,7 +5979,6 @@
 DocType: Leave Allocation,Leave Period,ចាកចេញពីកំឡុងពេល
 DocType: Item,Default Material Request Type,លំនាំដើមសម្ភារៈប្រភេទសំណើ
 DocType: Supplier Scorecard,Evaluation Period,រយៈពេលវាយតម្លៃ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,អតិថិជន&gt; ក្រុមអតិថិជន&gt; ទឹកដី
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,មិនស្គាល់
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ការងារមិនត្រូវបានបង្កើត
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5980,7 +6063,8 @@
 ,Customer-wise Item Price,តម្លៃរបស់អតិថិជនដែលមានប្រាជ្ញា។
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,សេចក្តីថ្លែងការណ៍លំហូរសាច់ប្រាក់
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,គ្មានការស្នើសុំសម្ភារៈបានបង្កើត
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ចំនួនទឹកប្រាក់កម្ចីមិនអាចលើសពីចំនួនទឹកប្រាក់កម្ចីអតិបរមានៃ {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ចំនួនទឹកប្រាក់កម្ចីមិនអាចលើសពីចំនួនទឹកប្រាក់កម្ចីអតិបរមានៃ {0}
+DocType: Loan,Loan Security Pledge,ការសន្យាផ្តល់ប្រាក់កម្ចី
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,អាជ្ញាប័ណ្ណ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,សូមជ្រើសយកការទៅមុខផងដែរប្រសិនបើអ្នកចង់រួមបញ្ចូលតុល្យភាពឆ្នាំមុនសារពើពន្ធរបស់ទុកនឹងឆ្នាំសារពើពន្ធនេះ
@@ -5998,6 +6082,7 @@
 DocType: Pricing Rule,Price Discount Scheme,គ្រោងការណ៍បញ្ចុះតំលៃ។
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,ស្ថានភាពថែទាំត្រូវបានលុបចោលឬត្រូវបានបញ្ចប់ដើម្បីដាក់ស្នើ
 DocType: Amazon MWS Settings,US,អាមេរិក
+DocType: Loan Security Pledge,Pledged,បានសន្យា
 DocType: Holiday List,Add Weekly Holidays,បន្ថែមថ្ងៃឈប់សម្រាកប្រចាំសប្តាហ៍
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,រាយការណ៍អំពីធាតុ។
 DocType: Staffing Plan Detail,Vacancies,ព័ត៌មានជ្រើសរើសបុគ្គលិក
@@ -6015,7 +6100,6 @@
 DocType: Production Plan Item,Planned Start Date,ដែលបានគ្រោងទុកកាលបរិច្ឆេទចាប់ផ្តើម
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,សូមជ្រើសរើសលេខកូដសម្ងាត់
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ទទួលបានផលប្រយោជន៍ពន្ធ ITC រួមបញ្ចូល
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,បង្កើតធាតុសំណង។
 DocType: Purchase Order Item,Blanket Order Rate,អត្រាលំដាប់លំដោយ
 ,Customer Ledger Summary,សេចក្តីសង្ខេបអំពីអតិថិជន។
 apps/erpnext/erpnext/hooks.py,Certification,វិញ្ញាបនប័ត្រ
@@ -6036,6 +6120,7 @@
 DocType: Appraisal Template,Appraisal Template Title,ការវាយតម្លៃទំព័រគំរូចំណងជើង
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ពាណិជ្ជ
 DocType: Patient,Alcohol Current Use,គ្រឿងស្រវឹងប្រើបច្ចុប្បន្ន
+DocType: Loan,Loan Closure Requested,ស្នើសុំបិទការផ្តល់ប្រាក់កម្ចី
 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,ប្រភេទការលើកលែងពន្ធ
@@ -6059,6 +6144,7 @@
 DocType: Opening Invoice Creation Tool,Sales,ការលក់
 DocType: Stock Entry Detail,Basic Amount,ចំនួនទឹកប្រាក់ជាមូលដ្ឋាន
 DocType: Training Event,Exam,ការប្រឡង
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,កង្វះខាតឥណទានសម្រាប់ដំណើរការ
 DocType: Email Campaign,Email Campaign,យុទ្ធនាការអ៊ីមែល។
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,កំហុសទីផ្សារ
 DocType: Complaint,Complaint,បណ្តឹង
@@ -6138,6 +6224,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,ដាក់ស្នើនេះដើម្បីបង្កើតកំណត់ត្រានិយោជិក
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},ថ្លៃសេវាកំចីលើកំចីលើកំចីជាមួយ {0}
 DocType: Item Default,Item Default,លំនាំដើមធាតុ
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,ការផ្គត់ផ្គង់ខាងក្នុងរដ្ឋ។
 DocType: Chapter Member,Leave Reason,ទុកហេតុផល
@@ -6164,6 +6251,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} គូប៉ុងដែលបានប្រើគឺ {1} ។ បរិមាណដែលបានអនុញ្ញាតគឺអស់ហើយ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,តើអ្នកចង់ដាក់សំណើសម្ភារៈទេ។
 DocType: Job Offer,Awaiting Response,រង់ចាំការឆ្លើយតប
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,ប្រាក់កម្ចីគឺជាកាតព្វកិច្ច
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-yYYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,ខាងលើ
 DocType: Support Search Source,Link Options,ជម្រើសតំណ
@@ -6176,6 +6264,7 @@
 DocType: Training Event Employee,Optional,ស្រេចចិត្ត
 DocType: Salary Slip,Earning & Deduction,ការរកប្រាក់ចំណូលនិងការកាត់បនថយ
 DocType: Agriculture Analysis Criteria,Water Analysis,ការវិភាគទឹក
+DocType: Pledge,Post Haircut Amount,ចំនួនកាត់សក់កាត់សក់
 DocType: Sales Order,Skip Delivery Note,រំលងចំណាំដឹកជញ្ជូន
 DocType: Price List,Price Not UOM Dependent,តម្លៃមិនមែនយូអ៊ឹមពឹងផ្អែក។
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} បានបង្កើតវ៉ារ្យ៉ង់។
@@ -6202,6 +6291,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,ទទួលបានមុខទំនិញពីកញ្ចប់ផលិតផល
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,វិធីសាស្រ្តទូទាត់សងគឺចាំបាច់សម្រាប់ប្រាក់កម្ចីរយៈពេល
 DocType: Asset,Straight Line,បន្ទាត់ត្រង់
 DocType: Project User,Project User,អ្នកប្រើប្រាស់គម្រោង
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,ពុះ
@@ -6258,11 +6348,8 @@
 DocType: Material Request Plan Item,Required Quantity,បរិមាណដែលត្រូវការ។
 DocType: Lab Test Template,Lab Test Template,គំរូតេស្តមន្ទីរពិសោធន៍
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},រយៈពេលគណនេយ្យត្រួតគ្នាជាមួយ {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់&gt; ប្រភេទអ្នកផ្គត់ផ្គង់
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,គណនីលក់
 DocType: Purchase Invoice Item,Total Weight,ទំងន់សរុប
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","សូមលុបនិយោជិក <a href=""#Form/Employee/{0}"">{0}</a> \ ដើម្បីលុបចោលឯកសារនេះ"
 DocType: Pick List Item,Pick List Item,ជ្រើសរើសធាតុបញ្ជី។
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,គណៈកម្មការលើការលក់
 DocType: Job Offer Term,Value / Description,គុណតម្លៃ / ការពិពណ៌នាសង្ខេប
@@ -6308,6 +6395,7 @@
 DocType: Patient Encounter,Encounter Date,កាលបរិច្ឆេទជួបគ្នា
 DocType: Work Order,Update Consumed Material Cost In Project,ធ្វើបច្ចុប្បន្នភាពតម្លៃសម្ភារៈប្រើប្រាស់ក្នុងគម្រោង។
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,គណនី: {0} ដែលមានរូបិយប័ណ្ណ: {1} មិនអាចត្រូវបានជ្រើស &amp; ‧;
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ប្រាក់កម្ចីត្រូវបានផ្តល់ជូនអតិថិជននិងនិយោជិក។
 DocType: Bank Statement Transaction Settings Item,Bank Data,ទិន្នន័យធនាគារ
 DocType: Purchase Receipt Item,Sample Quantity,បរិមាណគំរូ
 DocType: Bank Guarantee,Name of Beneficiary,ឈ្មោះអ្នកទទួលផល
@@ -6376,7 +6464,6 @@
 DocType: Contract,Signed On,បានចុះហត្ថលេខាលើ
 DocType: Bank Account,Party Type,ប្រភេទគណបក្ស
 DocType: Discounted Invoice,Discounted Invoice,វិក្កយបត្របញ្ចុះតម្លៃ។
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,សម្គាល់ការចូលរួមជា <b></b>
 DocType: Payment Schedule,Payment Schedule,កាលវិភាគទូទាត់
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},រកមិនឃើញបុគ្គលិកសម្រាប់តម្លៃវាលបុគ្គលិកដែលបានផ្តល់ឱ្យទេ។ &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,អក្សរកាត់
@@ -6448,6 +6535,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ម្ចាស់បំណុល
 DocType: Assessment Plan,Assessment Name,ឈ្មោះការវាយតំលៃ
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,ជួរដេក # {0}: មិនស៊េរីគឺជាការចាំបាច់
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,ចំនួនទឹកប្រាក់នៃ {0} ត្រូវបានទាមទារសម្រាប់ការបិទប្រាក់កម្ចី
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ពត៌មានលំអិតពន្ធលើដែលមានប្រាជ្ញាធាតុ
 DocType: Employee Onboarding,Job Offer,ផ្តល់ជូនការងារ
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,អក្សរកាត់វិទ្យាស្ថាន
@@ -6472,7 +6560,6 @@
 DocType: Purchase Order,To Receive,ដើម្បីទទួលបាន
 DocType: Leave Period,Holiday List for Optional Leave,បញ្ជីថ្ងៃឈប់សម្រាកសម្រាប់ការចេញជម្រើស
 DocType: Item Tax Template,Tax Rates,អត្រាពន្ធ។
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,លេខកូដរបស់ក្រុម&gt; ក្រុមក្រុម&gt; ម៉ាក
 DocType: Asset,Asset Owner,ម្ចាស់ទ្រព្យ
 DocType: Item,Website Content,មាតិកាគេហទំព័រ។
 DocType: Bank Account,Integration ID,លេខសម្គាល់សមាហរណកម្ម។
@@ -6488,6 +6575,7 @@
 DocType: Amazon MWS Settings,Synch Orders,ការបញ្ជាទិញ
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,ការបញ្ជាទិញដែលបានចេញផ្សាយសម្រាប់ការផលិត។
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,ជ្រើសឆ្នាំសារពើពន្ធ ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},សូមជ្រើសរើសប្រភេទកំចីសំរាប់ក្រុមហ៊ុន {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,ម៉ាស៊ីនឆូតកាតពត៌មានផ្ទាល់ខ្លួនត្រូវបានទាមទារដើម្បីធ្វើឱ្យធាតុរបស់ម៉ាស៊ីនឆូតកាត
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",ពិន្ទុស្មោះត្រង់នឹងត្រូវបានគណនាពីការចំណាយដែលបានចំណាយ (តាមរយៈវិក័យប័ត្រលក់) ផ្អែកលើកត្តាប្រមូលដែលបានលើកឡើង។
 DocType: Program Enrollment Tool,Enroll Students,ចុះឈ្មោះសិស្ស
@@ -6516,6 +6604,7 @@
 DocType: Customer,Mention if non-standard receivable account,និយាយពីការប្រសិនបើគណនីដែលមិនមែនជាស្តង់ដាទទួល
 DocType: Bank,Plaid Access Token,ថូខឹនផ្លាទីនចូល។
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,សូមបន្ថែមអត្ថប្រយោជន៍ដែលនៅសល់ {0} ទៅសមាសភាគដែលមានស្រាប់
+DocType: Bank Account,Is Default Account,គឺជាគណនីលំនាំដើម
 DocType: Journal Entry Account,If Income or Expense,ប្រសិនបើមានប្រាក់ចំណូលឬការចំណាយ
 DocType: Course Topic,Course Topic,ប្រធានបទវគ្គសិក្សា។
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},ការបិទប័ណ្ណទូទាត់តាមម៉ាស៊ីនឆូតកាតមានសំរាប់ {0} នៅចន្លោះកាលបរិច្ឆេទ {1} និង {2}
@@ -6528,7 +6617,7 @@
 DocType: Disease,Treatment Task,កិច្ចការព្យាបាល
 DocType: Payment Order Reference,Bank Account Details,ព័ត៌មានគណនីធនាគារ
 DocType: Purchase Order Item,Blanket Order,លំដាប់វង់
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ចំនួនទឹកប្រាក់សងត្រូវតែធំជាង។
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ចំនួនទឹកប្រាក់សងត្រូវតែធំជាង។
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ការប្រមូលពន្ធលើទ្រព្យសម្បត្តិ
 DocType: BOM Item,BOM No,Bom គ្មាន
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ព័ត៌មានលម្អិតបច្ចុប្បន្នភាព
@@ -6585,6 +6674,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,ផលិតផលវ៉ាយហ្វាយ។
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},កំហុសវាក្យសម្ព័ន្ធនៅក្នុងរូបមន្តឬស្ថានភាព: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,ធាតុ {0} មិនអើពើចាប់តាំងពីវាគឺមិនមានធាតុភាគហ៊ុន
+,Loan Security Status,ស្ថានភាពសុវត្ថិភាពប្រាក់កម្ចី
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",ការមិនអនុវត្តវិធានតម្លៃក្នុងប្រតិបត្តិការពិសេសមួយដែលអនុវត្តបានទាំងអស់ក្បួនតម្លៃគួរតែត្រូវបានបិទ។
 DocType: Payment Term,Day(s) after the end of the invoice month,ថ្ងៃ (s) បន្ទាប់ពីបញ្ចប់នៃវិក័យប័ត្រ
 DocType: Assessment Group,Parent Assessment Group,ការវាយតំលៃគ្រុបមាតាបិតា
@@ -6599,7 +6689,6 @@
 DocType: Stock Entry Detail,Additional Cost,ការចំណាយបន្ថែមទៀត
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",មិនអាចត្រងដោយផ្អែកលើប័ណ្ណគ្មានប្រសិនបើដាក់ជាក្រុមតាមប័ណ្ណ
 DocType: Quality Inspection,Incoming,មកដល់
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង&gt; លេខរៀង
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,គំរូពន្ធលំនាំដើមសម្រាប់ការលក់និងការទិញត្រូវបានបង្កើត។
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,កំណត់ត្រាការវាយតំលៃ {0} មានរួចហើយ។
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",ឧទាហរណ៍: ABCD ។ ##### ។ ប្រសិនបើស៊េរីត្រូវបានកំណត់ហើយបាច់គ្មានត្រូវបានរៀបរាប់នៅក្នុងប្រតិបត្តិការបន្ទាប់មកលេខឡូហ្គោស្វ័យប្រវត្តិនឹងត្រូវបានបង្កើតឡើងដោយផ្អែកលើស៊េរីនេះ។ ប្រសិនបើអ្នកចង់និយាយបញ្ជាក់យ៉ាងច្បាស់ពីជំនាន់ទី 1 សម្រាប់ធាតុនេះសូមទុកវាឱ្យនៅទទេ។ ចំណាំ: ការកំណត់នេះនឹងយកអាទិភាពជាងបុព្វបទស៊េរីឈ្មោះក្នុងការកំណត់ស្តុក។
@@ -6609,8 +6698,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,ដាក់ស្នើពិនិត្យឡើងវិញ
 DocType: Contract,Party User,អ្នកប្រើគណបក្ស
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',សូមកំណត់ក្រុមហ៊ុនត្រងនៅទទេប្រសិនបើក្រុមតាមគឺ &#39;ក្រុមហ៊ុន&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,អតិថិជន&gt; ក្រុមអតិថិជន&gt; ទឹកដី
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,ការប្រកាសកាលបរិច្ឆេទមិនអាចបរិច្ឆេទនាពេលអនាគត
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ជួរដេក # {0}: សៀរៀលគ្មាន {1} មិនផ្គូផ្គងនឹង {2} {3}
+DocType: Loan Repayment,Interest Payable,ការប្រាក់ត្រូវបង់
 DocType: Stock Entry,Target Warehouse Address,អាស័យដ្ឋានឃ្លាំង
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ចាកចេញធម្មតា
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ពេលវេលាមុនពេលវេនចាប់ផ្តើមផ្លាស់ប្តូរកំឡុងពេលដែលបុគ្គលិកចុះឈ្មោះចូលត្រូវបានពិចារណាសម្រាប់ការចូលរួម។
@@ -6739,6 +6830,7 @@
 DocType: Issue,Reset Service Level Agreement,កំណត់កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មឡើងវិញ។
 ,Sales Person-wise Transaction Summary,ការលក់បុគ្គលប្រាជ្ញាសង្ខេបប្រតិបត្តិការ
 DocType: Training Event,Contact Number,លេខទំនាក់ទំនង
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,ចំនួនប្រាក់កម្ចីគឺជាកាតព្វកិច្ច
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ឃ្លាំង {0} មិនមាន
 DocType: Cashier Closing,Custody,ឃុំឃាំង
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ការដាក់ពាក្យបញ្ជូលភស្តុតាងនៃការលើកលែងពន្ធលើនិយោជិក
@@ -6787,6 +6879,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,មានតុល្យភាព Qty
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,ល័ក្ខខ័ណ្ឌនឹងត្រូវបានអនុវត្តលើធាតុដែលបានជ្រើសរើសទាំងអស់បញ្ចូលគ្នា។
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,គ្រាប់បាល់បញ្ចូលទីមិនអាចទទេ
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,ឃ្លាំងមិនត្រឹមត្រូវ
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,ចុះឈ្មោះសិស្ស
 DocType: Item Group,Parent Item Group,ក្រុមមុខទំនិញមេ
 DocType: Appointment Type,Appointment Type,ប្រភេទការតែងតាំង
@@ -6842,10 +6935,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,អត្រាមធ្យម
 DocType: Appointment,Appointment With,ណាត់ជួបជាមួយ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ចំនួនទឹកប្រាក់ទូទាត់សរុបក្នុងកាលវិភាគទូទាត់ត្រូវតែស្មើគ្នាសរុប / សរុប
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,សម្គាល់ការចូលរួមជា <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",«វត្ថុដែលផ្តល់ឲ្យដោយអតិថិជន» មិនអាចមានអត្រាវាយតម្លៃទេ
 DocType: Subscription Plan Detail,Plan,ផែនការ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,ធនាគារតុល្យភាពសេចក្តីថ្លែងការណ៍ដូចជាក្នុងសៀវភៅធំ
-DocType: Job Applicant,Applicant Name,ឈ្មោះកម្មវិធី
+DocType: Appointment Letter,Applicant Name,ឈ្មោះកម្មវិធី
 DocType: Authorization Rule,Customer / Item Name,អតិថិជន / មុខទំនិញ
 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**. 
 
@@ -6889,11 +6983,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ឃ្លាំងមិនអាចលុបធាតុដែលបានចុះក្នុងសៀវភៅភាគហ៊ុនមានសម្រាប់ឃ្លាំងនេះ។
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ចែកចាយ
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,ស្ថានភាពនិយោជិកមិនអាចត្រូវបានកំណត់ទៅខាងឆ្វេងទេព្រោះនិយោជិកខាងក្រោមកំពុងរាយការណ៍ទៅនិយោជិកនេះ៖
-DocType: Journal Entry Account,Loan,ឥណទាន
+DocType: Loan Repayment,Amount Paid,ចំនួនទឹកប្រាក់ដែលបង់
+DocType: Loan Security Shortfall,Loan,ឥណទាន
 DocType: Expense Claim Advance,Expense Claim Advance,ចំណាយប្រាក់កម្រៃបុរេប្រទាន
 DocType: Lab Test,Report Preference,ចំណាប់អារម្មណ៍របាយការណ៍
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ព័ត៌មានស្ម័គ្រចិត្ត។
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,ប្រធានគ្រប់គ្រងគម្រោង
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,ក្រុមតាមអតិថិជន
 ,Quoted Item Comparison,ធាតុដកស្រង់សម្តីប្រៀបធៀប
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},ការស៊ុតបញ្ចូលគ្នារវាង {0} និង {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,បញ្ជូន
@@ -6913,6 +7009,7 @@
 DocType: Material Request Plan Item,Material Issue,សម្ភារៈបញ្ហា
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ធាតុឥតគិតថ្លៃមិនបានកំណត់ក្នុងគោលការណ៍កំណត់តម្លៃ {0}
 DocType: Employee Education,Qualification,គុណវុឌ្ឍិ
+DocType: Loan Security Shortfall,Loan Security Shortfall,កង្វះខាតប្រាក់កម្ចី
 DocType: Item Price,Item Price,ថ្លៃទំនិញ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,ដុំនិងសាប៊ូម្ស៉ៅ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},និយោជិក {0} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1}
@@ -6934,6 +7031,7 @@
 DocType: Appointment Booking Settings,Appointment Details,ព័ត៌មានលម្អិតអំពីការតែងតាំង
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ផលិតផលសម្រេច
 DocType: Warehouse,Warehouse Name,ឈ្មោះឃ្លាំង
+DocType: Loan Security Pledge,Pledge Time,ពេលវេលាសន្យា
 DocType: Naming Series,Select Transaction,ជ្រើសប្រតិបត្តិការ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,សូមបញ្ចូលអនុម័តតួនាទីឬការអនុម័តរបស់អ្នកប្រើប្រាស់
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មជាមួយប្រភេទអង្គភាព {0} និងអង្គភាព {1} មានរួចហើយ។
@@ -6941,7 +7039,6 @@
 DocType: BOM,Rate Of Materials Based On,អត្រានៃសម្ភារៈមូលដ្ឋាននៅលើ
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",ប្រសិនបើបានបើកដំណើរការវគ្គសិក្សានឹងជាកាតព្វកិច្ចនៅក្នុងឧបករណ៍ចុះឈ្មោះកម្មវិធី។
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",គុណតម្លៃនៃការលើកលែង Nil rated និងមិនមែន GST ផ្គត់ផ្គង់ចូល។
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,អតិថិជន&gt; ក្រុមអតិថិជន&gt; ទឹកដី
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ក្រុមហ៊ុន</b> គឺជាតម្រងចាំបាច់។
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ដោះធីកទាំងអស់
 DocType: Purchase Taxes and Charges,On Item Quantity,នៅលើបរិមាណធាតុ។
@@ -6987,7 +7084,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,កង្វះខាត Qty
 DocType: Purchase Invoice,Input Service Distributor,អ្នកចែកចាយសេវាកម្មបញ្ចូល។
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,វ៉ារ្យ៉ង់ធាតុ {0} មានដែលមានគុណលក្ខណៈដូចគ្នា
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ&gt; ការកំណត់ការអប់រំ
 DocType: Loan,Repay from Salary,សងពីប្រាក់ខែ
 DocType: Exotel Settings,API Token,API ថូខឹន។
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ស្នើសុំការទូទាត់ប្រឆាំងនឹង {0} {1} ចំនួន {2}
@@ -7006,6 +7102,7 @@
 DocType: Salary Slip,Total Interest Amount,ចំនួនការប្រាក់សរុប
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,ឃ្លាំងជាមួយថ្នាំងជាកូនមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ
 DocType: BOM,Manage cost of operations,គ្រប់គ្រងការចំណាយប្រតិបត្តិការ
+DocType: Unpledge,Unpledge,មិនសន្យា
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,មកដល់កាលបរិច្ឆេទ
 DocType: Tax Rule,Billing Zipcode,វិក័យប័ត្រលេខកូដ
@@ -7187,6 +7284,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ម៉ោងធ្វើការ
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},ការណាត់ជួបថ្មីត្រូវបានបង្កើតឡើងសម្រាប់អ្នកជាមួយ {0}
 DocType: Project,Expected Start Date,គេរំពឹងថានឹងចាប់ផ្តើមកាលបរិច្ឆេទ
+DocType: Work Order,This is a location where raw materials are available.,នេះជាទីតាំងដែលមានវត្ថុធាតុដើម។
 DocType: Purchase Invoice,04-Correction in Invoice,04- ការកែតម្រូវក្នុងវិក្កយបត្រ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,ការងារដែលបានបង្កើតរួចហើយសម្រាប់ធាតុទាំងអស់ជាមួយ BOM
 DocType: Bank Account,Party Details,ព័ត៌មានអំពីគណបក្ស
@@ -7205,6 +7303,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,សម្រង់សម្តី:
 DocType: Contract,Partially Fulfilled,បំពេញដោយផ្នែក
 DocType: Maintenance Visit,Fully Completed,បានបញ្ចប់យ៉ាងពេញលេញ
+DocType: Loan Security,Loan Security Name,ឈ្មោះសុវត្ថិភាពប្រាក់កម្ចី
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","តួអក្សរពិសេសលើកលែងតែ &quot;-&quot;, &quot;#&quot;, &quot;។ &quot;, &quot;/&quot;, &quot;{&quot; និង &quot;}&quot; មិនត្រូវបានអនុញ្ញាតក្នុងស៊េរីដាក់ឈ្មោះ"
 DocType: Purchase Invoice Item,Is nil rated or exempted,ត្រូវបានវាយតម្លៃឬលើកលែង។
 DocType: Employee,Educational Qualification,គុណវុឌ្ឍិអប់រំ
@@ -7262,6 +7361,7 @@
 DocType: Program,Is Featured,មានលក្ខណៈពិសេស។
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,កំពុងទៅយក ...
 DocType: Agriculture Analysis Criteria,Agriculture User,អ្នកប្រើកសិកម្ម
+DocType: Loan Security Shortfall,America/New_York,អាមេរិក / ញូវយ៉ក
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,រហូតដល់កាលបរិច្ឆេទដែលមានសុពលភាពមិនអាចនៅមុនកាលបរិច្ឆេទប្រតិបត្តិការបានទេ
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,ប្រភេទរបស់សិស្ស
@@ -7338,8 +7438,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់តម្លៃទឹកកក
 DocType: Payment Reconciliation,Get Unreconciled Entries,ទទួលបានធាតុ Unreconciled
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},និយោជិក {0} បានបើកទុកនៅលើ {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,គ្មានការទូទាត់សងដែលត្រូវបានជ្រើសរើសសម្រាប់ធាតុទិនានុប្បវត្តិ
 DocType: Purchase Invoice,GST Category,ប្រភេទជីអេសធី។
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,កិច្ចសន្យាដែលបានស្នើសុំគឺចាំបាច់សម្រាប់ប្រាក់កម្ចីមានសុវត្ថិភាព
 DocType: Payment Reconciliation,From Invoice Date,ចាប់ពីកាលបរិច្ឆេទវិក័យប័ត្រ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,ថវិកា
 DocType: Invoice Discounting,Disbursed,ចំណាយ
@@ -7397,14 +7497,13 @@
 DocType: Restaurant,Active Menu,ម៉ឺនុយសកម្ម
 DocType: Accounting Dimension Detail,Default Dimension,វិមាត្រលំនាំដើម។
 DocType: Target Detail,Target Qty,គោលដៅ Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},ប្រឆាំងនឹងប្រាក់កម្ចី: {0}
 DocType: Shopping Cart Settings,Checkout Settings,ការកំណត់ Checkout
 DocType: Student Attendance,Present,នាពេលបច្ចុប្បន្ន
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ការដឹកជញ្ជូនចំណាំ {0} មិនត្រូវបានដាក់ជូន
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",ប័ណ្ណប្រាក់ខែផ្ញើតាមអ៊ីមែលទៅនិយោជិកនឹងត្រូវបានការពារលេខសម្ងាត់ពាក្យសម្ងាត់នឹងត្រូវបានបង្កើតដោយផ្អែកលើគោលការណ៍ពាក្យសម្ងាត់។
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,គណនី {0} បិទត្រូវតែមានប្រភេទបំណុល / សមភាព
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចហើយសម្រាប់តារាងពេលវេលា {1}
-DocType: Vehicle Log,Odometer,odometer
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,odometer
 DocType: Production Plan Item,Ordered Qty,បានបញ្ជាឱ្យ Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,ធាតុ {0} ត្រូវបានបិទ
 DocType: Stock Settings,Stock Frozen Upto,រីករាយជាមួយនឹងផ្សារភាគហ៊ុនទឹកកក
@@ -7463,7 +7562,6 @@
 DocType: Serial No,Delivery Document Type,ដឹកជញ្ជូនប្រភេទឯកសារ
 DocType: Sales Order,Partly Delivered,ផ្តល់មួយផ្នែក
 DocType: Item Variant Settings,Do not update variants on save,កុំធ្វើបច្ចុប្បន្នភាពវ៉ារ្យ៉ង់លើការរក្សាទុក
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ក្រុមអ្នកថែរក្សា
 DocType: Email Digest,Receivables,អ្នកទទួល
 DocType: Lead Source,Lead Source,អ្នកដឹកនាំការប្រភព
 DocType: Customer,Additional information regarding the customer.,ពត៍មានបន្ថែមទាក់ទងនឹងការអតិថិជន។
@@ -7561,6 +7659,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ពិតប្រាកដ
 DocType: Appointment,Skype ID,លេខសម្គាល់ Skype
 DocType: Restaurant Menu,Restaurant Manager,អ្នកគ្រប់គ្រងភោជនីយដ្ឋាន
+DocType: Loan,Penalty Income Account,គណនីប្រាក់ចំណូលពិន័យ
 DocType: Call Log,Call Log,ហៅកំណត់ហេតុ។
 DocType: Authorization Rule,Customerwise Discount,Customerwise បញ្ចុះតំលៃ
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet សម្រាប់ភារកិច្ច។
@@ -7649,6 +7748,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,គ្រោងការណ៍បញ្ចុះតម្លៃផលិតផល។
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,មិនមានបញ្ហាអ្វីត្រូវបានលើកឡើងដោយអ្នកទូរស័ព្ទចូលទេ។
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,ក្រុមអ្នកផ្គត់ផ្គង់
 DocType: Restaurant Reservation,Waitlisted,រង់ចាំក្នុងបញ្ជី
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ប្រភេទការលើកលែង
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,រូបិយប័ណ្ណមិនអាចត្រូវបានផ្លាស់ប្តូរបន្ទាប់ពីធ្វើការធាតុប្រើប្រាស់រូបិយប័ណ្ណផ្សេងទៀតមួយចំនួន
@@ -7659,7 +7759,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,ការប្រឹក្សាយោបល់
 DocType: Subscription Plan,Based on price list,ផ្ដោតលើបញ្ជីតម្លៃ
 DocType: Customer Group,Parent Customer Group,ឪពុកម្តាយដែលជាក្រុមអតិថិជន
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,វិក្កយបត្រអេឡិចត្រូនិច JSON អាចបង្កើតបានតែពីវិក្កយបត្រលក់ប៉ុណ្ណោះ។
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,បានឈានដល់ការព្យាយាមអតិបរមាសម្រាប់កម្រងសំណួរនេះ។
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ការជាវ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,កម្រៃសេវាការបង្កើតរង់ចាំ
@@ -7677,6 +7776,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,ថែរក្សាបង្ការ
 DocType: Delivery Note Item,Against Sales Invoice,ប្រឆាំងនឹងការវិក័យប័ត្រលក់
 DocType: Purchase Invoice,07-Others,07- ផ្សេងៗ
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,ចំនួនសម្រង់
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,សូមបញ្ចូលលេខសៀរៀលសម្រាប់ធាតុសៀរៀល
 DocType: Bin,Reserved Qty for Production,បម្រុងទុក Qty សម្រាប់ផលិតកម្ម
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ទុកឱ្យធីកបើអ្នកមិនចង់ឱ្យពិចារណាបាច់ខណៈពេលដែលធ្វើការពិតណាស់ដែលមានមូលដ្ឋាននៅក្រុម។
@@ -7788,6 +7888,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ការទូទាត់វិក័យប័ត្រចំណាំ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,នេះផ្អែកលើប្រតិបត្តិការប្រឆាំងនឹងអតិថិជននេះ។ សូមមើលខាងក្រោមសម្រាប់សេចក្ដីលម្អិតកំណត់ពេលវេលា
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,បង្កើតសំណើសម្ភារៈ។
+DocType: Loan Interest Accrual,Pending Principal Amount,ចំនួនប្រាក់ដើមដែលនៅសល់
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",កាលបរិច្ឆេទចាប់ផ្តើមនិងបញ្ចប់មិនមាននៅក្នុងរយៈពេលបើកប្រាក់ខែដែលមានសុពលភាពមិនអាចគណនា {0}
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,វគ្គសិក្សាថ្មី
@@ -7831,6 +7932,7 @@
 											to fullfill Sales Order {2}",មិនអាចផ្តល់នូវស៊េរីលេខ {0} នៃធាតុ {1} បានទេព្រោះវាត្រូវបានបម្រុងទុក \ បំពេញការបញ្ជាទិញពេញ {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN -YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,សម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់ {0} បង្កើតឡើង
+DocType: Loan Security Unpledge,Unpledge Type,ប្រភេទមិនសម
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,ឆ្នាំបញ្ចប់មិនអាចជាការចាប់ផ្តើមឆ្នាំមុន
 DocType: Employee Benefit Application,Employee Benefits,អត្ថប្រយោជន៍បុគ្គលិក
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,លេខសម្គាល់បុគ្គលិក។
@@ -7913,6 +8015,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,កូដវគ្គសិក្សា:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,សូមបញ្ចូលចំណាយតាមគណនី
 DocType: Quality Action Resolution,Problem,បញ្ហា។
+DocType: Loan Security Type,Loan To Value Ratio,សមាមាត្រប្រាក់កម្ចី
 DocType: Account,Stock,ស្តុក
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃការទិញលំដាប់, ការទិញវិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ"
 DocType: Employee,Current Address,អាសយដ្ឋានបច្ចុប្បន្ន
@@ -7930,6 +8033,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,របាយការណ៍ប្រតិបត្តិការធនាគារ
 DocType: Sales Invoice Item,Discount and Margin,ការបញ្ចុះតម្លៃនិងរឹម
 DocType: Lab Test,Prescription,វេជ្ជបញ្ជា
+DocType: Process Loan Security Shortfall,Update Time,ពេលវេលាធ្វើបច្ចុប្បន្នភាព
 DocType: Import Supplier Invoice,Upload XML Invoices,បញ្ចូលវិក្កយបត្រអេស
 DocType: Company,Default Deferred Revenue Account,គណនីប្រាក់ចំណូលដែលពន្យារពេលលំនាំដើម
 DocType: Project,Second Email,អ៊ីមែលទីពីរ
@@ -7943,7 +8047,7 @@
 DocType: Quality Action,Preventive,ការការពារ។
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ការផ្គត់ផ្គង់ត្រូវបានធ្វើឡើងចំពោះមនុស្សដែលមិនបានចុះឈ្មោះ។
 DocType: Company,Date of Incorporation,កាលបរិច្ឆេទនៃការបញ្ចូល
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ការប្រមូលពន្ធលើចំនួនសរុប
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,ការប្រមូលពន្ធលើចំនួនសរុប
 DocType: Manufacturing Settings,Default Scrap Warehouse,ឃ្លាំងអេតចាយលំនាំដើម
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,តម្លៃទិញចុងក្រោយ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ចប់ (ផលិត Qty) គឺជាចាំបាច់
@@ -7962,6 +8066,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,កំណត់របៀបទូទាត់លំនាំដើម
 DocType: Stock Entry Detail,Against Stock Entry,ប្រឆាំងនឹងធាតុចូលភាគហ៊ុន។
 DocType: Grant Application,Withdrawn,ដកចេញ
+DocType: Loan Repayment,Regular Payment,ការទូទាត់ទៀងទាត់
 DocType: Support Search Source,Support Search Source,ប្រភពស្វែងរកការគាំទ្រ
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,អាចសាកបាន។
 DocType: Project,Gross Margin %,រឹម% សរុបបាន
@@ -7975,8 +8080,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,ដោយគ្មានការបង់ពន្ធ
 DocType: BOM Operation,BOM Operation,Bom ប្រតិបត្តិការ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,នៅថ្ងៃទីចំនួនជួរដេកមុន
+DocType: Student,Home Address,អាសយដ្ឋានផ្ទះ
 DocType: Options,Is Correct,គឺត្រឹមត្រូវ
 DocType: Item,Has Expiry Date,មានកាលបរិច្ឆេទផុតកំណត់
+DocType: Loan Repayment,Paid Accrual Entries,ធាតុគិតថ្លៃដែលបានបង់
+DocType: Loan Security,Loan Security Type,ប្រភេទសុវត្ថិភាពប្រាក់កម្ចី
 apps/erpnext/erpnext/config/support.py,Issue Type.,ប្រភេទបញ្ហា។
 DocType: POS Profile,POS Profile,ទម្រង់ ម៉ាស៊ីនឆូតកាត
 DocType: Training Event,Event Name,ឈ្មោះព្រឹត្តិការណ៍
@@ -7988,6 +8096,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",រដូវកាលសម្រាប់ការកំណត់ថវិកាគោលដៅល
 apps/erpnext/erpnext/www/all-products/index.html,No values,គ្មានតម្លៃ។
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ឈ្មោះអថេរ
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,ជ្រើសរើសគណនីធនាគារដើម្បីផ្សះផ្សា។
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",ធាតុ {0} គឺពុម្ពមួយសូមជ្រើសមួយក្នុងចំណោមវ៉ារ្យ៉ង់របស់ខ្លួន
 DocType: Purchase Invoice Item,Deferred Expense,ការចំណាយពន្យារពេល
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,ត្រលប់ទៅសារ។
@@ -8039,7 +8148,6 @@
 DocType: GL Entry,To Rename,ដើម្បីប្តូរឈ្មោះ។
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,ជ្រើសរើសដើម្បីបន្ថែមលេខស៊េរី។
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ&gt; ការកំណត់ការអប់រំ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',សូមកំណត់ក្រមសារពើពន្ធសម្រាប់អតិថិជន &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,សូមជ្រើសរើសក្រុមហ៊ុនមុន
 DocType: Item Attribute,Numeric Values,តម្លៃជាលេខ
@@ -8063,6 +8171,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,ប្រមូលយកដោយផ្អែកលើ FIFO ។
 DocType: Soil Texture,Clay Loam,ដីឥដ្ឋ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,ជា root មិនអាចត្រូវបានកែសម្រួល។
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,តម្លៃសុវត្ថិភាពប្រាក់កម្ចី
 DocType: Item,Units of Measure,ឯកតារង្វាស់
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,ជួលនៅក្រុងមេត្រូ
 DocType: Supplier,Default Tax Withholding Config,កំណត់រចនាសម្ព័ន្ធការកាត់បន្ថយពន្ធលំនាំដើម
@@ -8109,6 +8218,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,សូមជ្រើសប្រភេទជាលើកដំបូង
 apps/erpnext/erpnext/config/projects.py,Project master.,ចៅហ្វាយគម្រោង។
 DocType: Contract,Contract Terms,លក្ខខណ្ឌកិច្ចសន្យា
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,ដែនកំណត់ចំនួនទឹកប្រាក់ដែលត្រូវបានដាក់ទណ្ឌកម្ម
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,បន្តកំណត់រចនាសម្ព័ន្ធ
 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,Maximum benefit amount of component {0} exceeds {1},ចំនួនអត្ថប្រយោជន៍អតិបរមានៃសមាសភាគ {0} លើសពី {1}
@@ -8141,6 +8251,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,មើលកំណត់ហេតុហៅ។
 DocType: BOM Operation,Operating Cost(Company Currency),ចំណាយប្រតិបត្តិការ (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
 DocType: Loan Application,Rate of Interest,អត្រាការប្រាក់
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},ការសន្យាផ្តល់ប្រាក់កម្ចីបានសន្យារួចហើយប្រឆាំងនឹងប្រាក់កម្ចី {0}
 DocType: Expense Claim Detail,Sanctioned Amount,ចំនួនទឹកប្រាក់ដែលបានអនុញ្ញាត
 DocType: Item,Shelf Life In Days,ជីវិតធ្នាប់នៅក្នុងថ្ងៃ
 DocType: GL Entry,Is Opening,តើការបើក
diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv
index a513094..6cc1faa 100644
--- a/erpnext/translations/kn.csv
+++ b/erpnext/translations/kn.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,ಅವಕಾಶ ಕಳೆದುಹೋದ ಕಾರಣ
 DocType: Patient Appointment,Check availability,ಲಭ್ಯವಿದೆಯೇ
 DocType: Retention Bonus,Bonus Payment Date,ಬೋನಸ್ ಪಾವತಿ ದಿನಾಂಕ
-DocType: Employee,Job Applicant,ಜಾಬ್ ಸಂ
+DocType: Appointment Letter,Job Applicant,ಜಾಬ್ ಸಂ
 DocType: Job Card,Total Time in Mins,ನಿಮಿಷಗಳಲ್ಲಿ ಒಟ್ಟು ಸಮಯ
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ಈ ಸರಬರಾಜುದಾರ ವಿರುದ್ಧ ವ್ಯವಹಾರ ಆಧರಿಸಿದೆ. ಮಾಹಿತಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ಕೆಲಸದ ಆದೇಶಕ್ಕಾಗಿ ಉತ್ಪಾದನೆ ಶೇಕಡಾವಾರು
@@ -180,6 +180,7 @@
 DocType: Delivery Stop,Contact Information,ಸಂಪರ್ಕ ಮಾಹಿತಿ
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ಯಾವುದನ್ನಾದರೂ ಹುಡುಕಿ ...
 ,Stock and Account Value Comparison,ಸ್ಟಾಕ್ ಮತ್ತು ಖಾತೆ ಮೌಲ್ಯ ಹೋಲಿಕೆ
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,ವಿತರಿಸಿದ ಮೊತ್ತವು ಸಾಲದ ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು
 DocType: Company,Phone No,ದೂರವಾಣಿ ಸಂಖ್ಯೆ
 DocType: Delivery Trip,Initial Email Notification Sent,ಪ್ರಾಥಮಿಕ ಇಮೇಲ್ ಅಧಿಸೂಚನೆ ಕಳುಹಿಸಲಾಗಿದೆ
 DocType: Bank Statement Settings,Statement Header Mapping,ಸ್ಟೇಟ್ಮೆಂಟ್ ಹೆಡರ್ ಮ್ಯಾಪಿಂಗ್
@@ -284,6 +285,7 @@
 DocType: Lead,Interested,ಆಸಕ್ತಿ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,ಆರಂಭಿಕ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,ಕಾರ್ಯಕ್ರಮ:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,ಸಮಯದಿಂದ ಮಾನ್ಯವು ಸಮಯಕ್ಕಿಂತ ಮಾನ್ಯಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬೇಕು.
 DocType: Item,Copy From Item Group,ಐಟಂ ಗುಂಪಿನಿಂದ ನಕಲಿಸಿ
 DocType: Journal Entry,Opening Entry,ಎಂಟ್ರಿ ತೆರೆಯುವ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,ಖಾತೆ ಪೇ ಮಾತ್ರ
@@ -331,6 +333,7 @@
 DocType: Student,B-,ಬಿ
 DocType: Assessment Result,Grade,ಗ್ರೇಡ್
 DocType: Restaurant Table,No of Seats,ಆಸನಗಳ ಸಂಖ್ಯೆ
+DocType: Loan Type,Grace Period in Days,ದಿನಗಳಲ್ಲಿ ಗ್ರೇಸ್ ಅವಧಿ
 DocType: Sales Invoice,Overdue and Discounted,ಮಿತಿಮೀರಿದ ಮತ್ತು ರಿಯಾಯಿತಿ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ಕರೆ ಸಂಪರ್ಕ ಕಡಿತಗೊಂಡಿದೆ
 DocType: Sales Invoice Item,Delivered By Supplier,ಸರಬರಾಜುದಾರ ವಿತರಣೆ
@@ -381,7 +384,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,ಶಿಫಾರಸು ವಿಧಾನಗಳು
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,ಪಿಓಎಸ್ ಮಾತ್ರ ತೋರಿಸು
 DocType: Supplier Group,Supplier Group Name,ಪೂರೈಕೆದಾರ ಗುಂಪು ಹೆಸರು
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ <b></b>
 DocType: Driver,Driving License Categories,ಚಾಲಕ ಪರವಾನಗಿ ವರ್ಗಗಳು
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ದಯವಿಟ್ಟು ಡೆಲಿವರಿ ದಿನಾಂಕವನ್ನು ನಮೂದಿಸಿ
 DocType: Depreciation Schedule,Make Depreciation Entry,ಸವಕಳಿ ಎಂಟ್ರಿ ಮಾಡಿ
@@ -398,10 +400,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ಕಾರ್ಯಾಚರಣೆಗಳ ವಿವರಗಳು ನಡೆಸಿತು.
 DocType: Asset Maintenance Log,Maintenance Status,ನಿರ್ವಹಣೆ ಸ್ಥಿತಿಯನ್ನು
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ಐಟಂ ತೆರಿಗೆ ಮೊತ್ತವನ್ನು ಮೌಲ್ಯದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,ಸಾಲ ಭದ್ರತೆ ಅನ್ಪ್ಲೆಡ್ಜ್
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,ಸದಸ್ಯತ್ವ ವಿವರಗಳು
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ಸರಬರಾಜುದಾರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ವಿರುದ್ಧ ಅಗತ್ಯವಿದೆ {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,ಐಟಂಗಳನ್ನು ಮತ್ತು ಬೆಲೆ
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ಒಟ್ಟು ಗಂಟೆಗಳ: {0}
+DocType: Loan,Loan Manager,ಸಾಲ ವ್ಯವಸ್ಥಾಪಕ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ದಿನಾಂಕದಿಂದ ಹಣಕಾಸಿನ ವರ್ಷದ ಒಳಗೆ ಇರಬೇಕು. ದಿನಾಂಕದಿಂದ ಭಾವಿಸಿಕೊಂಡು = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,ಎಚ್ಎಲ್ಸಿ- ಪಿಎಮ್ಆರ್ -ವೈವೈವೈ.-
 DocType: Drug Prescription,Interval,ಮಧ್ಯಂತರ
@@ -460,6 +464,7 @@
 DocType: Work Order Operation,Updated via 'Time Log','ಟೈಮ್ ಲಾಗ್' ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ಗ್ರಾಹಕ ಅಥವಾ ಸರಬರಾಜುದಾರರನ್ನು ಆಯ್ಕೆಮಾಡಿ.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ಫೈಲ್‌ನಲ್ಲಿನ ಕಂಟ್ರಿ ಕೋಡ್ ಸಿಸ್ಟಮ್‌ನಲ್ಲಿ ಸ್ಥಾಪಿಸಲಾದ ಕಂಟ್ರಿ ಕೋಡ್‌ಗೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},ಖಾತೆ {0} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ಡೀಫಾಲ್ಟ್ ಆಗಿ ಕೇವಲ ಒಂದು ಆದ್ಯತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ಸಮಯ ಸ್ಲಾಟ್ ಬಿಟ್ಟುಬಿಡಲಾಗಿದೆ, {0} ಗೆ ಸ್ಲಾಟ್ {1} ಎಲಾಸಿಟಿಂಗ್ ಸ್ಲಾಟ್ {2} ಗೆ {3}"
@@ -537,7 +542,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ಬಿಡಿ ನಿರ್ಬಂಧಿಸಿದ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ಐಟಂ {0} ಜೀವನದ ತನ್ನ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿದೆ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ಬ್ಯಾಂಕ್ ನಮೂದುಗಳು
-DocType: Customer,Is Internal Customer,ಆಂತರಿಕ ಗ್ರಾಹಕ
+DocType: Sales Invoice,Is Internal Customer,ಆಂತರಿಕ ಗ್ರಾಹಕ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ನಂ
@@ -561,6 +566,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ
 DocType: Bank Reconciliation,Update Clearance Date,ಅಪ್ಡೇಟ್ ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,ಕಟ್ಟು ಕ್ಯೂಟಿ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,ಅರ್ಜಿಯನ್ನು ಅನುಮೋದಿಸುವವರೆಗೆ ಸಾಲವನ್ನು ರಚಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ಖರೀದಿ ಆದೇಶದ &#39;ಕಚ್ಚಾ ವಸ್ತುಗಳ ಸರಬರಾಜು ಕೋಷ್ಟಕದಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ ಐಟಂ {0} {1}
 DocType: Salary Slip,Total Principal Amount,ಒಟ್ಟು ಪ್ರಧಾನ ಮೊತ್ತ
@@ -568,6 +574,7 @@
 DocType: Quiz Result,Correct,ಸರಿಯಾದ
 DocType: Student Guardian,Mother,ತಾಯಿಯ
 DocType: Restaurant Reservation,Reservation End Time,ಮೀಸಲಾತಿ ಅಂತ್ಯ ಸಮಯ
+DocType: Salary Slip Loan,Loan Repayment Entry,ಸಾಲ ಮರುಪಾವತಿ ಪ್ರವೇಶ
 DocType: Crop,Biennial,ದ್ವೈವಾರ್ಷಿಕ
 ,BOM Variance Report,BOM ಭಿನ್ನತೆ ವರದಿ
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,ಗ್ರಾಹಕರಿಂದ ಕನ್ಫರ್ಮ್ಡ್ ಆದೇಶಗಳನ್ನು .
@@ -589,6 +596,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},ವಿರುದ್ಧ ಪಾವತಿ {0} {1} ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,ಎಲ್ಲಾ ಆರೋಗ್ಯ ಸೇವೆ ಘಟಕಗಳು
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,ಅವಕಾಶವನ್ನು ಪರಿವರ್ತಿಸುವಲ್ಲಿ
+DocType: Loan,Total Principal Paid,ಒಟ್ಟು ಪ್ರಾಂಶುಪಾಲರು ಪಾವತಿಸಿದ್ದಾರೆ
 DocType: Bank Account,Address HTML,ವಿಳಾಸ ಎಚ್ಟಿಎಮ್ಎಲ್
 DocType: Lead,Mobile No.,ಮೊಬೈಲ್ ಸಂಖ್ಯೆ
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,ಪಾವತಿಯ ಮೋಡ್
@@ -607,12 +615,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,ಮೂಲ ಕರೆನ್ಸಿಗೆ ಸಮತೋಲನ
 DocType: Supplier Scorecard Scoring Standing,Max Grade,ಮ್ಯಾಕ್ಸ್ ಗ್ರೇಡ್
 DocType: Email Digest,New Quotations,ಹೊಸ ಉಲ್ಲೇಖಗಳು
+DocType: Loan Interest Accrual,Loan Interest Accrual,ಸಾಲ ಬಡ್ಡಿ ಸಂಚಯ
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} ರಜೆಗೆ {1} ಆಗಿ ಹಾಜರಾತಿ ಸಲ್ಲಿಸಲಿಲ್ಲ.
 DocType: Journal Entry,Payment Order,ಪಾವತಿ ಆದೇಶ
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ಇಮೇಲ್ ಪರಿಶೀಲಿಸಿ
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,ಇತರ ಮೂಲಗಳಿಂದ ಆದಾಯ
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ಖಾಲಿ ಇದ್ದರೆ, ಪೋಷಕ ಗೋದಾಮಿನ ಖಾತೆ ಅಥವಾ ಕಂಪನಿಯ ಡೀಫಾಲ್ಟ್ ಅನ್ನು ಪರಿಗಣಿಸಲಾಗುತ್ತದೆ"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ಮೆಚ್ಚಿನ ಇಮೇಲ್ ನೌಕರರ ಆಯ್ಕೆ ಆಧರಿಸಿ ನೌಕರ ಇಮೇಲ್ಗಳನ್ನು ಸಂಬಳ ಸ್ಲಿಪ್
+DocType: Work Order,This is a location where operations are executed.,ಇದು ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಕಾರ್ಯಗತಗೊಳಿಸುವ ಸ್ಥಳವಾಗಿದೆ.
 DocType: Tax Rule,Shipping County,ಶಿಪ್ಪಿಂಗ್ ಕೌಂಟಿ
 DocType: Currency Exchange,For Selling,ಮಾರಾಟ ಮಾಡಲು
 apps/erpnext/erpnext/config/desktop.py,Learn,ಕಲಿಯಿರಿ
@@ -621,6 +631,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,ಅನ್ವಯಿಕ ಕೂಪನ್ ಕೋಡ್
 DocType: Asset,Next Depreciation Date,ಮುಂದಿನ ಸವಕಳಿ ದಿನಾಂಕ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,ನೌಕರರ ಚಟುವಟಿಕೆಗಳನ್ನು ವೆಚ್ಚ
+DocType: Loan Security,Haircut %,ಕ್ಷೌರ%
 DocType: Accounts Settings,Settings for Accounts,ಖಾತೆಗಳಿಗೆ ಸೆಟ್ಟಿಂಗ್ಗಳು
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ಯಾವುದೇ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,ಮಾರಾಟಗಾರನ ಟ್ರೀ ನಿರ್ವಹಿಸಿ .
@@ -659,6 +670,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},ಹೋಟೆಲ್ ಕೊಠಡಿ ದರವನ್ನು ದಯವಿಟ್ಟು {@} ಹೊಂದಿಸಿ
 DocType: Journal Entry,Multi Currency,ಮಲ್ಟಿ ಕರೆನ್ಸಿ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ
+DocType: Loan,Loan Security Details,ಸಾಲ ಭದ್ರತಾ ವಿವರಗಳು
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ದಿನಾಂಕದಿಂದ ಮಾನ್ಯವು ದಿನಾಂಕದವರೆಗೆ ಮಾನ್ಯಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬೇಕು
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},{0} ಅನ್ನು ಸಮನ್ವಯಗೊಳಿಸುವಾಗ ವಿನಾಯಿತಿ ಸಂಭವಿಸಿದೆ
 DocType: Purchase Invoice,Set Accepted Warehouse,ಸ್ವೀಕರಿಸಿದ ಗೋದಾಮು ಹೊಂದಿಸಿ
@@ -763,7 +775,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಅನುಮೋದನೆ ಅಗತ್ಯವಿದೆ
 DocType: Attendance,Working Hours,ದುಡಿಮೆಯು
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ಒಟ್ಟು ಅತ್ಯುತ್ತಮ
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ಐಟಂಗೆ UOM ಪರಿವರ್ತನೆ ಅಂಶ ({0} -&gt; {1}) ಕಂಡುಬಂದಿಲ್ಲ: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಸರಣಿಯ ಆರಂಭಿಕ / ಪ್ರಸ್ತುತ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಬದಲಾಯಿಸಿ.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ಆದೇಶಿಸಿದ ಮೊತ್ತದ ವಿರುದ್ಧ ಹೆಚ್ಚು ಬಿಲ್ ಮಾಡಲು ನಿಮಗೆ ಅನುಮತಿಸಲಾದ ಶೇಕಡಾವಾರು. ಉದಾಹರಣೆಗೆ: ಐಟಂಗೆ ಆರ್ಡರ್ ಮೌಲ್ಯವು $ 100 ಮತ್ತು ಸಹಿಷ್ಣುತೆಯನ್ನು 10% ಎಂದು ಹೊಂದಿಸಿದ್ದರೆ ನಿಮಗೆ bill 110 ಗೆ ಬಿಲ್ ಮಾಡಲು ಅನುಮತಿಸಲಾಗುತ್ತದೆ.
 DocType: Dosage Strength,Strength,ಬಲ
@@ -780,6 +791,7 @@
 DocType: Purchase Receipt,Vehicle Date,ವಾಹನ ದಿನಾಂಕ
 DocType: Campaign Email Schedule,Campaign Email Schedule,ಪ್ರಚಾರ ಇಮೇಲ್ ವೇಳಾಪಟ್ಟಿ
 DocType: Student Log,Medical,ವೈದ್ಯಕೀಯ
+DocType: Work Order,This is a location where scraped materials are stored.,ಸ್ಕ್ರ್ಯಾಪ್ ಮಾಡಿದ ವಸ್ತುಗಳನ್ನು ಸಂಗ್ರಹಿಸುವ ಸ್ಥಳ ಇದು.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,ದಯವಿಟ್ಟು ಡ್ರಗ್ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,ಲೀಡ್ ಮಾಲೀಕ ಲೀಡ್ ಅದೇ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Announcement,Receiver,ಸ್ವೀಕರಿಸುವವರ
@@ -876,7 +888,7 @@
 DocType: Driver,Applicable for external driver,ಬಾಹ್ಯ ಚಾಲಕಕ್ಕೆ ಅನ್ವಯಿಸುತ್ತದೆ
 DocType: Sales Order Item,Used for Production Plan,ಉತ್ಪಾದನೆ ಯೋಜನೆ ಉಪಯೋಗಿಸಿದ
 DocType: BOM,Total Cost (Company Currency),ಒಟ್ಟು ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-DocType: Loan,Total Payment,ಒಟ್ಟು ಪಾವತಿ
+DocType: Repayment Schedule,Total Payment,ಒಟ್ಟು ಪಾವತಿ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,ಎಲ್ಲಾ ಮಾರಾಟ ಆದೇಶದ ಐಟಂಗಳಿಗಾಗಿ ಪಿಒ ಈಗಾಗಲೇ ರಚಿಸಲಾಗಿದೆ
@@ -901,6 +913,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಎಚ್ಚರಿಸಿ
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,ದಿನಾಂಕದಿಂದ ಬಾಡಿಗೆಗೆ ಪಡೆದಿದೆ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,ಸಾಕಷ್ಟು ಭಾಗಗಳನ್ನು ನಿರ್ಮಿಸಲು
+DocType: Loan Security,Loan Security Code,ಸಾಲ ಭದ್ರತಾ ಕೋಡ್
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,ದಯವಿಟ್ಟು ಮೊದಲು ಉಳಿಸಿ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ಅದರೊಂದಿಗೆ ಸಂಯೋಜಿತವಾಗಿರುವ ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಎಳೆಯಲು ವಸ್ತುಗಳು ಅಗತ್ಯವಿದೆ.
 DocType: POS Profile User,POS Profile User,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಬಳಕೆದಾರ
@@ -957,6 +970,7 @@
 DocType: Patient,Risk Factors,ರಿಸ್ಕ್ ಫ್ಯಾಕ್ಟರ್ಸ್
 DocType: Patient,Occupational Hazards and Environmental Factors,ವ್ಯಾವಹಾರಿಕ ಅಪಾಯಗಳು ಮತ್ತು ಪರಿಸರ ಅಂಶಗಳು
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ವರ್ಕ್ ಆರ್ಡರ್ಗಾಗಿ ಈಗಾಗಲೇ ಸ್ಟಾಕ್ ನಮೂದುಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ಐಟಂ ಕೋಡ್&gt; ಐಟಂ ಗುಂಪು&gt; ಬ್ರಾಂಡ್
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ಹಿಂದಿನ ಆದೇಶಗಳನ್ನು ನೋಡಿ
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ಸಂಭಾಷಣೆಗಳು
 DocType: Vital Signs,Respiratory rate,ಉಸಿರಾಟದ ದರ
@@ -1019,6 +1033,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವ ಖಾತೆ
 DocType: Pricing Rule,Sales Partner,ಮಾರಾಟದ ಸಂಗಾತಿ
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ಎಲ್ಲಾ ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ಗಳು.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ಆದೇಶ ಮೊತ್ತ
+DocType: Loan,Disbursed Amount,ವಿತರಿಸಿದ ಮೊತ್ತ
 DocType: Buying Settings,Purchase Receipt Required,ಅಗತ್ಯ ಖರೀದಿ ರಸೀತಿ
 DocType: Sales Invoice,Rail,ರೈಲು
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ವಾಸ್ತವಿಕ ವೆಚ್ಚ
@@ -1055,6 +1071,7 @@
 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ತಲುಪಿಸಲಾಗಿದೆ: {0}
 DocType: QuickBooks Migrator,Connected to QuickBooks,ಕ್ವಿಕ್ಬುಕ್ಸ್ಗಳಿಗೆ ಸಂಪರ್ಕಿಸಲಾಗಿದೆ
 DocType: Bank Statement Transaction Entry,Payable Account,ಕೊಡಬೇಕಾದ ಖಾತೆ
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,ಪಾವತಿ ನಮೂದುಗಳನ್ನು ಪಡೆಯಲು ಖಾತೆ ಕಡ್ಡಾಯವಾಗಿದೆ
 DocType: Payment Entry,Type of Payment,ಪಾವತಿ ಕೌಟುಂಬಿಕತೆ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ಹಾಫ್ ಡೇ ದಿನಾಂಕ ಕಡ್ಡಾಯವಾಗಿದೆ
 DocType: Sales Order,Billing and Delivery Status,ಬಿಲ್ಲಿಂಗ್ ಮತ್ತು ಡೆಲಿವರಿ ಸ್ಥಿತಿ
@@ -1093,7 +1110,7 @@
 DocType: Purchase Order Item,Billed Amt,ಖ್ಯಾತವಾದ ಕಚೇರಿ
 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,Principal Amount,ಪ್ರಮುಖ ಪ್ರಮಾಣವನ್ನು
+DocType: Repayment Schedule,Principal Amount,ಪ್ರಮುಖ ಪ್ರಮಾಣವನ್ನು
 DocType: Loan Application,Total Payable Interest,ಒಟ್ಟು ಪಾವತಿಸಲಾಗುವುದು ಬಡ್ಡಿ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ಒಟ್ಟು ಅತ್ಯುತ್ತಮವಾದದ್ದು: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,ಸಂಪರ್ಕವನ್ನು ತೆರೆಯಿರಿ
@@ -1106,6 +1123,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,ನವೀಕರಣ ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿ ದೋಷ ಸಂಭವಿಸಿದೆ
 DocType: Restaurant Reservation,Restaurant Reservation,ರೆಸ್ಟೋರೆಂಟ್ ಮೀಸಲಾತಿ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ನಿಮ್ಮ ವಸ್ತುಗಳು
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ಸರಬರಾಜುದಾರ&gt; ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ಪ್ರೊಪೋಸಲ್ ಬರವಣಿಗೆ
 DocType: Payment Entry Deduction,Payment Entry Deduction,ಪಾವತಿ ಎಂಟ್ರಿ ಡಿಡಕ್ಷನ್
 DocType: Service Level Priority,Service Level Priority,ಸೇವಾ ಮಟ್ಟದ ಆದ್ಯತೆ
@@ -1261,7 +1279,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),ಮೂಲ ದರದ ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,ವಿಭಜನೆ ಸಂಚಿಕೆ
 DocType: Student Attendance,Student Attendance,ವಿದ್ಯಾರ್ಥಿ ಅಟೆಂಡೆನ್ಸ್
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,ರಫ್ತು ಮಾಡಲು ಡೇಟಾ ಇಲ್ಲ
 DocType: Sales Invoice Timesheet,Time Sheet,ವೇಳಾಚೀಟಿ
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush ಕಚ್ಚಾ ವಸ್ತುಗಳ ಆಧರಿಸಿದ
 DocType: Sales Invoice,Port Code,ಪೋರ್ಟ್ ಕೋಡ್
@@ -1274,6 +1291,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,ನಿಜವಾದ ವಿತರಣಾ ದಿನಾಂಕ
 DocType: Lab Test,Test Template,ಪರೀಕ್ಷಾ ಟೆಂಪ್ಲೇಟ್
+DocType: Loan Security Pledge,Securities,ಸೆಕ್ಯುರಿಟೀಸ್
 DocType: Restaurant Order Entry Item,Served,ಸೇವೆ
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,ಅಧ್ಯಾಯ ಮಾಹಿತಿ.
 DocType: Account,Accounts,ಅಕೌಂಟ್ಸ್
@@ -1367,6 +1385,7 @@
 DocType: Inpatient Record,O Negative,ಒ ಋಣಾತ್ಮಕ
 DocType: Work Order Operation,Planned End Time,ಯೋಜಿತ ಎಂಡ್ ಟೈಮ್
 DocType: POS Profile,Only show Items from these Item Groups,ಈ ಐಟಂ ಗುಂಪುಗಳಿಂದ ಮಾತ್ರ ಐಟಂಗಳನ್ನು ತೋರಿಸಿ
+DocType: Loan,Is Secured Loan,ಸುರಕ್ಷಿತ ಸಾಲವಾಗಿದೆ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,ಸದಸ್ಯತ್ವ ವಿವರ ವಿವರಗಳು
 DocType: Delivery Note,Customer's Purchase Order No,ಗ್ರಾಹಕರ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ನಂ
@@ -1403,6 +1422,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,ನಮೂದುಗಳನ್ನು ಪಡೆಯಲು ಕಂಪನಿ ಮತ್ತು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Asset,Maintenance,ಸಂರಕ್ಷಣೆ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,ರೋಗಿಯ ಎನ್ಕೌಂಟರ್ನಿಂದ ಪಡೆಯಿರಿ
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ಐಟಂಗೆ UOM ಪರಿವರ್ತನೆ ಅಂಶ ({0} -&gt; {1}) ಕಂಡುಬಂದಿಲ್ಲ: {2}
 DocType: Subscriber,Subscriber,ಚಂದಾದಾರ
 DocType: Item Attribute Value,Item Attribute Value,ಐಟಂ ಮೌಲ್ಯ ಲಕ್ಷಣ
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ಕರೆನ್ಸಿ ಎಕ್ಸ್ಚೇಂಜ್ ಬೈಯಿಂಗ್ ಅಥವಾ ಸೆಲ್ಲಿಂಗ್ಗೆ ಅನ್ವಯವಾಗಬೇಕು.
@@ -1501,6 +1521,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,ಯಾವುದೇ ಅನುಮತಿ
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,ಕಾಂಟ್ರಾಕ್ಟ್ ಫಲ್ಲಿಲ್ಮೆಂಟ್ ಪರಿಶೀಲನಾಪಟ್ಟಿ
 DocType: Vital Signs,Heart Rate / Pulse,ಹಾರ್ಟ್ ರೇಟ್ / ಪಲ್ಸ್
+DocType: Customer,Default Company Bank Account,ಡೀಫಾಲ್ಟ್ ಕಂಪನಿ ಬ್ಯಾಂಕ್ ಖಾತೆ
 DocType: Supplier,Default Bank Account,ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ ಖಾತೆ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",ಪಕ್ಷದ ಆಧಾರದ ಮೇಲೆ ಫಿಲ್ಟರ್ ಆರಿಸಿ ಪಕ್ಷದ ಮೊದಲ ನೀಡಿರಿ
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},ಐಟಂಗಳನ್ನು ಮೂಲಕ ವಿತರಿಸಲಾಯಿತು ಏಕೆಂದರೆ &#39;ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್&#39; ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ {0}
@@ -1617,7 +1638,6 @@
 DocType: Sales Team,Incentives,ಪ್ರೋತ್ಸಾಹ
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ಮೌಲ್ಯಗಳು ಸಿಂಕ್‌ನಿಂದ ಹೊರಗಿದೆ
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ವ್ಯತ್ಯಾಸ ಮೌಲ್ಯ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ಸೆಟಪ್&gt; ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ
 DocType: SMS Log,Requested Numbers,ಕೋರಿಕೆ ಸಂಖ್ಯೆಗಳು
 DocType: Volunteer,Evening,ಸಂಜೆ
 DocType: Quiz,Quiz Configuration,ರಸಪ್ರಶ್ನೆ ಸಂರಚನೆ
@@ -1637,6 +1657,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,ಹಿಂದಿನ ಸಾಲು ಒಟ್ಟು ರಂದು
 DocType: Purchase Invoice Item,Rejected Qty,ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ
 DocType: Setup Progress Action,Action Field,ಆಕ್ಷನ್ ಫೀಲ್ಡ್
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,ಬಡ್ಡಿ ಮತ್ತು ದಂಡದ ದರಗಳಿಗಾಗಿ ಸಾಲದ ಪ್ರಕಾರ
 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,ಡೆಲಿವರಿ ನಿಲ್ದಾಣಗಳು
@@ -1648,6 +1669,7 @@
 ,Final Assessment Grades,ಅಂತಿಮ ಮೌಲ್ಯಮಾಪನ ಶ್ರೇಣಿಗಳನ್ನು
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,ನೀವು ಈ ಗಣಕವನ್ನು ಹೊಂದಿಸುವ ಇದು ನಿಮ್ಮ ಕಂಪನಿ ಹೆಸರು .
 DocType: HR Settings,Include holidays in Total no. of Working Days,ಒಟ್ಟು ರಜಾದಿನಗಳು ಸೇರಿಸಿ ಕೆಲಸ ದಿನಗಳ ಯಾವುದೇ
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,ಒಟ್ಟು%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext ನಲ್ಲಿ ನಿಮ್ಮ ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಅನ್ನು ಹೊಂದಿಸಿ
 DocType: Agriculture Analysis Criteria,Plant Analysis,ಸಸ್ಯ ವಿಶ್ಲೇಷಣೆ
 DocType: Task,Timeline,ಟೈಮ್‌ಲೈನ್
@@ -1655,9 +1677,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,ಪರ್ಯಾಯ ಐಟಂ
 DocType: Shopify Log,Request Data,ಡೇಟಾ ವಿನಂತಿಸಿ
 DocType: Employee,Date of Joining,ಸೇರುವ ದಿನಾಂಕ
+DocType: Delivery Note,Inter Company Reference,ಇಂಟರ್ ಕಂಪನಿ ಉಲ್ಲೇಖ
 DocType: Naming Series,Update Series,ಅಪ್ಡೇಟ್ ಸರಣಿ
 DocType: Supplier Quotation,Is Subcontracted,subcontracted ಇದೆ
 DocType: Restaurant Table,Minimum Seating,ಕನಿಷ್ಠ ಆಸನ
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,ಪ್ರಶ್ನೆಯನ್ನು ನಕಲು ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Item Attribute,Item Attribute Values,ಐಟಂ ಲಕ್ಷಣ ಮೌಲ್ಯಗಳು
 DocType: Examination Result,Examination Result,ಪರೀಕ್ಷೆ ಫಲಿತಾಂಶ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ಖರೀದಿ ರಸೀತಿ
@@ -1757,6 +1781,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು
 DocType: Payment Request,Paid,ಹಣ
 DocType: Service Level,Default Priority,ಡೀಫಾಲ್ಟ್ ಆದ್ಯತೆ
+DocType: Pledge,Pledge,ಪ್ರತಿಜ್ಞೆ
 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 ಗಳಲ್ಲಿ ಇತ್ತೀಚಿನ ಬೆಲೆಯನ್ನು ಕೂಡ ನವೀಕರಿಸುತ್ತದೆ."
@@ -1770,6 +1795,7 @@
 DocType: Guardian,Guardian Name,ಪೋಷಕರ ಹೆಸರು
 DocType: Cheque Print Template,Has Print Format,ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ ಹೊಂದಿದೆ
 DocType: Support Settings,Get Started Sections,ಪರಿಚ್ಛೇದಗಳನ್ನು ಪ್ರಾರಂಭಿಸಿ
+,Loan Repayment and Closure,ಸಾಲ ಮರುಪಾವತಿ ಮತ್ತು ಮುಚ್ಚುವಿಕೆ
 DocType: Lead,CRM-LEAD-.YYYY.-,ಸಿಆರ್ಎಂ-ಲೀಡ್- .YYYY.-
 DocType: Invoice Discounting,Sanctioned,ಮಂಜೂರು
 ,Base Amount,ಮೂಲ ಮೊತ್ತ
@@ -1783,7 +1809,6 @@
 DocType: Student Admission,Publish on website,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಪ್ರಕಟಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ಐಟಂ ಕೋಡ್&gt; ಐಟಂ ಗುಂಪು&gt; ಬ್ರಾಂಡ್
 DocType: Subscription,Cancelation Date,ರದ್ದು ದಿನಾಂಕ
 DocType: Purchase Invoice Item,Purchase Order Item,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂ
 DocType: Agriculture Task,Agriculture Task,ಕೃಷಿ ಕಾರ್ಯ
@@ -1802,7 +1827,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,ಎಲ್ಲಾ ಸಹಾಯ ವೀಡಿಯೊಗಳನ್ನು ಪಟ್ಟಿಯನ್ನು ವೀಕ್ಷಿಸಿ
 DocType: Agriculture Analysis Criteria,Soil Texture,ಮಣ್ಣಿನ ವಿನ್ಯಾಸ
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ಅಲ್ಲಿ ಚೆಕ್ ಠೇವಣಿ ಏನು ಬ್ಯಾಂಕ್ ಖಾತೆ ಮುಖ್ಯಸ್ಥ ಆಯ್ಕೆ .
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,ಬಳಕೆದಾರ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಬೆಲೆ ಪಟ್ಟಿ ದರ ಸಂಪಾದಿಸಲು ಅನುಮತಿಸಿ
 DocType: Pricing Rule,Max Qty,ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,ವರದಿ ಕಾರ್ಡ್ ಮುದ್ರಿಸು
@@ -1934,7 +1958,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","ಒಮ್ಮೆ ಹೊಂದಿಸಿದಲ್ಲಿ, ಈ ಇನ್ವಾಯ್ಸ್ ಸೆಟ್ ದಿನಾಂಕ ತನಕ ಹಿಡಿದುಕೊಳ್ಳಿ"
 DocType: Cashier Closing,POS-CLO-,ಪಿಓಎಸ್- ಕ್ಲೋ-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,ಮಾರಾಟ ಪ್ರಮಾಣ
-DocType: Repayment Schedule,Interest Amount,ಬಡ್ಡಿ ಪ್ರಮಾಣ
+DocType: Loan Interest Accrual,Interest Amount,ಬಡ್ಡಿ ಪ್ರಮಾಣ
 DocType: Job Card,Time Logs,ಸಮಯ ದಾಖಲೆಗಳು
 DocType: Sales Invoice,Loyalty Amount,ಲಾಯಲ್ಟಿ ಮೊತ್ತ
 DocType: Employee Transfer,Employee Transfer Detail,ಉದ್ಯೋಗಿ ವರ್ಗಾವಣೆ ವಿವರ
@@ -1974,7 +1998,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ಖರೀದಿ ಆರ್ಡರ್ಸ್ ಐಟಂಗಳು ಮಿತಿಮೀರಿದ
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,ZIP ಕೋಡ್
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಯನ್ನು {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ಸಾಲದಲ್ಲಿ ಬಡ್ಡಿ ಆದಾಯದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ {0}
 DocType: Opportunity,Contact Info,ಸಂಪರ್ಕ ಮಾಹಿತಿ
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,ಸ್ಟಾಕ್ ನಮೂದುಗಳು ಮೇಕಿಂಗ್
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,ನೌಕರರು ಸ್ಥಿತಿಯನ್ನು ಎಡಕ್ಕೆ ಪ್ರಚಾರ ಮಾಡಲಾಗುವುದಿಲ್ಲ
@@ -2059,7 +2082,6 @@
 DocType: Salary Slip,Deductions,ನಿರ್ಣಯಗಳಿಂದ
 DocType: Setup Progress Action,Action Name,ಆಕ್ಷನ್ ಹೆಸರು
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ಪ್ರಾರಂಭ ವರ್ಷ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ಸಾಲವನ್ನು ರಚಿಸಿ
 DocType: Purchase Invoice,Start date of current invoice's period,ಪ್ರಸ್ತುತ ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪ್ರಾರಂಭಿಸಿ
 DocType: Shift Type,Process Attendance After,ಪ್ರಕ್ರಿಯೆಯ ಹಾಜರಾತಿ ನಂತರ
 ,IRS 1099,ಐಆರ್ಎಸ್ 1099
@@ -2080,6 +2102,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ನಿಮ್ಮ ಡೊಮೇನ್ಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify ಸರಬರಾಜುದಾರ
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ಪಾವತಿ ಸರಕುಪಟ್ಟಿ ಐಟಂಗಳು
+DocType: Repayment Schedule,Is Accrued,ಸಂಚಿತವಾಗಿದೆ
 DocType: Payroll Entry,Employee Details,ನೌಕರರ ವಿವರಗಳು
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ಫೈಲ್‌ಗಳನ್ನು ಪ್ರಕ್ರಿಯೆಗೊಳಿಸಲಾಗುತ್ತಿದೆ
 DocType: Amazon MWS Settings,CN,CN
@@ -2109,6 +2132,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟ್ ಎಂಟ್ರಿ
 DocType: Employee Checkin,Shift End,ಶಿಫ್ಟ್ ಎಂಡ್
 DocType: Stock Settings,Default Item Group,ಡೀಫಾಲ್ಟ್ ಐಟಂ ಗುಂಪು
+DocType: Loan,Partially Disbursed,ಭಾಗಶಃ ಪಾವತಿಸಲಾಗುತ್ತದೆ
 DocType: Job Card Time Log,Time In Mins,ಟೈಮ್ ಇನ್ ಮಿನ್ಸ್
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,ಮಾಹಿತಿ ನೀಡಿ.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ಈ ಕ್ರಿಯೆಯು ನಿಮ್ಮ ಬ್ಯಾಂಕ್ ಖಾತೆಗಳೊಂದಿಗೆ ERPNext ಅನ್ನು ಸಂಯೋಜಿಸುವ ಯಾವುದೇ ಬಾಹ್ಯ ಸೇವೆಯಿಂದ ಈ ಖಾತೆಯನ್ನು ಅನ್ಲಿಂಕ್ ಮಾಡುತ್ತದೆ. ಅದನ್ನು ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. ನಿಮಗೆ ಖಚಿತವಾಗಿದೆಯೇ?
@@ -2124,6 +2148,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,ಅದೇ ಐಟಂ ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","ಮತ್ತಷ್ಟು ಖಾತೆಗಳನ್ನು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು, ಆದರೆ ನಮೂದುಗಳನ್ನು ಅಲ್ಲದ ಗುಂಪುಗಳ ವಿರುದ್ಧ ಮಾಡಬಹುದು"
+DocType: Loan Repayment,Loan Closure,ಸಾಲ ಮುಚ್ಚುವಿಕೆ
 DocType: Call Log,Lead,ಲೀಡ್
 DocType: Email Digest,Payables,ಸಂದಾಯಗಳು
 DocType: Amazon MWS Settings,MWS Auth Token,MWS ಪ್ರಮಾಣ ಟೋಕನ್
@@ -2156,6 +2181,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ನೌಕರರ ತೆರಿಗೆ ಮತ್ತು ಲಾಭಗಳು
 DocType: Bank Guarantee,Validity in Days,ಡೇಸ್ ವಾಯಿದೆ
 DocType: Bank Guarantee,Validity in Days,ಡೇಸ್ ವಾಯಿದೆ
+DocType: Unpledge,Haircut,ಕ್ಷೌರ
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},ಸಿ ರೂಪ ಸರಕುಪಟ್ಟಿ ಅನ್ವಯಿಸುವುದಿಲ್ಲ: {0}
 DocType: Certified Consultant,Name of Consultant,ಸಲಹೆಗಾರರ ಹೆಸರು
 DocType: Payment Reconciliation,Unreconciled Payment Details,ರಾಜಿಯಾಗದ ಪಾವತಿ ವಿವರಗಳು
@@ -2209,7 +2235,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,ವಿಶ್ವದ ಉಳಿದ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,ಐಟಂ {0} ಬ್ಯಾಚ್ ಹೊಂದುವಂತಿಲ್ಲ
 DocType: Crop,Yield UOM,ಯುಒಎಂ ಇಳುವರಿ
+DocType: Loan Security Pledge,Partially Pledged,ಭಾಗಶಃ ವಾಗ್ದಾನ
 ,Budget Variance Report,ಬಜೆಟ್ ವೈಷಮ್ಯವನ್ನು ವರದಿ
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,ಮಂಜೂರಾದ ಸಾಲದ ಮೊತ್ತ
 DocType: Salary Slip,Gross Pay,ಗ್ರಾಸ್ ಪೇ
 DocType: Item,Is Item from Hub,ಹಬ್ನಿಂದ ಐಟಂ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ಆರೋಗ್ಯ ಸೇವೆಗಳಿಂದ ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ
@@ -2244,6 +2272,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,ಹೊಸ ಗುಣಮಟ್ಟದ ಕಾರ್ಯವಿಧಾನ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},{0} ಯಾವಾಗಲೂ ಇರಬೇಕು ಖಾತೆ ಬಾಕಿ {1}
 DocType: Patient Appointment,More Info,ಇನ್ನಷ್ಟು ಮಾಹಿತಿ
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,ಸೇರುವ ದಿನಾಂಕಕ್ಕಿಂತ ಹುಟ್ಟಿದ ದಿನಾಂಕವು ಹೆಚ್ಚಿರಬಾರದು.
 DocType: Supplier Scorecard,Scorecard Actions,ಸ್ಕೋರ್ಕಾರ್ಡ್ ಕ್ರಿಯೆಗಳು
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ಸರಬರಾಜುದಾರ {0} {1} ನಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ
 DocType: Purchase Invoice,Rejected Warehouse,ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ವೇರ್ಹೌಸ್
@@ -2337,6 +2366,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,ದಯವಿಟ್ಟು ಮೊದಲು ಐಟಂ ಕೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ಡಾಕ್ ಪ್ರಕಾರ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},ಸಾಲ ಭದ್ರತಾ ಪ್ರತಿಜ್ಞೆಯನ್ನು ರಚಿಸಲಾಗಿದೆ: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,ನೇಮಕಾತಿಗಳು ಮತ್ತು ರೋಗಿಯ ಎನ್ಕೌಂಟರ್ಸ್
@@ -2391,6 +2421,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,ಏಕಕಾಲೀನ ನೇಮಕಾತಿಗಳ ಸಂಖ್ಯೆ
 apps/erpnext/erpnext/config/desktop.py,Getting Started,ಶುರುವಾಗುತ್ತಿದೆ
 DocType: Purchase Invoice,Taxes and Charges Calculation,ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಲೆಕ್ಕಾಚಾರ
+DocType: Loan Interest Accrual,Payable Principal Amount,ಪಾವತಿಸಬೇಕಾದ ಪ್ರಧಾನ ಮೊತ್ತ
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ಪುಸ್ತಕ ಸ್ವತ್ತು ಸವಕಳಿ ಎಂಟ್ರಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ಪುಸ್ತಕ ಸ್ವತ್ತು ಸವಕಳಿ ಎಂಟ್ರಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ
 DocType: BOM Operation,Workstation,ಕಾರ್ಯಸ್ಥಾನ
@@ -2427,7 +2458,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ಆಹಾರ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ಏಜಿಂಗ್ ರೇಂಜ್ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ಪಿಒಎಸ್ ವೂಚರ್ ವಿವರಗಳನ್ನು ಮುಚ್ಚುವುದು
-DocType: Bank Account,Is the Default Account,ಡೀಫಾಲ್ಟ್ ಖಾತೆ
 DocType: Shopify Log,Shopify Log,ಲಾಗ್ Shopify
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,ಯಾವುದೇ ಸಂವಹನ ಕಂಡುಬಂದಿಲ್ಲ.
 DocType: Inpatient Occupancy,Check In,ಚೆಕ್ ಇನ್
@@ -2481,12 +2511,14 @@
 DocType: Sales Order Item,Planned Quantity,ಯೋಜಿತ ಪ್ರಮಾಣ
 DocType: Water Analysis,Water Analysis Criteria,ನೀರಿನ ಅನಾಲಿಸಿಸ್ ಮಾನದಂಡ
 DocType: Item,Maintain Stock,ಸ್ಟಾಕ್ ನಿರ್ವಹಿಸುವುದು
+DocType: Loan Security Unpledge,Unpledge Time,ಅನ್ಪ್ಲೆಡ್ಜ್ ಸಮಯ
 DocType: Terms and Conditions,Applicable Modules,ಅನ್ವಯವಾಗುವ ಮಾಡ್ಯೂಲ್‌ಗಳು
 DocType: Employee,Prefered Email,prefered ಇಮೇಲ್
 DocType: Student Admission,Eligibility and Details,ಅರ್ಹತೆ ಮತ್ತು ವಿವರಗಳು
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,ಒಟ್ಟು ಲಾಭದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ಸ್ಥಿರ ಸಂಪತ್ತಾದ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,ರೆಕ್ಡ್ ಕ್ವಿಟಿ
+DocType: Work Order,This is a location where final product stored.,ಇದು ಅಂತಿಮ ಉತ್ಪನ್ನವನ್ನು ಸಂಗ್ರಹಿಸಿದ ಸ್ಥಳವಾಗಿದೆ.
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರಿ ಸಾಲು {0} ನಲ್ಲಿ 'ವಾಸ್ತವಿಕ' ಉಸ್ತುವಾರಿ ಐಟಂ ದರದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ಮ್ಯಾಕ್ಸ್: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime ಗೆ
@@ -2526,8 +2558,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,ಖಾತರಿ / ಎಎಮ್ಸಿ ಸ್ಥಿತಿ
 ,Accounts Browser,ಅಕೌಂಟ್ಸ್ ಬ್ರೌಸರ್
 DocType: Procedure Prescription,Referral,ರೆಫರಲ್
+,Territory-wise Sales,ಪ್ರದೇಶವಾರು ಮಾರಾಟ
 DocType: Payment Entry Reference,Payment Entry Reference,ಪಾವತಿ ಎಂಟ್ರಿ ರೆಫರೆನ್ಸ್
 DocType: GL Entry,GL Entry,ಜಿಎಲ್ ಎಂಟ್ರಿ
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,ಸಾಲು # {0}: ಸ್ವೀಕರಿಸಿದ ಗೋದಾಮು ಮತ್ತು ಪೂರೈಕೆದಾರ ಗೋದಾಮು ಒಂದೇ ಆಗಿರಬಾರದು
 DocType: Support Search Source,Response Options,ಪ್ರತಿಕ್ರಿಯೆ ಆಯ್ಕೆಗಳು
 DocType: Pricing Rule,Apply Multiple Pricing Rules,ಬಹು ಬೆಲೆ ನಿಯಮಗಳನ್ನು ಅನ್ವಯಿಸಿ
 DocType: HR Settings,Employee Settings,ನೌಕರರ ಸೆಟ್ಟಿಂಗ್ಗಳು
@@ -2602,6 +2636,7 @@
 DocType: Item,Sales Details,ಮಾರಾಟದ ವಿವರಗಳು
 DocType: Coupon Code,Used,ಬಳಸಲಾಗುತ್ತದೆ
 DocType: Opportunity,With Items,ವಸ್ತುಗಳು
+DocType: Vehicle Log,last Odometer Value ,ಕೊನೆಯ ಓಡೋಮೀಟರ್ ಮೌಲ್ಯ
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',&#39;{0}&#39; ಅಭಿಯಾನವು ಈಗಾಗಲೇ {1} &#39;{2}&#39; ಗೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
 DocType: Asset Maintenance,Maintenance Team,ನಿರ್ವಹಣೆ ತಂಡ
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","ಯಾವ ವಿಭಾಗಗಳು ಗೋಚರಿಸಬೇಕೆಂದು ಆದೇಶಿಸಿ. 0 ಮೊದಲನೆಯದು, 1 ಎರಡನೆಯದು ಮತ್ತು ಹೀಗೆ."
@@ -2612,7 +2647,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ಖರ್ಚು ಹಕ್ಕು {0} ಈಗಾಗಲೇ ವಾಹನ ಲಾಗ್ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
 DocType: Asset Movement Item,Source Location,ಮೂಲ ಸ್ಥಳ
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಹೆಸರು
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ದಯವಿಟ್ಟು ಮರುಪಾವತಿ ಪ್ರಮಾಣವನ್ನು ನಮೂದಿಸಿ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,ದಯವಿಟ್ಟು ಮರುಪಾವತಿ ಪ್ರಮಾಣವನ್ನು ನಮೂದಿಸಿ
 DocType: Shift Type,Working Hours Threshold for Absent,ಗೈರುಹಾಜರಿಗಾಗಿ ಕೆಲಸದ ಸಮಯ ಮಿತಿ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,ಒಟ್ಟು ವೆಚ್ಚದ ಆಧಾರದ ಮೇಲೆ ಬಹು ಶ್ರೇಣೀಕೃತ ಸಂಗ್ರಹ ಅಂಶವಿದೆ. ಆದರೆ ವಿಮೋಚನೆಯ ಪರಿವರ್ತನೆ ಅಂಶವು ಯಾವಾಗಲೂ ಎಲ್ಲಾ ಶ್ರೇಣಿಗಳಿಗೆ ಒಂದೇ ಆಗಿರುತ್ತದೆ.
 apps/erpnext/erpnext/config/help.py,Item Variants,ಐಟಂ ಮಾರ್ಪಾಟುಗಳು
@@ -2635,6 +2670,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,ಪಾವತಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},ಈ {0} ಸಂಘರ್ಷಗಳನ್ನು {1} ಫಾರ್ {2} {3}
 DocType: Student Attendance Tool,Students HTML,ವಿದ್ಯಾರ್ಥಿಗಳು ಎಚ್ಟಿಎಮ್ಎಲ್
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,ದಯವಿಟ್ಟು ಮೊದಲು ಅರ್ಜಿದಾರರ ಪ್ರಕಾರವನ್ನು ಆರಿಸಿ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty ಮತ್ತು ಗೋದಾಮಿನ ಆಯ್ಕೆಮಾಡಿ"
 DocType: GST HSN Code,GST HSN Code,ಜಿಎಸ್ಟಿ HSN ಕೋಡ್
 DocType: Employee External Work History,Total Experience,ಒಟ್ಟು ಅನುಭವ
@@ -2723,7 +2759,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",ಐಟಂ {0} ಗಾಗಿ ಸಕ್ರಿಯ BOM ಕಂಡುಬಂದಿಲ್ಲ. \ ಸೀರಿಯಲ್ ನ ಮೂಲಕ ವಿತರಣೆ ಖಾತ್ರಿಪಡಿಸಲಾಗುವುದಿಲ್ಲ
 DocType: Sales Partner,Sales Partner Target,ಮಾರಾಟದ ಸಂಗಾತಿ ಟಾರ್ಗೆಟ್
-DocType: Loan Type,Maximum Loan Amount,ಗರಿಷ್ಠ ಸಾಲದ
+DocType: Loan Application,Maximum Loan Amount,ಗರಿಷ್ಠ ಸಾಲದ
 DocType: Coupon Code,Pricing Rule,ಬೆಲೆ ರೂಲ್
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ವಿದ್ಯಾರ್ಥಿ ನಕಲು ರೋಲ್ ಸಂಖ್ಯೆ {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ವಿದ್ಯಾರ್ಥಿ ನಕಲು ರೋಲ್ ಸಂಖ್ಯೆ {0}
@@ -2747,6 +2783,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},ಎಲೆಗಳು ಯಶಸ್ವಿಯಾಗಿ ನಿಗದಿ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,ಪ್ಯಾಕ್ ಯಾವುದೇ ಐಟಂಗಳು
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,ಪ್ರಸ್ತುತ .csv ಮತ್ತು .xlsx ಫೈಲ್‌ಗಳನ್ನು ಮಾತ್ರ ಬೆಂಬಲಿಸಲಾಗುತ್ತದೆ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ&gt; ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ
 DocType: Shipping Rule Condition,From Value,FromValue
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,ಮ್ಯಾನುಫ್ಯಾಕ್ಚರಿಂಗ್ ಪ್ರಮಾಣ ಕಡ್ಡಾಯ
 DocType: Loan,Repayment Method,ಮರುಪಾವತಿಯ ವಿಧಾನ
@@ -2894,6 +2931,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,ನಿವ್ವಳ ಲಾಭ
 DocType: Purchase Invoice,Eligibility For ITC,ಐಟಿಸಿಗೆ ಅರ್ಹತೆ
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP - .YYYY.-
+DocType: Loan Security Pledge,Unpledged,ಪೂರ್ಣಗೊಳಿಸಲಾಗಿಲ್ಲ
 DocType: Journal Entry,Entry Type,ಎಂಟ್ರಿ ಟೈಪ್
 ,Customer Credit Balance,ಗ್ರಾಹಕ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಗಳು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
@@ -2905,6 +2943,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ಹಾಜರಾತಿ ಸಾಧನ ID (ಬಯೋಮೆಟ್ರಿಕ್ / ಆರ್ಎಫ್ ಟ್ಯಾಗ್ ಐಡಿ)
 DocType: Quotation,Term Details,ಟರ್ಮ್ ವಿವರಗಳು
 DocType: Item,Over Delivery/Receipt Allowance (%),ಓವರ್ ಡೆಲಿವರಿ / ರಶೀದಿ ಭತ್ಯೆ (%)
+DocType: Appointment Letter,Appointment Letter Template,ನೇಮಕಾತಿ ಪತ್ರ ಟೆಂಪ್ಲೇಟು
 DocType: Employee Incentive,Employee Incentive,ನೌಕರರ ಪ್ರೋತ್ಸಾಹ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} ಈ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ವಿದ್ಯಾರ್ಥಿಗಳನ್ನು ಹೆಚ್ಚು ದಾಖಲಿಸಲಾಗುವುದಿಲ್ಲ.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),ಒಟ್ಟು (ತೆರಿಗೆ ಇಲ್ಲದೆ)
@@ -2929,6 +2968,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",ಸೀರಿಯಲ್ ಮೂಲಕ ವಿತರಣೆಯನ್ನು ಖಚಿತಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ \ ಐಟಂ {0} ಅನ್ನು \ ಸೀರಿಯಲ್ ನಂಬರ್ ಮೂಲಕ ಮತ್ತು ಡೆಲಿವರಿ ಮಾಡುವಿಕೆಯನ್ನು ಸೇರಿಸದೆಯೇ ಇಲ್ಲ.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ಸರಕುಪಟ್ಟಿ ರದ್ದು ಮೇಲೆ ಪಾವತಿ ಅನ್ಲಿಂಕ್
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,ಪ್ರಕ್ರಿಯೆ ಸಾಲ ಬಡ್ಡಿ ಸಂಚಯ
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ಪ್ರವೇಶಿಸಿತು ಪ್ರಸ್ತುತ ದೂರಮಾಪಕ ಓದುವ ಆರಂಭಿಕ ವಾಹನ ದೂರಮಾಪಕ ಹೆಚ್ಚು ಇರಬೇಕು {0}
 ,Purchase Order Items To Be Received or Billed,ಸ್ವೀಕರಿಸಲು ಅಥವಾ ಬಿಲ್ ಮಾಡಲು ಆರ್ಡರ್ ವಸ್ತುಗಳನ್ನು ಖರೀದಿಸಿ
 DocType: Restaurant Reservation,No Show,ಶೋ ಇಲ್ಲ
@@ -3013,6 +3053,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ವೆಚ್ಚದ ಕೇಂದ್ರ &#39;ಲಾಭ ಮತ್ತು ನಷ್ಟ&#39; ಖಾತೆಯನ್ನು ಅಗತ್ಯವಿದೆ {2}. ಕಂಪನಿ ಒಂದು ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚದ ಕೇಂದ್ರ ಸ್ಥಾಪಿಸಲು ದಯವಿಟ್ಟು.
 DocType: Payment Schedule,Payment Term,ಪಾವತಿ ಅವಧಿ
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ಎ ಗ್ರಾಹಕ ಗುಂಪಿನ ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಗ್ರಾಹಕ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,ಪ್ರವೇಶ ಅಂತಿಮ ದಿನಾಂಕ ಪ್ರವೇಶ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಹೆಚ್ಚಾಗಿರಬೇಕು.
 DocType: Location,Area,ಪ್ರದೇಶ
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,ಹೊಸ ಸಂಪರ್ಕ
 DocType: Company,Company Description,ಕಂಪನಿ ವಿವರಣೆ
@@ -3086,6 +3127,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,ಮ್ಯಾಪ್ ಮಾಡಲಾದ ಡೇಟಾ
 DocType: Purchase Order Item,Warehouse and Reference,ವೇರ್ಹೌಸ್ ಮತ್ತು ರೆಫರೆನ್ಸ್
 DocType: Payroll Period Date,Payroll Period Date,ವೇತನದಾರರ ಅವಧಿ ದಿನಾಂಕ
+DocType: Loan Disbursement,Against Loan,ಸಾಲದ ವಿರುದ್ಧ
 DocType: Supplier,Statutory info and other general information about your Supplier,ಕಾನೂನುಸಮ್ಮತ ಮಾಹಿತಿಯನ್ನು ನಿಮ್ಮ ಸರಬರಾಜುದಾರ ಬಗ್ಗೆ ಇತರ ಸಾಮಾನ್ಯ ಮಾಹಿತಿ
 DocType: Item,Serial Nos and Batches,ಸೀರಿಯಲ್ ಸೂಲ ಮತ್ತು ಬ್ಯಾಚ್
 DocType: Item,Serial Nos and Batches,ಸೀರಿಯಲ್ ಸೂಲ ಮತ್ತು ಬ್ಯಾಚ್
@@ -3300,6 +3342,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),ಬೇಸ್ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
 DocType: Purchase Invoice,Registered Regular,ನೋಂದಾಯಿತ ನಿಯಮಿತ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ಕಚ್ಚಾ ಪದಾರ್ಥಗಳು
+DocType: Plaid Settings,sandbox,ಸ್ಯಾಂಡ್‌ಬಾಕ್ಸ್
 DocType: Payment Reconciliation Payment,Reference Row,ರೆಫರೆನ್ಸ್ ರೋ
 DocType: Installation Note,Installation Time,ಅನುಸ್ಥಾಪನ ಟೈಮ್
 DocType: Sales Invoice,Accounting Details,ಲೆಕ್ಕಪರಿಶೋಧಕ ವಿವರಗಳು
@@ -3312,12 +3355,11 @@
 DocType: Leave Ledger Entry,Transaction Type,ವಹಿವಾಟಿನ ಪ್ರಕಾರ
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ಒಪ್ಪಿಕೊಳ್ಳುವ ಅಳತೆಗೋಲುಗಳನ್ನು
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ದಯವಿಟ್ಟು ಮೇಲಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ನಮೂದಿಸಿ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,ಒಟ್ಟು ಪಾವತಿಸಲಾಗುವುದು ಪ್ರಮಾಣ
 DocType: Task,Expected Time (in hours),(ಗಂಟೆಗಳಲ್ಲಿ) ನಿರೀಕ್ಷಿತ ಸಮಯ
 DocType: Item Reorder,Check in (group),ಚೆಕ್ (ಗುಂಪು)
 DocType: Soil Texture,Silt,ಸಿಲ್ಟ್
@@ -3349,6 +3391,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,ಸಲ್ಲಿಸದ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಪ್ರೂಫ್ಗಾಗಿ ತೆರಿಗೆ ಕಡಿತಗೊಳಿಸಿ
 DocType: Volunteer,Anytime,ಯಾವ ಸಮಯದಲ್ಲಾದರೂ
 DocType: Bank Account,Bank Account No,ಬ್ಯಾಂಕ್ ಖಾತೆ ಸಂಖ್ಯೆ
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,ವಿತರಣೆ ಮತ್ತು ಮರುಪಾವತಿ
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ನೌಕರರ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಪ್ರೂಫ್ ಸಲ್ಲಿಕೆ
 DocType: Patient,Surgical History,ಸರ್ಜಿಕಲ್ ಹಿಸ್ಟರಿ
 DocType: Bank Statement Settings Item,Mapped Header,ಮ್ಯಾಪ್ಡ್ ಹೆಡರ್
@@ -3409,6 +3452,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಮೇಲೆ ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ (ಗಳನ್ನು) ರಚಿಸಿ ಸಲ್ಲಿಸಿ
 DocType: Serial No,Invoice Details,ಇನ್ವಾಯ್ಸ್ ವಿವರಗಳು
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,ತೆರಿಗೆ ವಿನಾಯಿತಿ ಘೋಷಣೆಯನ್ನು ಸಲ್ಲಿಸುವ ಮೊದಲು ಸಂಬಳ ರಚನೆಯನ್ನು ಸಲ್ಲಿಸಬೇಕು
+DocType: Loan Application,Proposed Pledges,ಪ್ರಸ್ತಾವಿತ ಪ್ರತಿಜ್ಞೆಗಳು
 DocType: Grant Application,Show on Website,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ತೋರಿಸಿ
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,ಪ್ರಾರಂಭಿಸಿ
 DocType: Hub Tracked Item,Hub Category,ಹಬ್ ವರ್ಗ
@@ -3420,7 +3464,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,ಸರಬರಾಜುದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸ್ಥಾಯಿ
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ಸಾಲು {0}: ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {1}
 DocType: Contract Fulfilment Checklist,Requirement,ಅವಶ್ಯಕತೆ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ&gt; ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ
 DocType: Journal Entry,Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು
 DocType: Quality Goal,Objectives,ಉದ್ದೇಶಗಳು
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ಬ್ಯಾಕ್‌ಡೇಟೆಡ್ ರಜೆ ಅಪ್ಲಿಕೇಶನ್ ರಚಿಸಲು ಪಾತ್ರವನ್ನು ಅನುಮತಿಸಲಾಗಿದೆ
@@ -3677,6 +3720,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,ದಿನಾಂಕದಿಂದ ಮಾನ್ಯವಾಗಿರಬೇಕು ದಿನಾಂಕ ವರೆಗೆ ಮಾನ್ಯವಾಗಿರಬೇಕು.
 DocType: Employee Skill,Evaluation Date,ಮೌಲ್ಯಮಾಪನ ದಿನಾಂಕ
 DocType: Quotation Item,Stock Balance,ಸ್ಟಾಕ್ ಬ್ಯಾಲೆನ್ಸ್
+DocType: Loan Security Pledge,Total Security Value,ಒಟ್ಟು ಭದ್ರತಾ ಮೌಲ್ಯ
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ಪಾವತಿ ಮಾರಾಟ ಆರ್ಡರ್
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,ಸಿಇಒ
 DocType: Purchase Invoice,With Payment of Tax,ತೆರಿಗೆ ಪಾವತಿ
@@ -3769,6 +3813,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,ಪ್ರಸ್ತುತ ಮೌಲ್ಯಮಾಪನ ದರ
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,ಮೂಲ ಖಾತೆಗಳ ಸಂಖ್ಯೆ 4 ಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬಾರದು
 DocType: Training Event,Advance,ಅಡ್ವಾನ್ಸ್
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,ಸಾಲದ ವಿರುದ್ಧ:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless ಪಾವತಿ ಗೇಟ್ವೇ ಸೆಟ್ಟಿಂಗ್ಗಳು
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,ವಿನಿಮಯ ಗಳಿಕೆ / ನಷ್ಟ
 DocType: Opportunity,Lost Reason,ಲಾಸ್ಟ್ ಕಾರಣ
@@ -3853,8 +3898,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,ಬ್ಯಾಚ್ ಆಯ್ಕೆ ಇಲ್ಲ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},ಅಮಾನ್ಯ {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,ಸಾಲು {0}: ಒಡಹುಟ್ಟಿದವರ ಜನ್ಮ ದಿನಾಂಕವು ಇಂದಿಗಿಂತ ಹೆಚ್ಚಿರಬಾರದು.
 DocType: Fee Validity,Reference Inv,ರೆಫರೆನ್ಸ್ ಆಹ್ವಾನ
 DocType: Sales Invoice Advance,Advance Amount,ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣ
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,ದಂಡ ಬಡ್ಡಿದರ (%) ದಿನಕ್ಕೆ
 DocType: Manufacturing Settings,Capacity Planning,ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,ಪೂರ್ಣಾಂಕಗೊಳಿಸುವ ಹೊಂದಾಣಿಕೆ (ಕಂಪೆನಿ ಕರೆನ್ಸಿ
 DocType: Asset,Policy number,ಪಾಲಿಸಿ ಸಂಖ್ಯೆ
@@ -3869,7 +3916,9 @@
 DocType: Normal Test Items,Require Result Value,ಫಲಿತಾಂಶ ಮೌಲ್ಯ ಅಗತ್ಯವಿದೆ
 DocType: Purchase Invoice,Pricing Rules,ಬೆಲೆ ನಿಯಮಗಳು
 DocType: Item,Show a slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಒಂದು ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು
+DocType: Appointment Letter,Body,ದೇಹ
 DocType: Tax Withholding Rate,Tax Withholding Rate,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವ ದರ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,ಅವಧಿ ಸಾಲಗಳಿಗೆ ಮರುಪಾವತಿ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಕಡ್ಡಾಯವಾಗಿದೆ
 DocType: Pricing Rule,Max Amt,ಮ್ಯಾಕ್ಸ್ ಆಮ್ಟ್
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,ಸ್ಟೋರ್ಸ್
@@ -3887,7 +3936,7 @@
 DocType: Call Log,Received By,ಇವರಿಂದ ಸ್ವೀಕರಿಸಲಾಗಿದೆ
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),ನೇಮಕಾತಿ ಅವಧಿ (ನಿಮಿಷಗಳಲ್ಲಿ)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪಿಂಗ್ ಟೆಂಪ್ಲೇಟು ವಿವರಗಳು
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,ಸಾಲ ನಿರ್ವಹಣೆ
+DocType: Loan,Loan Management,ಸಾಲ ನಿರ್ವಹಣೆ
 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,Update Cost,ನವೀಕರಣ ವೆಚ್ಚ
@@ -3895,6 +3944,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,ಜಿಎಸ್ಟಿಆರ್ 3 ಬಿ-ಫಾರ್ಮ್
 DocType: Sales Invoice,Mode of Transport,ಸಾರಿಗೆ ವಿಧಾನ
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,ಸಂಬಳ ಶೋ ಸ್ಲಿಪ್
+DocType: Loan,Is Term Loan,ಟರ್ಮ್ ಸಾಲ
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,ಟ್ರಾನ್ಸ್ಫರ್ ವಸ್ತು
 DocType: Fees,Send Payment Request,ಪಾವತಿ ವಿನಂತಿ ಕಳುಹಿಸಿ
 DocType: Travel Request,Any other details,ಯಾವುದೇ ಇತರ ವಿವರಗಳು
@@ -3912,6 +3962,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,ಹಣಕಾಸು ಹಣದ ಹರಿವನ್ನು
 DocType: Budget Account,Budget Account,ಬಜೆಟ್ ಖಾತೆ
 DocType: Quality Inspection,Verified By,ಪರಿಶೀಲಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,ಸಾಲ ಭದ್ರತೆಯನ್ನು ಸೇರಿಸಿ
 DocType: Travel Request,Name of Organizer,ಸಂಘಟಕ ಹೆಸರು
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,ಆದಾಯ ತೆರಿಗೆ ಹೊಣೆಗಾರಿಕೆ
@@ -3961,6 +4012,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ಅಗತ್ಯವಿದೆ ರಂದು
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","ಪರಿಶೀಲಿಸಿದರೆ, ಸಂಬಳ ಸ್ಲಿಪ್‌ಗಳಲ್ಲಿ ದುಂಡಾದ ಒಟ್ಟು ಕ್ಷೇತ್ರವನ್ನು ಮರೆಮಾಡುತ್ತದೆ ಮತ್ತು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,ಮಾರಾಟ ಆದೇಶಗಳಲ್ಲಿನ ವಿತರಣಾ ದಿನಾಂಕದ ಡೀಫಾಲ್ಟ್ ಆಫ್‌ಸೆಟ್ (ದಿನಗಳು) ಇದು. ಫಾಲ್‌ಬ್ಯಾಕ್ ಆಫ್‌ಸೆಟ್ ಆದೇಶ ನಿಯೋಜನೆ ದಿನಾಂಕದಿಂದ 7 ದಿನಗಳು.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ಸೆಟಪ್&gt; ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ
 DocType: Rename Tool,File to Rename,ಮರುಹೆಸರಿಸಲು ಫೈಲ್
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},ರೋನಲ್ಲಿ ಐಟಂ ಬಿಒಎಮ್ ಆಯ್ಕೆಮಾಡಿ {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,ಚಂದಾದಾರಿಕೆ ಅಪ್ಡೇಟ್ಗಳನ್ನು ಪಡೆಯಿರಿ
@@ -3973,6 +4025,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ
 DocType: POS Profile,Applicable for Users,ಬಳಕೆದಾರರಿಗೆ ಅನ್ವಯಿಸುತ್ತದೆ
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN- .YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ಕಡ್ಡಾಯವಾಗಿದೆ
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),ಅಡ್ವಾನ್ಸಸ್ ಮತ್ತು ಅಲೋಕೇಟ್ ಹೊಂದಿಸಿ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,ಯಾವುದೇ ಕೆಲಸದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲಾಗಿಲ್ಲ
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಈ ಅವಧಿಯಲ್ಲಿ ರಚಿಸಿದ
@@ -4076,11 +4129,12 @@
 ,Minutes to First Response for Opportunity,ಅವಕಾಶ ಮೊದಲ ಪ್ರತಿಕ್ರಿಯೆ ನಿಮಿಷಗಳ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,ಒಟ್ಟು ಆಬ್ಸೆಂಟ್
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,ಸಾಲು ಐಟಂ ಅಥವಾ ಗೋದಾಮಿನ {0} ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,ಪಾವತಿಸಬೇಕಾದ ಮೊತ್ತ
+DocType: Loan Repayment,Payable Amount,ಪಾವತಿಸಬೇಕಾದ ಮೊತ್ತ
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,ಅವಕಾಶ
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,ಗರಿಷ್ಠ ಶಕ್ತಿ ಶೂನ್ಯಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬಾರದು.
 DocType: Options,Option,ಆಯ್ಕೆ
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},ಮುಚ್ಚಿದ ಅಕೌಂಟಿಂಗ್ ಅವಧಿಯಲ್ಲಿ {0} ನಲ್ಲಿ ನೀವು ಅಕೌಂಟಿಂಗ್ ನಮೂದುಗಳನ್ನು ರಚಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Operation,Default Workstation,ಡೀಫಾಲ್ಟ್ ವರ್ಕ್ಸ್ಟೇಷನ್
@@ -4122,6 +4176,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,ಬಡ್ಡಿ ಮೊತ್ತ ಕಡ್ಡಾಯ
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ರಜೆ ಅನುಮೋದನೆ ಅಪ್ಲಿಕೇಶನ್ ದಾಖಲೆಗಳು ಹೊಂದುವುದಿಲ್ಲ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ಮುಂದಿನ ಕ್ರಮಗಳು
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ಉಳಿಸಿದ ವಸ್ತುಗಳು
@@ -4193,8 +4248,6 @@
 DocType: Grant Application,Grant Application Details ,ಅನುದಾನ ಅಪ್ಲಿಕೇಶನ್ ವಿವರಗಳು
 DocType: Employee Separation,Employee Separation,ಉದ್ಯೋಗಿ ಪ್ರತ್ಯೇಕಿಸುವಿಕೆ
 DocType: BOM Item,Original Item,ಮೂಲ ಐಟಂ
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ <a href=""#Form/Employee/{0}"">{0}</a> delete ಅನ್ನು ಅಳಿಸಿ"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ಡಾಕ್ ದಿನಾಂಕ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ಶುಲ್ಕ ರೆಕಾರ್ಡ್ಸ್ ರಚಿಸಲಾಗಿದೆ - {0}
 DocType: Asset Category Account,Asset Category Account,ಆಸ್ತಿ ವರ್ಗ ಖಾತೆ
@@ -4229,6 +4282,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ಲ್ಯಾಬ್ ಪರೀಕ್ಷಾ ಐಟಂ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ಕಂಪನಿಯ ರಜಾದಿನವಾಗಿದೆ
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ಬಿಲ್ ಮಾಡಬಹುದಾದ ಗಂಟೆಗಳು
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,ಮರುಪಾವತಿ ವಿಳಂಬವಾದರೆ ಪ್ರತಿದಿನ ಬಾಕಿ ಇರುವ ಬಡ್ಡಿ ಮೊತ್ತದ ಮೇಲೆ ದಂಡ ಬಡ್ಡಿ ದರವನ್ನು ವಿಧಿಸಲಾಗುತ್ತದೆ
+DocType: Appointment Letter content,Appointment Letter content,ನೇಮಕಾತಿ ಪತ್ರದ ವಿಷಯ
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ಸ್ಥಿತಿ ಅಧಿಸೂಚನೆಯನ್ನು ಬಿಡಿ
 DocType: Patient Appointment,Procedure Prescription,ಪ್ರೊಸಿಜರ್ ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,ಪೀಠೋಪಕರಣಗಳು ಮತ್ತು ನೆಲೆವಸ್ತುಗಳ
@@ -4247,7 +4302,7 @@
 DocType: Opportunity,Customer / Lead Name,ಗ್ರಾಹಕ / ಲೀಡ್ ಹೆಸರು
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ
 DocType: Payroll Period,Taxable Salary Slabs,ತೆರಿಗೆಯ ಸಂಬಳ ಚಪ್ಪಡಿಗಳು
-DocType: Job Card,Production,ಉತ್ಪಾದನೆ
+DocType: Plaid Settings,Production,ಉತ್ಪಾದನೆ
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,ಅಮಾನ್ಯ GSTIN! ನೀವು ನಮೂದಿಸಿದ ಇನ್ಪುಟ್ GSTIN ನ ಸ್ವರೂಪಕ್ಕೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ಖಾತೆ ಮೌಲ್ಯ
 DocType: Guardian,Occupation,ಉದ್ಯೋಗ
@@ -4388,6 +4443,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ ಕಲೆಕ್ಷನ್
 DocType: Stock Entry Detail,Subcontracted Item,ಉಪಗುತ್ತಿಗೆ ಮಾಡಿದ ಐಟಂ
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},ವಿದ್ಯಾರ್ಥಿ {0} ಗುಂಪುಗೆ ಸೇರಿಲ್ಲ {1}
+DocType: Appointment Letter,Appointment Date,ನೇಮಕಾತಿ ದಿನಾಂಕ
 DocType: Budget,Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,ಚೀಟಿ #
 DocType: Tax Rule,Shipping Country,ಶಿಪ್ಪಿಂಗ್ ಕಂಟ್ರಿ
@@ -4457,6 +4513,7 @@
 DocType: Accounting Dimension,Accounting Dimension,ಲೆಕ್ಕಪತ್ರ ಆಯಾಮ
 ,Profit and Loss Statement,ಲಾಭ ಮತ್ತು ನಷ್ಟ ಹೇಳಿಕೆ
 DocType: Bank Reconciliation Detail,Cheque Number,ಚೆಕ್ ಸಂಖ್ಯೆ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,ಪಾವತಿಸಿದ ಮೊತ್ತ ಶೂನ್ಯವಾಗಿರಬಾರದು
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} ರಿಂದ ಉಲ್ಲೇಖಿಸಲಾದ ಐಟಂ - {1} ಈಗಾಗಲೇ ಇನ್ವಾಯ್ಸ್ ಮಾಡಲಾಗಿದೆ
 ,Sales Browser,ಮಾರಾಟದ ಬ್ರೌಸರ್
 DocType: Journal Entry,Total Credit,ಒಟ್ಟು ಕ್ರೆಡಿಟ್
@@ -4573,6 +4630,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,ಕೂಪನ್ ಷರತ್ತುಗಳನ್ನು ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ಖರ್ಚು / ವ್ಯತ್ಯಾಸ ಖಾತೆ ({0}) ಒಂದು 'ಲಾಭ ಅಥವಾ ನಷ್ಟ' ಖಾತೆ ಇರಬೇಕು
 DocType: Stock Entry Detail,Stock Entry Child,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಚೈಲ್ಡ್
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,ಸಾಲ ಭದ್ರತಾ ಪ್ರತಿಜ್ಞಾ ಕಂಪನಿ ಮತ್ತು ಸಾಲ ಕಂಪನಿ ಒಂದೇ ಆಗಿರಬೇಕು
 DocType: Project,Copied From,ನಕಲು
 DocType: Project,Copied From,ನಕಲು
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,ಎಲ್ಲಾ ಬಿಲ್ಲಿಂಗ್ ಗಂಟೆಗಳಿಗಾಗಿ ಸರಕುಪಟ್ಟಿ ಈಗಾಗಲೇ ರಚಿಸಲಾಗಿದೆ
@@ -4581,6 +4639,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,ಹಣಕಾಸು ವೆಚ್ಚ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,ನೌಕರ ಅಟೆಂಡೆನ್ಸ್ {0} ಈಗಾಗಲೇ ಗುರುತಿಸಲಾಗಿದೆ
 DocType: Packing Slip,If more than one package of the same type (for print),ವೇಳೆ ( ಮುದ್ರಣ ) ಅದೇ ರೀತಿಯ ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಪ್ಯಾಕೇಜ್
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,ಶಿಕ್ಷಣ&gt; ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,ದಯವಿಟ್ಟು ರೆಸ್ಟೋರೆಂಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಗ್ರಾಹಕರನ್ನು ಹೊಂದಿಸಿ
 ,Salary Register,ಸಂಬಳ ನೋಂದಣಿ
 DocType: Company,Default warehouse for Sales Return,ಮಾರಾಟ ರಿಟರ್ನ್‌ಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಗೋದಾಮು
@@ -4625,7 +4684,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,ಪ್ರಸ್ತುತ ಸರಣಿ ಸಂಖ್ಯೆ
 DocType: Employee,Attendance and Leave Details,ಹಾಜರಾತಿ ಮತ್ತು ವಿವರಗಳನ್ನು ಬಿಡಿ
 ,BOM Comparison Tool,BOM ಹೋಲಿಕೆ ಸಾಧನ
-,Requested,ವಿನಂತಿಸಲಾಗಿದೆ
+DocType: Loan Security Pledge,Requested,ವಿನಂತಿಸಲಾಗಿದೆ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,ಯಾವುದೇ ಟೀಕೆಗಳನ್ನು
 DocType: Asset,In Maintenance,ನಿರ್ವಹಣೆ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ಅಮೆಜಾನ್ MWS ನಿಂದ ನಿಮ್ಮ ಮಾರಾಟದ ಆರ್ಡರ್ ಡೇಟಾವನ್ನು ಎಳೆಯಲು ಈ ಬಟನ್ ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ.
@@ -4637,7 +4696,6 @@
 DocType: Drug Prescription,Drug Prescription,ಡ್ರಗ್ ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್
 DocType: Service Level,Support and Resolution,ಬೆಂಬಲ ಮತ್ತು ನಿರ್ಣಯ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,ಉಚಿತ ಐಟಂ ಕೋಡ್ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಲಾಗಿಲ್ಲ
-DocType: Loan,Repaid/Closed,ಮರುಪಾವತಿ / ಮುಚ್ಚಲಾಗಿದೆ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,ಒಟ್ಟು ಯೋಜಿತ ಪ್ರಮಾಣ
 DocType: Monthly Distribution,Distribution Name,ವಿತರಣೆ ಹೆಸರು
@@ -4669,6 +4727,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,ಸ್ಟಾಕ್ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ
 DocType: Lab Test,LabTest Approver,ಲ್ಯಾಬ್ಟೆಸ್ಟ್ ಅಪ್ರೋವರ್
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ನೀವು ಈಗಾಗಲೇ ಮೌಲ್ಯಮಾಪನ ಮಾನದಂಡದ ನಿರ್ಣಯಿಸುವ {}.
+DocType: Loan Security Shortfall,Shortfall Amount,ಕೊರತೆ ಮೊತ್ತ
 DocType: Vehicle Service,Engine Oil,ಎಂಜಿನ್ ತೈಲ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},ಕೆಲಸದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ: {0}
 DocType: Sales Invoice,Sales Team1,ಮಾರಾಟದ team1
@@ -4685,6 +4744,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,ಆಕ್ರಮಣ ಸ್ಥಿತಿ
 DocType: Purchase Invoice,Apply Additional Discount On,ಹೆಚ್ಚುವರಿ ರಿಯಾಯತಿ ಅನ್ವಯಿಸು
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,ಪ್ರಕಾರವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ ...
+DocType: Loan Interest Accrual,Amounts,ಮೊತ್ತಗಳು
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,ನಿಮ್ಮ ಟಿಕೆಟ್ಗಳು
 DocType: Account,Root Type,ರೂಟ್ ಪ್ರಕಾರ
 DocType: Item,FIFO,FIFO
@@ -4692,6 +4752,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},ರೋ # {0}: ಹೆಚ್ಚು ಮರಳಲು ಸಾಧ್ಯವಿಲ್ಲ {1} ಐಟಂ {2}
 DocType: Item Group,Show this slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಈ ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು
 DocType: BOM,Item UOM,ಐಟಂ UOM
+DocType: Loan Security Price,Loan Security Price,ಸಾಲ ಭದ್ರತಾ ಬೆಲೆ
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ಡಿಸ್ಕೌಂಟ್ ಪ್ರಮಾಣದ ನಂತರ ತೆರಿಗೆ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,ಚಿಲ್ಲರೆ ಕಾರ್ಯಾಚರಣೆಗಳು
@@ -4828,6 +4889,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},ಬ್ಯಾಚ್ ಸತತವಾಗಿ ಕಡ್ಡಾಯ {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},ಬ್ಯಾಚ್ ಸತತವಾಗಿ ಕಡ್ಡಾಯ {0}
 DocType: Company,Default Buying Terms,ಡೀಫಾಲ್ಟ್ ಖರೀದಿ ನಿಯಮಗಳು
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,ಸಾಲ ವಿತರಣೆ
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ಖರೀದಿ ರಸೀತಿ ಐಟಂ ವಿತರಿಸುತ್ತಾರೆ
 DocType: Amazon MWS Settings,Enable Scheduled Synch,ಪರಿಶಿಷ್ಟ ಸಿಂಕ್ ಸಕ್ರಿಯಗೊಳಿಸಿ
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime ಗೆ
@@ -4919,6 +4981,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,ಪ್ರಸ್ತಾಪ / ಬೆಲೆ ಉದ್ಧರಣ
 DocType: Antibiotic,Healthcare,ಹೆಲ್ತ್ಕೇರ್
 DocType: Target Detail,Target Detail,ವಿವರ ಟಾರ್ಗೆಟ್
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,ಸಾಲ ಪ್ರಕ್ರಿಯೆಗಳು
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,ಒಂದೇ ರೂಪಾಂತರ
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,ಎಲ್ಲಾ ಉದ್ಯೋಗ
 DocType: Sales Order,% of materials billed against this Sales Order,ಈ ಮಾರಾಟದ ಆರ್ಡರ್ ವಿರುದ್ಧ ಕೊಕ್ಕಿನ ವಸ್ತುಗಳ %
@@ -4979,7 +5042,7 @@
 DocType: Item,Reorder level based on Warehouse,ವೇರ್ಹೌಸ್ ಆಧರಿಸಿ ಮರುಕ್ರಮಗೊಳಿಸಿ ಮಟ್ಟದ
 DocType: Activity Cost,Billing Rate,ಬಿಲ್ಲಿಂಗ್ ದರ
 ,Qty to Deliver,ಡೆಲಿವರ್ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,ವಿತರಣಾ ನಮೂದನ್ನು ರಚಿಸಿ
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,ವಿತರಣಾ ನಮೂದನ್ನು ರಚಿಸಿ
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ಅಮೆಜಾನ್ ಈ ದಿನಾಂಕದ ನಂತರ ನವೀಕರಿಸಿದ ಡೇಟಾವನ್ನು ಸಿಂಕ್ ಮಾಡುತ್ತದೆ
 ,Stock Analytics,ಸ್ಟಾಕ್ ಅನಾಲಿಟಿಕ್ಸ್
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,ಕಾರ್ಯಾಚರಣೆ ಖಾಲಿ ಬಿಡುವಂತಿಲ್ಲ
@@ -5012,6 +5075,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,ಬಾಹ್ಯ ಸಂಯೋಜನೆಗಳನ್ನು ಅನ್ಲಿಂಕ್ ಮಾಡಿ
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,ಅನುಗುಣವಾದ ಪಾವತಿಯನ್ನು ಆರಿಸಿ
 DocType: Pricing Rule,Item Code,ಐಟಂ ಕೋಡ್
+DocType: Loan Disbursement,Pending Amount For Disbursal,ವಿತರಣೆಗೆ ಬಾಕಿ ಉಳಿದಿರುವ ಮೊತ್ತ
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU - .YYYY.-
 DocType: Serial No,Warranty / AMC Details,ಖಾತರಿ / ಎಎಮ್ಸಿ ವಿವರಗಳು
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,ಚಟುವಟಿಕೆ ಆಧಾರಿತ ಗ್ರೂಪ್ ಕೈಯಾರೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಆಯ್ಕೆ
@@ -5037,6 +5101,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,ಕ್ಯೂಟಿ ಒಟ್ಟು
 DocType: Landed Cost Item,Receipt Document,ರಸೀತಿ ಡಾಕ್ಯುಮೆಂಟ್
 DocType: Employee Education,School/University,ಸ್ಕೂಲ್ / ವಿಶ್ವವಿದ್ಯಾಲಯ
+DocType: Loan Security Pledge,Loan  Details,ಸಾಲದ ವಿವರಗಳು
 DocType: Sales Invoice Item,Available Qty at Warehouse,ವೇರ್ಹೌಸ್ ಲಭ್ಯವಿದೆ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,ಖ್ಯಾತವಾದ ಪ್ರಮಾಣ
 DocType: Share Transfer,(including),(ಸೇರಿದಂತೆ)
@@ -5060,6 +5125,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,ಗುಂಪುಗಳು
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,ಖಾತೆ ಗುಂಪು
 DocType: Purchase Invoice,Hold Invoice,ಸರಕುಪಟ್ಟಿ ಹಿಡಿದುಕೊಳ್ಳಿ
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,ಪ್ರತಿಜ್ಞೆ ಸ್ಥಿತಿ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,ನೌಕರರನ್ನು ಆಯ್ಕೆಮಾಡಿ
 DocType: Sales Order,Fully Delivered,ಸಂಪೂರ್ಣವಾಗಿ ತಲುಪಿಸಲಾಗಿದೆ
 DocType: Promotional Scheme Price Discount,Min Amount,ಕನಿಷ್ಠ ಮೊತ್ತ
@@ -5069,7 +5135,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},ಪಾವತಿಸಲಾಗುತ್ತದೆ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಹೆಚ್ಚು ಹೆಚ್ಚಿರಬಾರದು {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ಸಾಲು {0} # ನಿಗದಿಪಡಿಸಿದ ಮೊತ್ತವು {1} ಹಕ್ಕುಸ್ವಾಮ್ಯದ ಮೊತ್ತಕ್ಕಿಂತಲೂ ಹೆಚ್ಚಿಲ್ಲ {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಸಂಖ್ಯೆ ಐಟಂ ಅಗತ್ಯವಿದೆ {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,ಫಾರ್ವರ್ಡ್ ಎಲೆಗಳು ಕ್ಯಾರಿ
@@ -5097,6 +5162,7 @@
 DocType: Pick List Item,Serial No and Batch,ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್
 DocType: Warranty Claim,From Company,ಕಂಪನಿ
 DocType: GSTR 3B Report,January,ಜನವರಿ
+DocType: Loan Repayment,Principal Amount Paid,ಪಾವತಿಸಿದ ಪ್ರಧಾನ ಮೊತ್ತ
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ ಅಂಕಗಳು ಮೊತ್ತ {0} ಎಂದು ಅಗತ್ಯವಿದೆ.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,ದಯವಿಟ್ಟು ಸೆಟ್ Depreciations ಸಂಖ್ಯೆ ಬುಕ್ಡ್
 DocType: Supplier Scorecard Period,Calculations,ಲೆಕ್ಕಾಚಾರಗಳು
@@ -5123,6 +5189,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ನಿಮ್ಮ ಕಂಪನಿ ಬಗ್ಗೆ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,ಸ್ಟಾಕ್ ಏಜಿಂಗ್ ಡೇಟಾವನ್ನು ತೋರಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು
+DocType: Loan Repayment,Penalty Amount,ದಂಡದ ಮೊತ್ತ
 DocType: Donor,Donor,ದಾನಿ
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ಐಟಂಗಳಿಗಾಗಿ ತೆರಿಗೆಗಳನ್ನು ನವೀಕರಿಸಿ
 DocType: Global Defaults,Disable In Words,ವರ್ಡ್ಸ್ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ
@@ -5152,6 +5219,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ವೆಚ್ಚ ಕೇಂದ್ರ ಮತ್ತು ಬಜೆಟ್
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ಆರಂಭಿಕ ಬ್ಯಾಲೆನ್ಸ್ ಇಕ್ವಿಟಿ
 DocType: Appointment,CRM,ಸಿಆರ್ಎಂ
+DocType: Loan Repayment,Partial Paid Entry,ಭಾಗಶಃ ಪಾವತಿಸಿದ ಪ್ರವೇಶ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,ದಯವಿಟ್ಟು ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಯನ್ನು ಹೊಂದಿಸಿ
 DocType: Pick List,Items under this warehouse will be suggested,ಈ ಗೋದಾಮಿನ ಅಡಿಯಲ್ಲಿರುವ ವಸ್ತುಗಳನ್ನು ಸೂಚಿಸಲಾಗುತ್ತದೆ
 DocType: Purchase Invoice,N,ಎನ್
@@ -5183,7 +5251,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,ಮೂಲಕ ಪೂರೈಕೆದಾರರನ್ನು ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ಐಟಂ {1} ಗಾಗಿ ಕಂಡುಬಂದಿಲ್ಲ
 DocType: Accounts Settings,Show Inclusive Tax In Print,ಮುದ್ರಣದಲ್ಲಿ ಅಂತರ್ಗತ ತೆರಿಗೆ ತೋರಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ಬ್ಯಾಂಕ್ ಖಾತೆ, ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,ಕಳುಹಿಸಿದ ಸಂದೇಶವನ್ನು
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಎಂದು ಹೊಂದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: C-Form,II,II ನೇ
@@ -5197,6 +5264,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,ಸ್ವಯಂ ಮರು-ಆದೇಶವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ
 DocType: Stock Settings,Item Naming By,ಐಟಂ ಹೆಸರಿಸುವ ಮೂಲಕ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},ಮತ್ತೊಂದು ಅವಧಿ ಮುಕ್ತಾಯ ಎಂಟ್ರಿ {0} ನಂತರ ಮಾಡಲಾಗಿದೆ {1}
+DocType: Proposed Pledge,Proposed Pledge,ಪ್ರಸ್ತಾವಿತ ಪ್ರತಿಜ್ಞೆ
 DocType: Work Order,Material Transferred for Manufacturing,ವಸ್ತು ಉತ್ಪಾದನೆ ವರ್ಗಾಯಿಸಲ್ಪಟ್ಟ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,ಖಾತೆ {0} ಮಾಡುವುದಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ ಆಯ್ಕೆಮಾಡಿ
@@ -5207,7 +5275,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",ಕ್ರಿಯೆಗಳು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ {0} ರಿಂದ ಮಾರಾಟದ ವ್ಯಕ್ತಿಗಳು ಕೆಳಗೆ ಜೋಡಿಸಲಾದ ನೌಕರರ ಒಂದು ಬಳಕೆದಾರ ID ಹೊಂದಿಲ್ಲ {1}
 DocType: Timesheet,Billing Details,ಬಿಲ್ಲಿಂಗ್ ವಿವರಗಳು
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ಮೂಲ ಮತ್ತು ಗುರಿ ಗೋದಾಮಿನ ಬೇರೆಯಾಗಿರಬೇಕು
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ&gt; ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ಪಾವತಿ ವಿಫಲವಾಗಿದೆ. ದಯವಿಟ್ಟು ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ ನಿಮ್ಮ GoCardless ಖಾತೆಯನ್ನು ಪರಿಶೀಲಿಸಿ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ಹೆಚ್ಚು ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಹಳೆಯ ನವೀಕರಿಸಲು ಅವಕಾಶ {0}
 DocType: Stock Entry,Inspection Required,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಅಗತ್ಯವಿದೆ
@@ -5220,6 +5287,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ
+DocType: Unpledge,Against Pledge,ಪ್ರತಿಜ್ಞೆಯ ವಿರುದ್ಧ
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ಈ ಪಾತ್ರವನ್ನು ಬಳಕೆದಾರರು ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆಗಳ ವಿರುದ್ಧ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಮಾರ್ಪಡಿಸಲು / ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆಗಳನ್ನು ಸೆಟ್ ಮತ್ತು ರಚಿಸಲು ಅವಕಾಶ
 DocType: Plaid Settings,Plaid Environment,ಪ್ಲೈಡ್ ಪರಿಸರ
 ,Project Billing Summary,ಪ್ರಾಜೆಕ್ಟ್ ಬಿಲ್ಲಿಂಗ್ ಸಾರಾಂಶ
@@ -5272,6 +5340,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ಬ್ಯಾಚ್ಗಳು
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ದಿನಗಳ ನೇಮಕಾತಿಗಳ ಸಂಖ್ಯೆಯನ್ನು ಮುಂಚಿತವಾಗಿ ಕಾಯ್ದಿರಿಸಬಹುದು
 DocType: Article,LMS User,ಎಲ್ಎಂಎಸ್ ಬಳಕೆದಾರ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,ಸುರಕ್ಷಿತ ಸಾಲಕ್ಕಾಗಿ ಸಾಲ ಭದ್ರತಾ ಪ್ರತಿಜ್ಞೆ ಕಡ್ಡಾಯವಾಗಿದೆ
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),ಸರಬರಾಜು ಸ್ಥಳ (ರಾಜ್ಯ / ಯುಟಿ)
 DocType: Purchase Order Item Supplied,Stock UOM,ಸ್ಟಾಕ್ UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
@@ -5345,6 +5414,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ಜಾಬ್ ಕಾರ್ಡ್ ರಚಿಸಿ
 DocType: Quotation,Referral Sales Partner,ರೆಫರಲ್ ಮಾರಾಟ ಪಾಲುದಾರ
 DocType: Quality Procedure Process,Process Description,ಪ್ರಕ್ರಿಯೆಯ ವಿವರಣೆ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","ಅನ್ಪ್ಲೆಡ್ಜ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ, ಸಾಲದ ಭದ್ರತಾ ಮೌಲ್ಯವು ಮರುಪಾವತಿಸಿದ ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಾಗಿದೆ"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ಗ್ರಾಹಕ {0} ರಚಿಸಲಾಗಿದೆ.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ಪ್ರಸ್ತುತ ಯಾವುದೇ ವೇರಾಹೌಸ್‌ನಲ್ಲಿ ಸ್ಟಾಕ್ ಲಭ್ಯವಿಲ್ಲ
 ,Payment Period Based On Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕವನ್ನು ಆಧರಿಸಿ ಪಾವತಿ ಅವಧಿ
@@ -5364,7 +5434,7 @@
 DocType: Asset,Insurance Details,ವಿಮೆ ವಿವರಗಳು
 DocType: Account,Payable,ಕೊಡಬೇಕಾದ
 DocType: Share Balance,Share Type,ಹಂಚಿಕೊಳ್ಳಿ ಕೌಟುಂಬಿಕತೆ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,ದಯವಿಟ್ಟು ಮರುಪಾವತಿಯ ಅವಧಿಗಳು ನಮೂದಿಸಿ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,ದಯವಿಟ್ಟು ಮರುಪಾವತಿಯ ಅವಧಿಗಳು ನಮೂದಿಸಿ
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ಸಾಲಗಾರರು ({0})
 DocType: Pricing Rule,Margin,ಕರೆ
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,ಹೊಸ ಗ್ರಾಹಕರು
@@ -5373,6 +5443,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,ಪ್ರಮುಖ ಮೂಲಗಳಿಂದ ಅವಕಾಶಗಳು
 DocType: Appraisal Goal,Weightage (%),Weightage ( % )
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಅನ್ನು ಬದಲಾಯಿಸಿ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,ಸಾಲ ಭದ್ರತೆಗಾಗಿ ಕ್ಯೂಟಿ ಅಥವಾ ಮೊತ್ತವು ಮ್ಯಾಂಡಟ್ರಾಯ್ ಆಗಿದೆ
 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,Assessment Report,ಅಸೆಸ್ಮೆಂಟ್ ವರದಿ
@@ -5407,6 +5478,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ಲೆಡ್ಜರ್ ಹಂಚಿಕೊಳ್ಳಿ
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,ಮಾರಾಟ ಸರಕುಪಟ್ಟಿ {0} ರಚಿಸಲಾಗಿದೆ
 DocType: Employee,Confirmation Date,ದೃಢೀಕರಣ ದಿನಾಂಕ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ <a href=""#Form/Employee/{0}"">{0}</a> delete ಅನ್ನು ಅಳಿಸಿ"
 DocType: Inpatient Occupancy,Check Out,ಪರಿಶೀಲಿಸಿ
 DocType: C-Form,Total Invoiced Amount,ಒಟ್ಟು ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,ಮಿನ್ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ ಸಾಧ್ಯವಿಲ್ಲ
@@ -5419,7 +5492,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ಕ್ವಿಕ್ಬುಕ್ಸ್ ಕಂಪೆನಿ ಐಡಿ
 DocType: Travel Request,Travel Funding,ಪ್ರವಾಸ ಫಂಡಿಂಗ್
 DocType: Employee Skill,Proficiency,ಪ್ರಾವೀಣ್ಯತೆ
-DocType: Loan Application,Required by Date,ದಿನಾಂಕ ಅಗತ್ಯವಾದ
 DocType: Purchase Invoice Item,Purchase Receipt Detail,ರಶೀದಿ ವಿವರವನ್ನು ಖರೀದಿಸಿ
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ಬೆಳೆ ಬೆಳೆಯುತ್ತಿರುವ ಎಲ್ಲಾ ಸ್ಥಳಗಳಿಗೆ ಲಿಂಕ್
 DocType: Lead,Lead Owner,ಲೀಡ್ ಮಾಲೀಕ
@@ -5438,7 +5510,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,ಪ್ರಸ್ತುತ BOM ಮತ್ತು ಹೊಸ BOM ಇರಲಾಗುವುದಿಲ್ಲ
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ಸಂಬಳ ಸ್ಲಿಪ್ ಐಡಿ
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ನಿವೃತ್ತಿ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ಸರಬರಾಜುದಾರ&gt; ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,ಬಹು ರೂಪಾಂತರಗಳು
 DocType: Sales Invoice,Against Income Account,ಆದಾಯ ಖಾತೆ ವಿರುದ್ಧ
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ತಲುಪಿಸಲಾಗಿದೆ
@@ -5471,7 +5542,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,ಮೌಲ್ಯಾಂಕನ ರೀತಿಯ ಆರೋಪಗಳನ್ನು ಇನ್ಕ್ಲೂಸಿವ್ ಎಂದು ಗುರುತಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ
 DocType: POS Profile,Update Stock,ಸ್ಟಾಕ್ ನವೀಕರಿಸಲು
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,ಪಾವತಿ ವಿವರಗಳು
+DocType: Loan Repayment,Payment Details,ಪಾವತಿ ವಿವರಗಳು
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,ಬಿಒಎಮ್ ದರ
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,ಅಪ್‌ಲೋಡ್ ಮಾಡಿದ ಫೈಲ್ ಅನ್ನು ಓದುವುದು
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","ನಿಲ್ಲಿಸಿರುವ ಕೆಲಸ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸಲಾಗುವುದಿಲ್ಲ, ಅನ್ಸ್ಟಪ್ ಅದನ್ನು ಮೊದಲು ರದ್ದುಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ"
@@ -5505,6 +5576,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,ಗರಿಷ್ಠ ಸಾಲ ಮೌಲ್ಯ
 ,Stock Ledger,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್
 DocType: Company,Exchange Gain / Loss Account,ವಿನಿಮಯ ಗಳಿಕೆ / ನಷ್ಟ ಖಾತೆ
 DocType: Amazon MWS Settings,MWS Credentials,MWS ರುಜುವಾತುಗಳು
@@ -5613,7 +5685,6 @@
 DocType: Fee Schedule,Fee Schedule,ಶುಲ್ಕ ವೇಳಾಪಟ್ಟಿ
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,ಕಾಲಮ್ ಲೇಬಲ್‌ಗಳು:
 DocType: Bank Transaction,Settled,ನೆಲೆಸಿದೆ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,ಸಾಲ ಮರುಪಾವತಿ ಪ್ರಾರಂಭ ದಿನಾಂಕದ ನಂತರ ವಿತರಣಾ ದಿನಾಂಕ ಇರಬಾರದು
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,ಸೆಸ್
 DocType: Quality Feedback,Parameters,ನಿಯತಾಂಕಗಳು
 DocType: Company,Create Chart Of Accounts Based On,ಖಾತೆಗಳನ್ನು ಆಧರಿಸಿ ಚಾರ್ಟ್ ರಚಿಸಿ
@@ -5633,6 +5704,7 @@
 DocType: Customer,Credit Limit and Payment Terms,ಕ್ರೆಡಿಟ್ ಮಿತಿ ಮತ್ತು ಪಾವತಿ ನಿಯಮಗಳು
 DocType: Loyalty Program,Collection Rules,ಸಂಗ್ರಹ ನಿಯಮಗಳು
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,ಐಟಂ 3
+DocType: Loan Security Shortfall,Shortfall Time,ಕೊರತೆಯ ಸಮಯ
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ಆರ್ಡರ್ ಎಂಟ್ರಿ
 DocType: Purchase Order,Customer Contact Email,ಗ್ರಾಹಕ ಸಂಪರ್ಕ ಇಮೇಲ್
 DocType: Warranty Claim,Item and Warranty Details,ಐಟಂ ಮತ್ತು ಖಾತರಿ ವಿವರಗಳು
@@ -5652,12 +5724,14 @@
 DocType: Sales Person,Sales Person Name,ಮಾರಾಟಗಾರನ ಹೆಸರು
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಸರಕುಪಟ್ಟಿ ನಮೂದಿಸಿ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ಲ್ಯಾಬ್ ಪರೀಕ್ಷೆ ರಚಿಸಲಾಗಿಲ್ಲ
+DocType: Loan Security Shortfall,Security Value ,ಭದ್ರತಾ ಮೌಲ್ಯ
 DocType: POS Item Group,Item Group,ಐಟಂ ಗುಂಪು
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು:
 DocType: Depreciation Schedule,Finance Book Id,ಹಣಕಾಸು ಪುಸ್ತಕ ಐಡಿ
 DocType: Item,Safety Stock,ಸುರಕ್ಷತೆ ಸ್ಟಾಕ್
 DocType: Healthcare Settings,Healthcare Settings,ಆರೋಗ್ಯ ಸಂರಕ್ಷಣಾ ಸೆಟ್ಟಿಂಗ್ಗಳು
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,ಒಟ್ಟು ಹಂಚಲ್ಪಟ್ಟ ಎಲೆಗಳು
+DocType: Appointment Letter,Appointment Letter,ನೇಮಕಾತಿ ಪತ್ರ
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},ಗೆ {0}
@@ -5713,6 +5787,7 @@
 DocType: Stock Entry,From BOM,BOM ಗೆ
 DocType: Assessment Code,Assessment Code,ಅಸೆಸ್ಮೆಂಟ್ ಕೋಡ್
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ಮೂಲಭೂತ
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,ಗ್ರಾಹಕರು ಮತ್ತು ಉದ್ಯೋಗಿಗಳಿಂದ ಸಾಲ ಅರ್ಜಿಗಳು.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} ಮೊದಲು ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಘನೀಭವಿಸಿದ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',ವೇಳಾಪಟ್ಟಿ ' ' ರಚಿಸಿ 'ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ
 DocType: Job Card,Current Time,ಪ್ರಸ್ತುತ ಸಮಯ
@@ -5739,7 +5814,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,ಅನುದಾನ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳು ದಾಖಲಿಸಿದವರು.
 DocType: Purchase Invoice Item,Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ಮಾಸಿಕ ಮರುಪಾವತಿಯ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ಮಾಸಿಕ ಮರುಪಾವತಿಯ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,ಮೊದಲ Maintaince ವಿವರಗಳು ನಮೂದಿಸಿ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ಸಾಲು # {0}: ನಿರೀಕ್ಷಿತ ವಿತರಣಾ ದಿನಾಂಕವು ಖರೀದಿ ಆದೇಶ ದಿನಾಂಕಕ್ಕಿಂತ ಮುಂಚಿತವಾಗಿರುವುದಿಲ್ಲ
 DocType: Purchase Invoice,Print Language,ಮುದ್ರಣ ಭಾಷಾ
@@ -5752,6 +5827,7 @@
 DocType: Asset,Finance Books,ಹಣಕಾಸು ಪುಸ್ತಕಗಳು
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,ನೌಕರರ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಘೋಷಣೆಯ ವರ್ಗ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,ಎಲ್ಲಾ ಪ್ರಾಂತ್ಯಗಳು
+DocType: Plaid Settings,development,ಅಭಿವೃದ್ಧಿ
 DocType: Lost Reason Detail,Lost Reason Detail,ಕಳೆದುಹೋದ ಕಾರಣ ವಿವರ
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,ಉದ್ಯೋಗಿ / ಗ್ರೇಡ್ ದಾಖಲೆಯಲ್ಲಿ ಉದ್ಯೋಗಿ {0} ಗಾಗಿ ರಜೆ ನೀತಿಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,ಆಯ್ದ ಗ್ರಾಹಕ ಮತ್ತು ಐಟಂಗೆ ಅಮಾನ್ಯವಾದ ಬ್ಲ್ಯಾಂಕೆಟ್ ಆದೇಶ
@@ -5816,12 +5892,14 @@
 DocType: Staffing Plan Detail,Current Openings,ಪ್ರಸ್ತುತ ಓಪನಿಂಗ್ಸ್
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ಕಾರ್ಯಾಚರಣೆ ಕ್ಯಾಶ್ ಫ್ಲೋ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,ಸಿಜಿಎಸ್ಟಿ ಮೊತ್ತ
+DocType: Vehicle Log,Current Odometer value ,ಪ್ರಸ್ತುತ ಓಡೋಮೀಟರ್ ಮೌಲ್ಯ
 apps/erpnext/erpnext/utilities/activation.py,Create Student,ವಿದ್ಯಾರ್ಥಿಯನ್ನು ರಚಿಸಿ
 DocType: Asset Movement Item,Asset Movement Item,ಆಸ್ತಿ ಚಲನೆ ಐಟಂ
 DocType: Purchase Invoice,Shipping Rule,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್
 DocType: Patient Relation,Spouse,ಸಂಗಾತಿಯ
 DocType: Lab Test Groups,Add Test,ಪರೀಕ್ಷೆಯನ್ನು ಸೇರಿಸಿ
 DocType: Manufacturer,Limited to 12 characters,"12 ಪಾತ್ರಗಳು,"
+DocType: Appointment Letter,Closing Notes,ಮುಕ್ತಾಯ ಟಿಪ್ಪಣಿಗಳು
 DocType: Journal Entry,Print Heading,ಪ್ರಿಂಟ್ ಶಿರೋನಾಮೆ
 DocType: Quality Action Table,Quality Action Table,ಗುಣಮಟ್ಟದ ಆಕ್ಷನ್ ಟೇಬಲ್
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,ಒಟ್ಟು ಶೂನ್ಯ ಸಾಧ್ಯವಿಲ್ಲ
@@ -5888,6 +5966,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,ಮಾರಾಟದ ಸಾರಾಂಶ
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),ಒಟ್ಟು (ಆಮ್ಟ್)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,ಮನರಂಜನೆ ಮತ್ತು ವಿರಾಮ
+DocType: Loan Security,Loan Security,ಸಾಲ ಭದ್ರತೆ
 ,Item Variant Details,ಐಟಂ ರೂಪಾಂತರ ವಿವರಗಳು
 DocType: Quality Inspection,Item Serial No,ಐಟಂ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ
 DocType: Payment Request,Is a Subscription,ಚಂದಾದಾರಿಕೆಯಾಗಿದೆ
@@ -5900,7 +5979,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,ಇತ್ತೀಚಿನ ವಯಸ್ಸು
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,ನಿಗದಿತ ಮತ್ತು ಪ್ರವೇಶಿಸಿದ ದಿನಾಂಕಗಳು ಇಂದಿಗಿಂತ ಕಡಿಮೆಯಿರಬಾರದು
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ಸರಬರಾಜುದಾರರಿಗೆ ವಸ್ತು ವರ್ಗಾವಣೆ
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ಇಎಂಐ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ಹೊಸ ಸೀರಿಯಲ್ ನಂ ಗೋದಾಮಿನ ಸಾಧ್ಯವಿಲ್ಲ . ವೇರ್ಹೌಸ್ ಷೇರು ಖರೀದಿ ರಸೀತಿ ಎಂಟ್ರಿ ಅಥವಾ ಸೆಟ್ ಮಾಡಬೇಕು
 DocType: Lead,Lead Type,ಲೀಡ್ ಪ್ರಕಾರ
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,ಉದ್ಧರಣ ರಚಿಸಿ
@@ -5916,7 +5994,6 @@
 DocType: Leave Allocation,Leave Period,ಅವಧಿ ಬಿಡಿ
 DocType: Item,Default Material Request Type,ಡೀಫಾಲ್ಟ್ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪ್ರಕಾರ
 DocType: Supplier Scorecard,Evaluation Period,ಮೌಲ್ಯಮಾಪನ ಅವಧಿ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ಗ್ರಾಹಕ&gt; ಗ್ರಾಹಕ ಗುಂಪು&gt; ಪ್ರದೇಶ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ಅಜ್ಞಾತ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ಕೆಲಸದ ಆದೇಶವನ್ನು ರಚಿಸಲಾಗಿಲ್ಲ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6001,7 +6078,8 @@
 ,Customer-wise Item Price,ಗ್ರಾಹಕವಾರು ಐಟಂ ಬೆಲೆ
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,ಕ್ಯಾಶ್ ಫ್ಲೋ ಹೇಳಿಕೆ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ಯಾವುದೇ ವಸ್ತು ವಿನಂತಿಯು ರಚಿಸಲಾಗಿಲ್ಲ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ಸಾಲದ ಪ್ರಮಾಣ ಗರಿಷ್ಠ ಸಾಲದ ಪ್ರಮಾಣ ಮೀರುವಂತಿಲ್ಲ {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ಸಾಲದ ಪ್ರಮಾಣ ಗರಿಷ್ಠ ಸಾಲದ ಪ್ರಮಾಣ ಮೀರುವಂತಿಲ್ಲ {0}
+DocType: Loan,Loan Security Pledge,ಸಾಲ ಭದ್ರತಾ ಪ್ರತಿಜ್ಞೆ
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,ಪರವಾನಗಿ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,ನೀವು ಆದ್ದರಿಂದ ಈ ಹಿಂದಿನ ಆರ್ಥಿಕ ವರ್ಷದ ಬಾಕಿ ಈ ಆರ್ಥಿಕ ವರ್ಷ ಬಿಟ್ಟು ಸೇರಿವೆ ಬಯಸಿದರೆ ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಆಯ್ಕೆ ಮಾಡಿ
@@ -6019,6 +6097,7 @@
 DocType: Pricing Rule,Price Discount Scheme,ಬೆಲೆ ರಿಯಾಯಿತಿ ಯೋಜನೆ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,ನಿರ್ವಹಣೆ ಸ್ಥಿತಿಯನ್ನು ಸಲ್ಲಿಕೆಗೆ ರದ್ದುಪಡಿಸಬೇಕು ಅಥವಾ ಪೂರ್ಣಗೊಳಿಸಬೇಕು
 DocType: Amazon MWS Settings,US,ಯುಎಸ್
+DocType: Loan Security Pledge,Pledged,ವಾಗ್ದಾನ
 DocType: Holiday List,Add Weekly Holidays,ಸಾಪ್ತಾಹಿಕ ರಜಾದಿನಗಳನ್ನು ಸೇರಿಸಿ
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,ಐಟಂ ವರದಿ ಮಾಡಿ
 DocType: Staffing Plan Detail,Vacancies,ಹುದ್ದೆಯ
@@ -6036,7 +6115,6 @@
 DocType: Production Plan Item,Planned Start Date,ಯೋಜನೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,ದಯವಿಟ್ಟು BOM ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ಐಟಿಸಿ ಸಮಗ್ರ ತೆರಿಗೆ ಪಡೆದುಕೊಂಡಿದೆ
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,ಮರುಪಾವತಿ ನಮೂದನ್ನು ರಚಿಸಿ
 DocType: Purchase Order Item,Blanket Order Rate,ಬ್ಲ್ಯಾಂಕೆಟ್ ಆರ್ಡರ್ ದರ
 ,Customer Ledger Summary,ಗ್ರಾಹಕ ಲೆಡ್ಜರ್ ಸಾರಾಂಶ
 apps/erpnext/erpnext/hooks.py,Certification,ಪ್ರಮಾಣೀಕರಣ
@@ -6057,6 +6135,7 @@
 DocType: Appraisal Template,Appraisal Template Title,ಅಪ್ರೇಸಲ್ ಟೆಂಪ್ಲೇಟು ಶೀರ್ಷಿಕೆ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ವ್ಯಾಪಾರದ
 DocType: Patient,Alcohol Current Use,ಆಲ್ಕೋಹಾಲ್ ಪ್ರಸ್ತುತ ಬಳಕೆ
+DocType: Loan,Loan Closure Requested,ಸಾಲ ಮುಚ್ಚುವಿಕೆ ವಿನಂತಿಸಲಾಗಿದೆ
 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,ತೆರಿಗೆ ವಿನಾಯಿತಿ ವರ್ಗ
@@ -6080,6 +6159,7 @@
 DocType: Opening Invoice Creation Tool,Sales,ಮಾರಾಟದ
 DocType: Stock Entry Detail,Basic Amount,ಬೇಸಿಕ್ ಪ್ರಮಾಣ
 DocType: Training Event,Exam,ಪರೀಕ್ಷೆ
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,ಪ್ರಕ್ರಿಯೆ ಸಾಲ ಭದ್ರತಾ ಕೊರತೆ
 DocType: Email Campaign,Email Campaign,ಇಮೇಲ್ ಪ್ರಚಾರ
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,ಮಾರ್ಕೆಟ್ಪ್ಲೇಸ್ ದೋಷ
 DocType: Complaint,Complaint,ದೂರು
@@ -6183,6 +6263,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,ಉಪಯೋಗಿಸಿದ ಎಲೆಗಳು
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,ವಸ್ತು ವಿನಂತಿಯನ್ನು ಸಲ್ಲಿಸಲು ನೀವು ಬಯಸುವಿರಾ
 DocType: Job Offer,Awaiting Response,ಪ್ರತಿಕ್ರಿಯೆ ಕಾಯುತ್ತಿದ್ದ
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,ಸಾಲ ಕಡ್ಡಾಯ
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH -YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,ಮೇಲೆ
 DocType: Support Search Source,Link Options,ಲಿಂಕ್ ಆಯ್ಕೆಗಳು
@@ -6195,6 +6276,7 @@
 DocType: Training Event Employee,Optional,ಐಚ್ಛಿಕ
 DocType: Salary Slip,Earning & Deduction,ದುಡಿಯುತ್ತಿದ್ದ & ಡಿಡಕ್ಷನ್
 DocType: Agriculture Analysis Criteria,Water Analysis,ನೀರಿನ ವಿಶ್ಲೇಷಣೆ
+DocType: Pledge,Post Haircut Amount,ಕ್ಷೌರ ಮೊತ್ತವನ್ನು ಪೋಸ್ಟ್ ಮಾಡಿ
 DocType: Sales Order,Skip Delivery Note,ವಿತರಣಾ ಟಿಪ್ಪಣಿ ಬಿಟ್ಟುಬಿಡಿ
 DocType: Price List,Price Not UOM Dependent,ಬೆಲೆ UOM ಅವಲಂಬಿತವಲ್ಲ
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} ರೂಪಾಂತರಗಳು ರಚಿಸಲಾಗಿದೆ.
@@ -6221,6 +6303,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,ಉತ್ಪನ್ನ ಬಂಡಲ್ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,ಟರ್ಮ್ ಸಾಲಗಳಿಗೆ ಮರುಪಾವತಿ ವಿಧಾನ ಕಡ್ಡಾಯವಾಗಿದೆ
 DocType: Asset,Straight Line,ಸರಳ ರೇಖೆ
 DocType: Project User,Project User,ಪ್ರಾಜೆಕ್ಟ್ ಬಳಕೆದಾರ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,ಒಡೆದ
@@ -6269,7 +6352,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ಪಾತ್ರವನ್ನು ಘನೀಕೃತ ಖಾತೆಗಳು & ಸಂಪಾದಿಸಿ ಘನೀಕೃತ ನಮೂದುಗಳು ಹೊಂದಿಸಲು ಅನುಮತಿಸಲಾದ
 DocType: Supplier Scorecard Scoring Variable,Path,ಪಾಥ್
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ಆಲ್ಡ್ವಿಚ್ childNodes ಲೆಡ್ಜರ್ ಒಂದು ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಪರಿವರ್ತಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ಐಟಂಗೆ UOM ಪರಿವರ್ತನೆ ಅಂಶ ({0} -&gt; {1}) ಕಂಡುಬಂದಿಲ್ಲ: {2}
 DocType: Production Plan,Total Planned Qty,ಒಟ್ಟು ಯೋಜನೆ ಕ್ಯೂಟಿ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ವಹಿವಾಟುಗಳನ್ನು ಈಗಾಗಲೇ ಹೇಳಿಕೆಯಿಂದ ಹಿಂಪಡೆಯಲಾಗಿದೆ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ಆರಂಭಿಕ ಮೌಲ್ಯ
@@ -6277,11 +6359,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,ಸರಣಿ #
 DocType: Material Request Plan Item,Required Quantity,ಅಗತ್ಯವಿರುವ ಪ್ರಮಾಣ
 DocType: Lab Test Template,Lab Test Template,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟು
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ಸರಬರಾಜುದಾರ&gt; ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,ಮಾರಾಟದ ಖಾತೆ
 DocType: Purchase Invoice Item,Total Weight,ಒಟ್ಟು ತೂಕ
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ <a href=""#Form/Employee/{0}"">{0}</a> delete ಅನ್ನು ಅಳಿಸಿ"
 DocType: Pick List Item,Pick List Item,ಪಟ್ಟಿ ಐಟಂ ಆರಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,ಮಾರಾಟದ ಮೇಲೆ ಕಮಿಷನ್
 DocType: Job Offer Term,Value / Description,ಮೌಲ್ಯ / ವಿವರಣೆ
@@ -6327,6 +6406,7 @@
 DocType: Patient Encounter,Encounter Date,ಎನ್ಕೌಂಟರ್ ದಿನಾಂಕ
 DocType: Work Order,Update Consumed Material Cost In Project,ಯೋಜನೆಯಲ್ಲಿ ಸೇವಿಸಿದ ವಸ್ತು ವೆಚ್ಚವನ್ನು ನವೀಕರಿಸಿ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ಖಾತೆ: {0} ಕರೆನ್ಸಿಗೆ: {1} ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ಗ್ರಾಹಕರು ಮತ್ತು ಉದ್ಯೋಗಿಗಳಿಗೆ ಸಾಲ ಒದಗಿಸಲಾಗಿದೆ.
 DocType: Bank Statement Transaction Settings Item,Bank Data,ಬ್ಯಾಂಕ್ ಡೇಟಾ
 DocType: Purchase Receipt Item,Sample Quantity,ಮಾದರಿ ಪ್ರಮಾಣ
 DocType: Bank Guarantee,Name of Beneficiary,ಫಲಾನುಭವಿಯ ಹೆಸರು
@@ -6394,7 +6474,6 @@
 DocType: Contract,Signed On,ಸೈನ್ ಇನ್ ಮಾಡಲಾಗಿದೆ
 DocType: Bank Account,Party Type,ಪಕ್ಷದ ಪ್ರಕಾರ
 DocType: Discounted Invoice,Discounted Invoice,ರಿಯಾಯಿತಿ ಸರಕುಪಟ್ಟಿ
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ <b></b>
 DocType: Payment Schedule,Payment Schedule,ಪಾವತಿ ವೇಳಾಪಟ್ಟಿ
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ನೀಡಿರುವ ಉದ್ಯೋಗಿ ಕ್ಷೇತ್ರ ಮೌಲ್ಯಕ್ಕೆ ಯಾವುದೇ ಉದ್ಯೋಗಿ ಕಂಡುಬಂದಿಲ್ಲ. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,ಸಂಕ್ಷೇಪಣ
@@ -6488,7 +6567,6 @@
 DocType: Purchase Order,To Receive,ಪಡೆಯಲು
 DocType: Leave Period,Holiday List for Optional Leave,ಐಚ್ಛಿಕ ಬಿಡಿಗಾಗಿ ಹಾಲಿಡೇ ಪಟ್ಟಿ
 DocType: Item Tax Template,Tax Rates,ತೆರಿಗೆ ದರಗಳು
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ಐಟಂ ಕೋಡ್&gt; ಐಟಂ ಗುಂಪು&gt; ಬ್ರಾಂಡ್
 DocType: Asset,Asset Owner,ಆಸ್ತಿ ಮಾಲೀಕ
 DocType: Item,Website Content,ವೆಬ್‌ಸೈಟ್ ವಿಷಯ
 DocType: Bank Account,Integration ID,ಇಂಟಿಗ್ರೇಷನ್ ಐಡಿ
@@ -6532,6 +6610,7 @@
 DocType: Customer,Mention if non-standard receivable account,ಬಗ್ಗೆ ಸ್ಟಾಂಡರ್ಡ್ ಅಲ್ಲದ ಸ್ವೀಕೃತಿ ಖಾತೆಯನ್ನು ವೇಳೆ
 DocType: Bank,Plaid Access Token,ಪ್ಲೈಡ್ ಪ್ರವೇಶ ಟೋಕನ್
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಯಾವುದೇ ಘಟಕಕ್ಕೆ ದಯವಿಟ್ಟು ಉಳಿದ ಪ್ರಯೋಜನಗಳನ್ನು {0} ಸೇರಿಸಿ
+DocType: Bank Account,Is Default Account,ಡೀಫಾಲ್ಟ್ ಖಾತೆ
 DocType: Journal Entry Account,If Income or Expense,ವೇಳೆ ಆದಾಯ ಅಥವಾ ಖರ್ಚು
 DocType: Course Topic,Course Topic,ಕೋರ್ಸ್ ವಿಷಯ
 DocType: Bank Statement Transaction Entry,Matching Invoices,ಹೊಂದಾಣಿಕೆ ಇನ್ವಾಯ್ಸ್ಗಳು
@@ -6543,7 +6622,7 @@
 DocType: Disease,Treatment Task,ಟ್ರೀಟ್ಮೆಂಟ್ ಟಾಸ್ಕ್
 DocType: Payment Order Reference,Bank Account Details,ಬ್ಯಾಂಕ್ ಖಾತೆ ವಿವರಗಳು
 DocType: Purchase Order Item,Blanket Order,ಬ್ಲ್ಯಾಂಕೆಟ್ ಆರ್ಡರ್
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ಮರುಪಾವತಿ ಮೊತ್ತವು ಹೆಚ್ಚಿರಬೇಕು
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ಮರುಪಾವತಿ ಮೊತ್ತವು ಹೆಚ್ಚಿರಬೇಕು
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ತೆರಿಗೆ ಸ್ವತ್ತುಗಳು
 DocType: BOM Item,BOM No,ಯಾವುದೇ BOM
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ವಿವರಗಳನ್ನು ನವೀಕರಿಸಿ
@@ -6599,6 +6678,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce ಉತ್ಪನ್ನಗಳು
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},ಸೂತ್ರ ಅಥವಾ ಸ್ಥಿತಿಯಲ್ಲಿ ಸಿಂಟ್ಯಾಕ್ಸ್ ದೋಷ: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,ಇದು ಒಂದು ಸ್ಟಾಕ್ ಐಟಂ ಕಾರಣ ಐಟಂ {0} ಕಡೆಗಣಿಸಲಾಗುತ್ತದೆ
+,Loan Security Status,ಸಾಲ ಭದ್ರತಾ ಸ್ಥಿತಿ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ಒಂದು ನಿರ್ಧಿಷ್ಟ ವ್ಯವಹಾರಕ್ಕೆ ಬೆಲೆ ನಿಯಮ ಅನ್ವಯಿಸುವುದಿಲ್ಲ, ಎಲ್ಲಾ ಅನ್ವಯಿಸುವ ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ ಮಾಡಬೇಕು."
 DocType: Payment Term,Day(s) after the end of the invoice month,ಸರಕುಪಟ್ಟಿ ತಿಂಗಳ ನಂತರ ದಿನದ (ರು)
 DocType: Assessment Group,Parent Assessment Group,ಪೋಷಕ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು
@@ -6613,7 +6693,6 @@
 DocType: Stock Entry Detail,Additional Cost,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ಚೀಟಿ ಮೂಲಕ ವರ್ಗೀಕರಿಸಲಾಗಿದೆ ವೇಳೆ , ಚೀಟಿ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ"
 DocType: Quality Inspection,Incoming,ಒಳಬರುವ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ಸೆಟಪ್&gt; ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ಮಾರಾಟ ಮತ್ತು ಖರೀದಿಯ ಡೀಫಾಲ್ಟ್ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ ದಾಖಲೆ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ಉದಾಹರಣೆ: ಎಬಿಸಿಡಿ #####. ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿದ್ದರೆ ಮತ್ತು ವ್ಯವಹಾರದಲ್ಲಿ ಬ್ಯಾಚ್ ನನ್ನು ಉಲ್ಲೇಖಿಸದಿದ್ದರೆ, ಈ ಸರಣಿಯ ಆಧಾರದ ಮೇಲೆ ಸ್ವಯಂಚಾಲಿತ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆಯನ್ನು ರಚಿಸಲಾಗುತ್ತದೆ. ಈ ಐಟಂಗಾಗಿ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಅನ್ನು ಸ್ಪಷ್ಟವಾಗಿ ನಮೂದಿಸಲು ನೀವು ಯಾವಾಗಲೂ ಬಯಸಿದರೆ, ಇದನ್ನು ಖಾಲಿ ಬಿಡಿ. ಗಮನಿಸಿ: ಈ ಸೆಟ್ಟಿಂಗ್ ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಹೆಸರಿಸುವ ಸರಣಿ ಪೂರ್ವಪ್ರತ್ಯಯದ ಮೇಲೆ ಪ್ರಾಶಸ್ತ್ಯ ತೆಗೆದುಕೊಳ್ಳುತ್ತದೆ."
@@ -6623,8 +6702,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,ವಿಮರ್ಶೆಯನ್ನು ಸಲ್ಲಿಸಿ
 DocType: Contract,Party User,ಪಾರ್ಟಿ ಬಳಕೆದಾರ
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',ಕಂಪನಿ ಖಾಲಿ ಫಿಲ್ಟರ್ ಸೆಟ್ ದಯವಿಟ್ಟು ಗುಂಪಿನ ಕಂಪೆನಿ &#39;ಆಗಿದೆ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ಗ್ರಾಹಕ&gt; ಗ್ರಾಹಕ ಗುಂಪು&gt; ಪ್ರದೇಶ
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮುಂದಿನ ದಿನಾಂಕದಂದು ಸಾಧ್ಯವಿಲ್ಲ
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ರೋ # {0}: ಸೀರಿಯಲ್ ಯಾವುದೇ {1} ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ {2} {3}
+DocType: Loan Repayment,Interest Payable,ಪಾವತಿಸಬೇಕಾದ ಬಡ್ಡಿ
 DocType: Stock Entry,Target Warehouse Address,ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್ ವಿಳಾಸ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ರಜೆ
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ಶಿಫ್ಟ್ ಪ್ರಾರಂಭದ ಸಮಯದ ಮೊದಲು ನೌಕರರ ಚೆಕ್-ಇನ್ ಅನ್ನು ಹಾಜರಾತಿಗಾಗಿ ಪರಿಗಣಿಸಲಾಗುತ್ತದೆ.
@@ -6750,6 +6831,7 @@
 DocType: Issue,Reset Service Level Agreement,ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದವನ್ನು ಮರುಹೊಂದಿಸಿ
 ,Sales Person-wise Transaction Summary,ಮಾರಾಟಗಾರನ ಬಲ್ಲ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸಾರಾಂಶ
 DocType: Training Event,Contact Number,ಸಂಪರ್ಕ ಸಂಖ್ಯೆ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,ಸಾಲದ ಮೊತ್ತ ಕಡ್ಡಾಯ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ವೇರ್ಹೌಸ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
 DocType: Cashier Closing,Custody,ಪಾಲನೆ
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ನೌಕರರ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಪ್ರೂಫ್ ಸಲ್ಲಿಕೆ ವಿವರ
@@ -6796,6 +6878,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ಬ್ಯಾಲೆನ್ಸ್ ಪ್ರಮಾಣ
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,ಸಂಯೋಜಿತ ಎಲ್ಲಾ ಆಯ್ದ ಐಟಂಗಳ ಮೇಲೆ ಷರತ್ತುಗಳನ್ನು ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,ಗುರಿಗಳು ಖಾಲಿ ಇರುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,ತಪ್ಪಾದ ಗೋದಾಮು
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,ವಿದ್ಯಾರ್ಥಿಗಳನ್ನು ದಾಖಲಿಸಲಾಗುತ್ತಿದೆ
 DocType: Item Group,Parent Item Group,ಪೋಷಕ ಐಟಂ ಗುಂಪು
 DocType: Appointment Type,Appointment Type,ನೇಮಕಾತಿ ಪ್ರಕಾರ
@@ -6851,10 +6934,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ಸರಾಸರಿ ದರ
 DocType: Appointment,Appointment With,ಜೊತೆ ನೇಮಕಾತಿ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಗಳಲ್ಲಿ ಒಟ್ಟು ಪಾವತಿ ಮೊತ್ತವು ಗ್ರ್ಯಾಂಡ್ / ದುಂಡಾದ ಒಟ್ಟು ಮೊತ್ತಕ್ಕೆ ಸಮನಾಗಿರಬೇಕು
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;ಗ್ರಾಹಕ ಒದಗಿಸಿದ ಐಟಂ&quot; ಮೌಲ್ಯಮಾಪನ ದರವನ್ನು ಹೊಂದಿರಬಾರದು
 DocType: Subscription Plan Detail,Plan,ಯೋಜನೆ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,ಜನರಲ್ ಲೆಡ್ಜರ್ ಪ್ರಕಾರ ಬ್ಯಾಂಕ್ ಹೇಳಿಕೆ ಸಮತೋಲನ
-DocType: Job Applicant,Applicant Name,ಅರ್ಜಿದಾರರ ಹೆಸರು
+DocType: Appointment Letter,Applicant Name,ಅರ್ಜಿದಾರರ ಹೆಸರು
 DocType: Authorization Rule,Customer / Item Name,ಗ್ರಾಹಕ / ಐಟಂ ಹೆಸರು
 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**. 
 
@@ -6898,11 +6982,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಪ್ರವೇಶ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ .
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ಹಂಚುವುದು
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,ಈ ಕೆಳಗಿನ ಉದ್ಯೋಗಿಗಳು ಪ್ರಸ್ತುತ ಈ ಉದ್ಯೋಗಿಗೆ ವರದಿ ಮಾಡುತ್ತಿರುವುದರಿಂದ ನೌಕರರ ಸ್ಥಿತಿಯನ್ನು &#39;ಎಡ&#39;ಕ್ಕೆ ಹೊಂದಿಸಲಾಗುವುದಿಲ್ಲ:
-DocType: Journal Entry Account,Loan,ಸಾಲ
+DocType: Loan Repayment,Amount Paid,ಮೊತ್ತವನ್ನು
+DocType: Loan Security Shortfall,Loan,ಸಾಲ
 DocType: Expense Claim Advance,Expense Claim Advance,ಖರ್ಚು ಹಕ್ಕು ಅಡ್ವಾನ್ಸ್
 DocType: Lab Test,Report Preference,ವರದಿ ಆದ್ಯತೆ
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ಸ್ವಯಂಸೇವಕ ಮಾಹಿತಿ.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,ಪ್ರಾಜೆಕ್ಟ್ ಮ್ಯಾನೇಜರ್
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,ಗ್ರಾಹಕರಿಂದ ಗುಂಪು
 ,Quoted Item Comparison,ಉಲ್ಲೇಖಿಸಿದ ಐಟಂ ಹೋಲಿಕೆ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} ಮತ್ತು {1} ನಡುವಿನ ಅಂಕದಲ್ಲಿ ಅತಿಕ್ರಮಿಸುವಿಕೆ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,ರವಾನಿಸು
@@ -6921,6 +7007,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","ಮಾಸ್ಟರ್ ಡಾಟಾ ಸಿಂಕ್, ಇದು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು"
 DocType: Material Request Plan Item,Material Issue,ಮೆಟೀರಿಯಲ್ ಸಂಚಿಕೆ
 DocType: Employee Education,Qualification,ಅರ್ಹತೆ
+DocType: Loan Security Shortfall,Loan Security Shortfall,ಸಾಲ ಭದ್ರತಾ ಕೊರತೆ
 DocType: Item Price,Item Price,ಐಟಂ ಬೆಲೆ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,ಸಾಬೂನು ಹಾಗೂ ಮಾರ್ಜಕ
 DocType: BOM,Show Items,ಐಟಂಗಳನ್ನು ತೋರಿಸಿ
@@ -6941,13 +7028,13 @@
 DocType: Appointment Booking Settings,Appointment Details,ನೇಮಕಾತಿ ವಿವರಗಳು
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ಉತ್ಪನ್ನ ಮುಗಿದಿದೆ
 DocType: Warehouse,Warehouse Name,ವೇರ್ಹೌಸ್ ಹೆಸರು
+DocType: Loan Security Pledge,Pledge Time,ಪ್ರತಿಜ್ಞೆ ಸಮಯ
 DocType: Naming Series,Select Transaction,ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಆಯ್ಕೆ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ಪಾತ್ರ ಅನುಮೋದಿಸಲಾಗುತ್ತಿದೆ ಅಥವಾ ಬಳಕೆದಾರ ಅನುಮೋದಿಸಲಾಗುತ್ತಿದೆ ನಮೂದಿಸಿ
 DocType: Journal Entry,Write Off Entry,ಎಂಟ್ರಿ ಆಫ್ ಬರೆಯಿರಿ
 DocType: BOM,Rate Of Materials Based On,ಮೆಟೀರಿಯಲ್ಸ್ ಆಧರಿಸಿದ ದರ
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ಸಕ್ರಿಯಗೊಳಿಸಿದಲ್ಲಿ, ಫೀಲ್ಡ್ ಅಕಾಡೆಮಿಕ್ ಟರ್ಮ್ ಪ್ರೋಗ್ರಾಂ ದಾಖಲಾತಿ ಪರಿಕರದಲ್ಲಿ ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","ವಿನಾಯಿತಿ, ನಿಲ್ ರೇಟ್ ಮತ್ತು ಜಿಎಸ್ಟಿ ಅಲ್ಲದ ಆಂತರಿಕ ಸರಬರಾಜುಗಳ ಮೌಲ್ಯಗಳು"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ಗ್ರಾಹಕ&gt; ಗ್ರಾಹಕ ಗುಂಪು&gt; ಪ್ರದೇಶ
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ಕಂಪನಿ</b> ಕಡ್ಡಾಯ ಫಿಲ್ಟರ್ ಆಗಿದೆ.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ಎಲ್ಲವನ್ನೂ
 DocType: Purchase Taxes and Charges,On Item Quantity,ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ
@@ -6993,7 +7080,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ಕೊರತೆ ಪ್ರಮಾಣ
 DocType: Purchase Invoice,Input Service Distributor,ಇನ್ಪುಟ್ ಸೇವಾ ವಿತರಕ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,ಶಿಕ್ಷಣ&gt; ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ
 DocType: Loan,Repay from Salary,ಸಂಬಳದಿಂದ ಬಂದ ಮರುಪಾವತಿ
 DocType: Exotel Settings,API Token,API ಟೋಕನ್
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ವಿರುದ್ಧ ಪಾವತಿ ಮನವಿ {0} {1} ಪ್ರಮಾಣದ {2}
@@ -7012,6 +7098,7 @@
 DocType: Salary Slip,Total Interest Amount,ಒಟ್ಟು ಬಡ್ಡಿ ಮೊತ್ತ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: BOM,Manage cost of operations,ಕಾರ್ಯಾಚರಣೆಗಳ ನಿರ್ವಹಣೆ ವೆಚ್ಚ
+DocType: Unpledge,Unpledge,ಅನ್ಪ್ಲೆಡ್ಜ್
 DocType: Accounts Settings,Stale Days,ಸ್ಟಾಲ್ ಡೇಸ್
 DocType: Travel Itinerary,Arrival Datetime,ಆಗಮನದ ದಿನಾಂಕ
 DocType: Tax Rule,Billing Zipcode,ಬಿಲ್ಲಿಂಗ್ ಜಿಪ್ಕೋಡ್
@@ -7193,6 +7280,7 @@
 DocType: Employee Transfer,Employee Transfer,ಉದ್ಯೋಗಿ ವರ್ಗಾವಣೆ
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ಅವರ್ಸ್
 DocType: Project,Expected Start Date,ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ
+DocType: Work Order,This is a location where raw materials are available.,ಇದು ಕಚ್ಚಾ ವಸ್ತುಗಳು ಲಭ್ಯವಿರುವ ಸ್ಥಳವಾಗಿದೆ.
 DocType: Purchase Invoice,04-Correction in Invoice,04-ಇನ್ವಾಯ್ಸ್ನಲ್ಲಿ ತಿದ್ದುಪಡಿ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,ಬೊಮ್ನೊಂದಿಗೆ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಕೆಲಸದ ಆದೇಶವನ್ನು ರಚಿಸಲಾಗಿದೆ
 DocType: Bank Account,Party Details,ಪಕ್ಷದ ವಿವರಗಳು
@@ -7211,6 +7299,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,ಉಲ್ಲೇಖಗಳು:
 DocType: Contract,Partially Fulfilled,ಭಾಗಶಃ ಪೂರ್ಣಗೊಂಡಿದೆ
 DocType: Maintenance Visit,Fully Completed,ಸಂಪೂರ್ಣವಾಗಿ
+DocType: Loan Security,Loan Security Name,ಸಾಲ ಭದ್ರತಾ ಹೆಸರು
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; ಮತ್ತು &quot;}&quot; ಹೊರತುಪಡಿಸಿ ವಿಶೇಷ ಅಕ್ಷರಗಳನ್ನು ಹೆಸರಿಸುವ ಸರಣಿಯಲ್ಲಿ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ"
 DocType: Purchase Invoice Item,Is nil rated or exempted,ನಿಲ್ ರೇಟ್ ಮಾಡಲಾಗಿದೆ ಅಥವಾ ವಿನಾಯಿತಿ ನೀಡಲಾಗಿದೆ
 DocType: Employee,Educational Qualification,ಶೈಕ್ಷಣಿಕ ಅರ್ಹತೆ
@@ -7268,6 +7357,7 @@
 DocType: Program,Is Featured,ವೈಶಿಷ್ಟ್ಯಗೊಂಡಿದೆ
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ಪಡೆಯಲಾಗುತ್ತಿದೆ ...
 DocType: Agriculture Analysis Criteria,Agriculture User,ವ್ಯವಸಾಯ ಬಳಕೆದಾರ
+DocType: Loan Security Shortfall,America/New_York,ಅಮೇರಿಕಾ / ನ್ಯೂಯಾರ್ಕ್_ಯಾರ್ಕ್
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,ದಿನಾಂಕದಂದು ಮಾನ್ಯವಾಗಿರುವುದು ವ್ಯವಹಾರದ ದಿನಾಂಕದ ಮೊದಲು ಇರುವಂತಿಲ್ಲ
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,ವಿದ್ಯಾರ್ಥಿ ವರ್ಗ
@@ -7344,8 +7434,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,ನೀವು ಫ್ರೋಜನ್ ಮೌಲ್ಯವನ್ನು ಅಧಿಕಾರ
 DocType: Payment Reconciliation,Get Unreconciled Entries,ರಾಜಿಯಾಗದ ನಮೂದುಗಳು ಪಡೆಯಿರಿ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ಉದ್ಯೋಗಿ {0} ಬಿಟ್ಟುಹೋಗಿದೆ {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿಗಾಗಿ ಯಾವುದೇ ಮರುಪಾವತಿಗಳನ್ನು ಆಯ್ಕೆ ಮಾಡಲಾಗಿಲ್ಲ
 DocType: Purchase Invoice,GST Category,ಜಿಎಸ್ಟಿ ವರ್ಗ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,ಸುರಕ್ಷಿತ ಸಾಲಗಳಿಗೆ ಪ್ರಸ್ತಾವಿತ ಪ್ರತಿಜ್ಞೆಗಳು ಕಡ್ಡಾಯವಾಗಿದೆ
 DocType: Payment Reconciliation,From Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಗೆ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,ಬಜೆಟ್
 DocType: Invoice Discounting,Disbursed,ವಿತರಿಸಲಾಗಿದೆ
@@ -7400,14 +7490,13 @@
 DocType: Restaurant,Active Menu,ಸಕ್ರಿಯ ಮೆನು
 DocType: Accounting Dimension Detail,Default Dimension,ಡೀಫಾಲ್ಟ್ ಆಯಾಮ
 DocType: Target Detail,Target Qty,ಟಾರ್ಗೆಟ್ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},ಸಾಲಕ್ಕೆ ವಿರುದ್ಧವಾಗಿ: {0}
 DocType: Shopping Cart Settings,Checkout Settings,ಚೆಕ್ಔಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
 DocType: Student Attendance,Present,ಪ್ರೆಸೆಂಟ್
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ಡೆಲಿವರಿ ಗಮನಿಸಿ {0} ಸಲ್ಲಿಸಿದ ಮಾಡಬಾರದು
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","ಉದ್ಯೋಗಿಗೆ ಇಮೇಲ್ ಮಾಡಿದ ಸಂಬಳ ಸ್ಲಿಪ್ ಪಾಸ್ವರ್ಡ್ ರಕ್ಷಿತವಾಗಿರುತ್ತದೆ, ಪಾಸ್ವರ್ಡ್ ನೀತಿಯ ಆಧಾರದ ಮೇಲೆ ಪಾಸ್ವರ್ಡ್ ಅನ್ನು ರಚಿಸಲಾಗುತ್ತದೆ."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,ಖಾತೆ {0} ಮುಚ್ಚುವ ರೀತಿಯ ಹೊಣೆಗಾರಿಕೆ / ಇಕ್ವಿಟಿ ಇರಬೇಕು
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಸಮಯ ಹಾಳೆ ದಾಖಲಿಸಿದವರು {1}
-DocType: Vehicle Log,Odometer,ದೂರಮಾಪಕ
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,ದೂರಮಾಪಕ
 DocType: Production Plan Item,Ordered Qty,ಪ್ರಮಾಣ ಆದೇಶ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
 DocType: Stock Settings,Stock Frozen Upto,ಸ್ಟಾಕ್ ಘನೀಕೃತ ವರೆಗೆ
@@ -7462,7 +7551,6 @@
 DocType: Serial No,Delivery Document Type,ಡೆಲಿವರಿ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ
 DocType: Sales Order,Partly Delivered,ಭಾಗಶಃ ತಲುಪಿಸಲಾಗಿದೆ
 DocType: Item Variant Settings,Do not update variants on save,ಉಳಿಸಲು ರೂಪಾಂತರಗಳನ್ನು ಅಪ್ಡೇಟ್ ಮಾಡಬೇಡಿ
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ಕಸ್ಟಮರ್ ಗುಂಪು
 DocType: Email Digest,Receivables,ಕರಾರು
 DocType: Lead Source,Lead Source,ಲೀಡ್ ಮೂಲ
 DocType: Customer,Additional information regarding the customer.,ಗ್ರಾಹಕ ಬಗ್ಗೆ ಹೆಚ್ಚುವರಿ ಮಾಹಿತಿಯನ್ನು.
@@ -7558,6 +7646,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ವಾಸ್ತವಿಕ
 DocType: Appointment,Skype ID,ಸ್ಕೈಪ್ ಐಡಿ
 DocType: Restaurant Menu,Restaurant Manager,ರೆಸ್ಟೋರೆಂಟ್ ಮ್ಯಾನೇಜರ್
+DocType: Loan,Penalty Income Account,ದಂಡ ಆದಾಯ ಖಾತೆ
 DocType: Call Log,Call Log,ಕರೆ ಲಾಗ್
 DocType: Authorization Rule,Customerwise Discount,Customerwise ಡಿಸ್ಕೌಂಟ್
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,ಕಾರ್ಯಗಳಿಗಾಗಿ timesheet.
@@ -7643,6 +7732,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,ಉತ್ಪನ್ನ ರಿಯಾಯಿತಿ ಯೋಜನೆ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,ಕರೆ ಮಾಡಿದವರು ಯಾವುದೇ ಸಮಸ್ಯೆಯನ್ನು ಎತ್ತಿಲ್ಲ.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,ಪೂರೈಕೆದಾರರಿಂದ ಗುಂಪು
 DocType: Restaurant Reservation,Waitlisted,ನಿರೀಕ್ಷಿತ ಪಟ್ಟಿ
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ವಿನಾಯಿತಿ ವರ್ಗ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ಕರೆನ್ಸಿ ಕೆಲವು ಇತರ ಕರೆನ್ಸಿ ಬಳಸಿಕೊಂಡು ನಮೂದುಗಳನ್ನು ಮಾಡಿದ ನಂತರ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ
@@ -7653,7 +7743,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,ಕನ್ಸಲ್ಟಿಂಗ್
 DocType: Subscription Plan,Based on price list,ಬೆಲೆ ಪಟ್ಟಿ ಆಧರಿಸಿ
 DocType: Customer Group,Parent Customer Group,ಪೋಷಕ ಗ್ರಾಹಕ ಗುಂಪಿನ
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ಇ-ವೇ ಬಿಲ್ JSON ಅನ್ನು ಮಾರಾಟ ಸರಕುಪಟ್ಟಿಗಳಿಂದ ಮಾತ್ರ ಉತ್ಪಾದಿಸಬಹುದು
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ಈ ರಸಪ್ರಶ್ನೆಗಾಗಿ ಗರಿಷ್ಠ ಪ್ರಯತ್ನಗಳು ತಲುಪಿದೆ!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ಚಂದಾದಾರಿಕೆ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ಶುಲ್ಕ ಸೃಷ್ಟಿ ಬಾಕಿ ಉಳಿದಿದೆ
@@ -7670,6 +7759,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,ತಡೆಗಟ್ಟುವ ನಿರ್ವಹಣೆ
 DocType: Delivery Note Item,Against Sales Invoice,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ
 DocType: Purchase Invoice,07-Others,07-ಇತರರು
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,ಉದ್ಧರಣ ಮೊತ್ತ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,ದಯವಿಟ್ಟು ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ನಮೂದಿಸಿ
 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. ,ನೀವು ಕೋರ್ಸ್ ಆಧಾರಿತ ಗುಂಪುಗಳನ್ನು ಮಾಡುವಾಗ ಬ್ಯಾಚ್ ಪರಿಗಣಿಸಲು ಬಯಸದಿದ್ದರೆ ಪರಿಶೀಲಿಸದೆ ಬಿಟ್ಟುಬಿಡಿ.
@@ -7779,6 +7869,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ಪಾವತಿ ರಸೀತಿ ಗಮನಿಸಿ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ಈ ಗ್ರಾಹಕ ವಿರುದ್ಧ ವ್ಯವಹಾರ ಆಧರಿಸಿದೆ. ಮಾಹಿತಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,ವಸ್ತು ವಿನಂತಿಯನ್ನು ರಚಿಸಿ
+DocType: Loan Interest Accrual,Pending Principal Amount,ಪ್ರಧಾನ ಮೊತ್ತ ಬಾಕಿ ಉಳಿದಿದೆ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,ಕೋರ್ಸ್ ಬುದ್ಧಿವಂತ ಅಂದಾಜು ವರದಿ
@@ -7821,6 +7912,7 @@
 											to fullfill Sales Order {2}",ಸೀರಿಯಲ್ ಅನ್ನು {0} ಐಟಂನಲ್ಲ {1} ವಿತರಿಸಲಾಗುವುದಿಲ್ಲ ಏಕೆಂದರೆ ಇದು ಪೂರ್ಣ ತುಂಬಿದ ಮಾರಾಟದ ಆದೇಶಕ್ಕೆ {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN -YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ {0} ದಾಖಲಿಸಿದವರು
+DocType: Loan Security Unpledge,Unpledge Type,ಅನ್ಪ್ಲೆಡ್ಜ್ ಪ್ರಕಾರ
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,ಅಂತ್ಯ ವರ್ಷ ಪ್ರಾರಂಭ ವರ್ಷ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ
 DocType: Employee Benefit Application,Employee Benefits,ಉದ್ಯೋಗಿ ಸೌಲಭ್ಯಗಳು
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ನೌಕರರ ಐಡಿ
@@ -7903,6 +7995,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,ಕೋರ್ಸ್ ಕೋಡ್:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ
 DocType: Quality Action Resolution,Problem,ಸಮಸ್ಯೆ
+DocType: Loan Security Type,Loan To Value Ratio,ಮೌಲ್ಯ ಅನುಪಾತಕ್ಕೆ ಸಾಲ
 DocType: Account,Stock,ಸ್ಟಾಕ್
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಆರ್ಡರ್ ಖರೀದಿಸಿ ಒಂದು, ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು"
 DocType: Employee,Current Address,ಪ್ರಸ್ತುತ ವಿಳಾಸ
@@ -7920,6 +8013,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ಬ್ಯಾಂಕ್ ಸ್ಟೇಟ್ಮೆಂಟ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಎಂಟ್ರಿ
 DocType: Sales Invoice Item,Discount and Margin,ರಿಯಾಯಿತಿ ಮತ್ತು ಮಾರ್ಜಿನ್
 DocType: Lab Test,Prescription,ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್
+DocType: Process Loan Security Shortfall,Update Time,ನವೀಕರಣ ಸಮಯ
 DocType: Import Supplier Invoice,Upload XML Invoices,XML ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಅಪ್ಲೋಡ್ ಮಾಡಿ
 DocType: Company,Default Deferred Revenue Account,ಡೀಫಾಲ್ಟ್ ಡಿಫರೆಡ್ ರೆವಿನ್ಯೂ ಖಾತೆ
 DocType: Project,Second Email,ಎರಡನೇ ಇಮೇಲ್
@@ -7933,7 +8027,7 @@
 DocType: Quality Action,Preventive,ತಡೆಗಟ್ಟುವಿಕೆ
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ನೋಂದಾಯಿಸದ ವ್ಯಕ್ತಿಗಳಿಗೆ ಸರಬರಾಜು
 DocType: Company,Date of Incorporation,ಸಂಯೋಜನೆಯ ದಿನಾಂಕ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ಒಟ್ಟು ತೆರಿಗೆ
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,ಒಟ್ಟು ತೆರಿಗೆ
 DocType: Manufacturing Settings,Default Scrap Warehouse,ಡೀಫಾಲ್ಟ್ ಸ್ಕ್ರ್ಯಾಪ್ ಗೋದಾಮು
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,ಕೊನೆಯ ಖರೀದಿಯ ಬೆಲೆ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ಪ್ರಮಾಣ (ಪ್ರಮಾಣ ತಯಾರಿಸಲ್ಪಟ್ಟ) ಕಡ್ಡಾಯ
@@ -7952,6 +8046,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ಪಾವತಿಯ ಡೀಫಾಲ್ಟ್ ಮೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ
 DocType: Stock Entry Detail,Against Stock Entry,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ವಿರುದ್ಧ
 DocType: Grant Application,Withdrawn,ಹಿಂದಕ್ಕೆ
+DocType: Loan Repayment,Regular Payment,ನಿಯಮಿತ ಪಾವತಿ
 DocType: Support Search Source,Support Search Source,ಹುಡುಕಾಟ ಮೂಲವನ್ನು ಬೆಂಬಲಿಸು
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,ಚಾರ್ಜ್ ಮಾಡಬಹುದಾದ
 DocType: Project,Gross Margin %,ಒಟ್ಟು ಅಂಚು %
@@ -7965,8 +8060,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,ತೆರಿಗೆ ಪಾವತಿ ಇಲ್ಲದೆ
 DocType: BOM Operation,BOM Operation,BOM ಕಾರ್ಯಾಚರಣೆ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,ಹಿಂದಿನ ಸಾಲು ಪ್ರಮಾಣ ರಂದು
+DocType: Student,Home Address,ಮನೆ ವಿಳಾಸ
 DocType: Options,Is Correct,ಸರಿಯಾಗಿದೆ
 DocType: Item,Has Expiry Date,ಅವಧಿ ಮುಗಿದಿದೆ
+DocType: Loan Repayment,Paid Accrual Entries,ಪಾವತಿಸಿದ ಸಂಚಯ ನಮೂದುಗಳು
+DocType: Loan Security,Loan Security Type,ಸಾಲ ಭದ್ರತಾ ಪ್ರಕಾರ
 apps/erpnext/erpnext/config/support.py,Issue Type.,ಸಂಚಿಕೆ ಪ್ರಕಾರ.
 DocType: POS Profile,POS Profile,ಪಿಓಎಸ್ ವಿವರ
 DocType: Training Event,Event Name,ಈವೆಂಟ್ ಹೆಸರು
@@ -7978,6 +8076,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ಸ್ಥಾಪನೆಗೆ ಬಜೆಟ್, ಗುರಿಗಳನ್ನು ಇತ್ಯಾದಿ ಋತುಮಾನ"
 apps/erpnext/erpnext/www/all-products/index.html,No values,ಮೌಲ್ಯಗಳಿಲ್ಲ
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ವೇರಿಯೇಬಲ್ ಹೆಸರು
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,ಹೊಂದಾಣಿಕೆ ಮಾಡಲು ಬ್ಯಾಂಕ್ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} ಐಟಂ ಒಂದು ಟೆಂಪ್ಲೇಟ್ ಆಗಿದೆ, ಅದರ ರೂಪಾಂತರಗಳು ಒಂದಾಗಿದೆ ಆಯ್ಕೆ ಮಾಡಿ"
 DocType: Purchase Invoice Item,Deferred Expense,ಮುಂದೂಡಲ್ಪಟ್ಟ ಖರ್ಚು
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,ಸಂದೇಶಗಳಿಗೆ ಹಿಂತಿರುಗಿ
@@ -8029,7 +8128,6 @@
 DocType: GL Entry,To Rename,ಮರುಹೆಸರಿಸಲು
 DocType: Stock Entry,Repack,ಮೂಟೆಕಟ್ಟು
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,ಸರಣಿ ಸಂಖ್ಯೆಯನ್ನು ಸೇರಿಸಲು ಆಯ್ಕೆಮಾಡಿ.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,ಶಿಕ್ಷಣ&gt; ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',ದಯವಿಟ್ಟು ಗ್ರಾಹಕ &#39;% s&#39; ಗಾಗಿ ಹಣಕಾಸಿನ ಕೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ದಯವಿಟ್ಟು ಮೊದಲು ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ
 DocType: Item Attribute,Numeric Values,ಸಂಖ್ಯೆಯ ಮೌಲ್ಯಗಳನ್ನು
@@ -8052,6 +8150,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO ಆಧರಿಸಿ ಪಡೆಯಿರಿ
 DocType: Soil Texture,Clay Loam,ಕ್ಲೇ ಲೊಮ್
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,ರೂಟ್ ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,ಸಾಲ ಭದ್ರತಾ ಮೌಲ್ಯ
 DocType: Item,Units of Measure,ಮಾಪನದ ಘಟಕಗಳಿಗೆ
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,ಮೆಟ್ರೋ ಸಿಟಿ ಬಾಡಿಗೆಗೆ
 DocType: Supplier,Default Tax Withholding Config,ಡೀಫಾಲ್ಟ್ ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವುದು ಕಾನ್ಫಿಗರೇಶನ್
@@ -8098,6 +8197,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,ಮೊದಲ ವರ್ಗ ಆಯ್ಕೆ ಮಾಡಿ
 apps/erpnext/erpnext/config/projects.py,Project master.,ಪ್ರಾಜೆಕ್ಟ್ ಮಾಸ್ಟರ್ .
 DocType: Contract,Contract Terms,ಕಾಂಟ್ರಾಕ್ಟ್ ನಿಯಮಗಳು
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,ಅನುಮೋದಿತ ಮೊತ್ತ ಮಿತಿ
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,ಸಂರಚನೆಯನ್ನು ಮುಂದುವರಿಸಿ
 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,Maximum benefit amount of component {0} exceeds {1},ಗರಿಷ್ಠ ಲಾಭದ ಅಂಶವು {0} ಮೀರುತ್ತದೆ {1}
@@ -8141,3 +8241,4 @@
 DocType: Account,Cash,ನಗದು
 DocType: Sales Invoice,Unpaid and Discounted,ಪಾವತಿಸದ ಮತ್ತು ರಿಯಾಯಿತಿ
 DocType: Employee,Short biography for website and other publications.,ವೆಬ್ಸೈಟ್ ಮತ್ತು ಇತರ ಪ್ರಕಟಣೆಗಳು ಕಿರು ಜೀವನಚರಿತ್ರೆ.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,ಸಾಲು # {0}: ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಉಪಕಾಂಟ್ರಾಕ್ಟರ್‌ಗೆ ಪೂರೈಸುವಾಗ ಸರಬರಾಜುದಾರರ ಗೋದಾಮಿನ ಆಯ್ಕೆ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ
diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv
index b3226ea..7c73047 100644
--- a/erpnext/translations/ko.csv
+++ b/erpnext/translations/ko.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,기회 손실 원인
 DocType: Patient Appointment,Check availability,이용 가능 여부 확인
 DocType: Retention Bonus,Bonus Payment Date,보너스 지급일
-DocType: Employee,Job Applicant,구직자
+DocType: Appointment Letter,Job Applicant,구직자
 DocType: Job Card,Total Time in Mins,분당 총 시간
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,이이 공급 업체에 대한 거래를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,작업 주문에 대한 과잉 생산 백분율
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,연락처 정보
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,무엇이든 검색 ...
 ,Stock and Account Value Comparison,재고 및 계정 가치 비교
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,지불 금액은 대출 금액보다 클 수 없습니다
 DocType: Company,Phone No,전화 번호
 DocType: Delivery Trip,Initial Email Notification Sent,보낸 초기 전자 메일 알림
 DocType: Bank Statement Settings,Statement Header Mapping,명령문 헤더 매핑
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,관심
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,열기
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,프로그램:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,유효 시작 시간은 유효 가동 시간보다 작아야합니다.
 DocType: Item,Copy From Item Group,상품 그룹에서 복사
 DocType: Journal Entry,Opening Entry,항목 열기
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,계정 결제 만
@@ -338,6 +340,7 @@
 DocType: Student,B-,비-
 DocType: Assessment Result,Grade,학년
 DocType: Restaurant Table,No of Seats,좌석 수
+DocType: Loan Type,Grace Period in Days,일의 유예 기간
 DocType: Sales Invoice,Overdue and Discounted,연체 및 할인
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},자산 {0}이 (가) 관리인 {1}에 속하지 않습니다
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,통화 끊김
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,처방 된 절차
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS 만 표시
 DocType: Supplier Group,Supplier Group Name,공급 업체 그룹 이름
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,출석을로 표시 <b></b>
 DocType: Driver,Driving License Categories,운전 면허 카테고리
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,배달 날짜를 입력하십시오.
 DocType: Depreciation Schedule,Make Depreciation Entry,감가 상각 항목 확인
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,작업의 세부 사항은 실시.
 DocType: Asset Maintenance Log,Maintenance Status,유지 보수 상태
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,값에 포함 된 품목 세금 금액
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,대출 보안 약속
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,회원 세부 정보
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1} : 공급 업체는 채무 계정에 필요한 {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,품목 및 가격
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},총 시간 : {0}
+DocType: Loan,Loan Manager,대출 관리자
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},날짜에서 회계 연도 내에 있어야합니다.날짜 가정 = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR- .YYYY.-
 DocType: Drug Prescription,Interval,간격
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log','소요시간 로그'를 통해 업데이트 되었습니다.
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,고객 또는 공급 업체를 선택하십시오.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,파일의 국가 코드가 시스템에 설정된 국가 코드와 일치하지 않습니다
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},계정 {0}이 회사에 속하지 않는 {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Priority as Default를 하나만 선택하십시오.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},사전 금액보다 클 수 없습니다 {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",시간 슬롯을 건너 뛰고 슬롯 {0}을 (를) {1} (으)로 이동하여 기존 슬롯 {2}을 (를) {3}
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,남겨 차단
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},항목 {0}에 수명이 다한 {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,은행 입장
-DocType: Customer,Is Internal Customer,내부 고객
+DocType: Sales Invoice,Is Internal Customer,내부 고객
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,판매 송장 번호
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,자료 요청
 DocType: Bank Reconciliation,Update Clearance Date,업데이트 통관 날짜
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,묶음 수량
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,신청이 승인 될 때까지 대출을 만들 수 없습니다
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},구매 주문에 &#39;원료 공급&#39;테이블에없는 항목 {0} {1}
 DocType: Salary Slip,Total Principal Amount,총 교장 금액
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,옳은
 DocType: Student Guardian,Mother,어머니
 DocType: Restaurant Reservation,Reservation End Time,예약 종료 시간
+DocType: Salary Slip Loan,Loan Repayment Entry,대출 상환 항목
 DocType: Crop,Biennial,비엔날레
 ,BOM Variance Report,BOM 차이 리포트
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,고객의 확정 주문.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},에 대한 지불은 {0} {1} 뛰어난 금액보다 클 수 없습니다 {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,모든 의료 서비스 유닛
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,기회 전환에
+DocType: Loan,Total Principal Paid,총 교장 지불
 DocType: Bank Account,Address HTML,주소 HTML
 DocType: Lead,Mobile No.,모바일 번호
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,지불 방식
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,기본 통화로 잔액
 DocType: Supplier Scorecard Scoring Standing,Max Grade,최대 학년
 DocType: Email Digest,New Quotations,새로운 인용
+DocType: Loan Interest Accrual,Loan Interest Accrual,대출이자 발생
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,퇴장시 {0}에 출석이 {1}이 (가) 제출되지 않았습니다.
 DocType: Journal Entry,Payment Order,지불 명령
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,이메일 확인
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,다른 근원에서 소득
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",비어 있으면 상위 창고 계정 또는 회사 기본값이 고려됩니다.
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,직원에서 선택한 선호하는 이메일을 기반으로 직원에게 이메일 급여 명세서
+DocType: Work Order,This is a location where operations are executed.,작업이 실행되는 위치입니다.
 DocType: Tax Rule,Shipping County,배송 카운티
 DocType: Currency Exchange,For Selling,판매용
 apps/erpnext/erpnext/config/desktop.py,Learn,배우다
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,적용 쿠폰 코드
 DocType: Asset,Next Depreciation Date,다음 감가 상각 날짜
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,직원 당 활동 비용
+DocType: Loan Security,Haircut %,이발 %
 DocType: Accounts Settings,Settings for Accounts,계정에 대한 설정
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},공급 업체 송장 번호는 구매 송장에 존재 {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,판매 인 나무를 관리합니다.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{}에 호텔 객실 요금을 설정하십시오.
 DocType: Journal Entry,Multi Currency,멀티 통화
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,송장 유형
+DocType: Loan,Loan Security Details,대출 보안 세부 사항
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,날짜 유효 기간은 날짜까지 유효해야합니다.
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},{0}을 조정하는 동안 예외가 발생했습니다.
 DocType: Purchase Invoice,Set Accepted Warehouse,수락 된 창고 설정
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,실험실 테스트 승인 필요
 DocType: Attendance,Working Hours,근무 시간
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,총 우수
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},항목 {2}에 대한 UOM 변환 계수 ({0}-&gt; {1})를 찾을 수 없습니다
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,기존 시리즈의 시작 / 현재의 순서 번호를 변경합니다.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,주문한 금액에 대해 더 많은 금액을 청구 할 수있는 비율. 예 : 주문 값이 항목에 대해 $ 100이고 공차가 10 %로 설정된 경우 110 달러를 청구 할 수 있습니다.
 DocType: Dosage Strength,Strength,힘
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,차량 날짜
 DocType: Campaign Email Schedule,Campaign Email Schedule,캠페인 이메일 일정
 DocType: Student Log,Medical,의료
+DocType: Work Order,This is a location where scraped materials are stored.,긁힌 재료가 보관되는 위치입니다.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,마약을 선택하십시오.
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,리드 소유자는 납과 동일 할 수 없습니다
 DocType: Announcement,Receiver,리시버
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,외부 드라이버에 적용 가능
 DocType: Sales Order Item,Used for Production Plan,생산 계획에 사용
 DocType: BOM,Total Cost (Company Currency),총 비용 (회사 통화)
-DocType: Loan,Total Payment,총 결제
+DocType: Repayment Schedule,Total Payment,총 결제
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,모든 판매 오더 품목에 대해 PO가 생성되었습니다.
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,구매 주문 경고
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,날짜에서 대여 됨
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,충분한 부품 작성하기
+DocType: Loan Security,Loan Security Code,대출 보안 코드
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,먼저 저장하십시오.
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,이와 관련된 원자재를 당기려면 품목이 필요합니다.
 DocType: POS Profile User,POS Profile User,POS 프로필 사용자
@@ -976,6 +989,7 @@
 DocType: Patient,Risk Factors,위험 요소
 DocType: Patient,Occupational Hazards and Environmental Factors,직업 위험 및 환경 요인
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,작업 공정을 위해 이미 생성 된 재고 항목
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,상품 코드&gt; 상품 그룹&gt; 브랜드
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,지난 주문보기
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} 대화
 DocType: Vital Signs,Respiratory rate,호흡
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,회사 거래 삭제
 DocType: Production Plan Item,Quantity and Description,수량 및 설명
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,참조 번호 및 참조 날짜는 은행 거래를위한 필수입니다
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,설정&gt; 설정&gt; 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오.
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,세금과 요금 추가/편집
 DocType: Payment Entry Reference,Supplier Invoice No,공급 업체 송장 번호
 DocType: Territory,For reference,참고로
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,세금 원천 징수 계정
 DocType: Pricing Rule,Sales Partner,영업 파트너
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,모든 공급자 스코어 카드.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,주문량
+DocType: Loan,Disbursed Amount,지불 금액
 DocType: Buying Settings,Purchase Receipt Required,필수 구입 영수증
 DocType: Sales Invoice,Rail,레일
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,실제 비용
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks에 연결됨
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},유형 - {0}에 대한 계정 (원장)을 식별 / 생성하십시오.
 DocType: Bank Statement Transaction Entry,Payable Account,채무 계정
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,지불 항목을 받으려면 계정이 필수입니다
 DocType: Payment Entry,Type of Payment,지불의 종류
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,반나절 날짜는 필수 항목입니다.
 DocType: Sales Order,Billing and Delivery Status,결제 및 배송 상태
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,청구 AMT 사의
 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,Principal Amount,원금
+DocType: Repayment Schedule,Principal Amount,원금
 DocType: Loan Application,Total Payable Interest,총 채무이자
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},총 미납금 : {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,연락처 열기
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,업데이트 프로세스 중에 오류가 발생했습니다.
 DocType: Restaurant Reservation,Restaurant Reservation,식당 예약
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,아이템
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,공급 업체&gt; 공급 업체 유형
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,제안서 작성
 DocType: Payment Entry Deduction,Payment Entry Deduction,결제 항목 공제
 DocType: Service Level Priority,Service Level Priority,서비스 수준 우선 순위
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,학생 그룹 만들기
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,학생 그룹 만들기
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",지불 게이트웨이 계정이 생성되지 수동으로 하나를 만드십시오.
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},그룹웨어 하우스는 트랜잭션에서 사용할 수 없습니다. {0}의 값을 변경하십시오
 DocType: Supplier Scorecard,Per Year,연간
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,DOB에 따라이 프로그램의 입학 자격이 없습니다.
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,행 # {0} : 고객의 구매 주문에 지정된 {1} 항목을 삭제할 수 없습니다.
@@ -1288,7 +1306,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",하위 회사 {0}에 대한 계정을 만드는 동안 상위 계정 {1}을 (를) 찾을 수 없습니다. 해당 COA에서 상위 계정을 생성하십시오.
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,분할 된 문제
 DocType: Student Attendance,Student Attendance,학생의 출석
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,내보낼 데이터가 없습니다.
 DocType: Sales Invoice Timesheet,Time Sheet,시간 시트
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,백 플러시 원료 기반에
 DocType: Sales Invoice,Port Code,포트 코드
@@ -1301,6 +1318,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,실제 배송 날짜
 DocType: Lab Test,Test Template,테스트 템플릿
+DocType: Loan Security Pledge,Securities,유가 증권
 DocType: Restaurant Order Entry Item,Served,제공된
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,장 정보.
 DocType: Account,Accounts,회계
@@ -1395,6 +1413,7 @@
 DocType: Inpatient Record,O Negative,오 네거티브
 DocType: Work Order Operation,Planned End Time,계획 종료 시간
 DocType: POS Profile,Only show Items from these Item Groups,이 항목 그룹의 항목 만 표시
+DocType: Loan,Is Secured Loan,담보 대출
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,기존 거래와 계정 원장으로 변환 할 수 없습니다
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,회원 유형 세부 정보
 DocType: Delivery Note,Customer's Purchase Order No,고객의 구매 주문 번호
@@ -1431,6 +1450,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,항목을 얻으려면 회사 및 전기 일을 선택하십시오.
 DocType: Asset,Maintenance,유지
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,환자 조우
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},항목 {2}에 대한 UOM 변환 계수 ({0}-&gt; {1})를 찾을 수 없습니다
 DocType: Subscriber,Subscriber,구독자
 DocType: Item Attribute Value,Item Attribute Value,항목 속성 값
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,환전은 구매 또는 판매에 적용 할 수 있어야합니다.
@@ -1529,6 +1549,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,아무 권한이 없습니다
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,계약 이행 점검표
 DocType: Vital Signs,Heart Rate / Pulse,심박수 / 맥박수
+DocType: Customer,Default Company Bank Account,기본 회사 은행 계좌
 DocType: Supplier,Default Bank Account,기본 은행 계좌
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",파티를 기반으로 필터링하려면 선택 파티 첫 번째 유형
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},항목을 통해 전달되지 않기 때문에 &#39;업데이트 재고&#39;확인 할 수없는 {0}
@@ -1647,7 +1668,6 @@
 DocType: Sales Team,Incentives,장려책
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,동기화되지 않은 값
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,차이 값
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,설정&gt; 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오
 DocType: SMS Log,Requested Numbers,신청 번호
 DocType: Volunteer,Evening,저녁
 DocType: Quiz,Quiz Configuration,퀴즈 구성
@@ -1667,6 +1687,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,이전 행에 총
 DocType: Purchase Invoice Item,Rejected Qty,거부 수량
 DocType: Setup Progress Action,Action Field,액션 필드
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,이자 및 페널티 비율에 대한 대출 유형
 DocType: Healthcare Settings,Manage Customer,고객 관리
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,주문 세부 사항을 동기화하기 전에 항상 Amazon MWS에서 제품을 동기화하십시오.
 DocType: Delivery Trip,Delivery Stops,배달 중지
@@ -1678,6 +1699,7 @@
 ,Final Assessment Grades,최종 평가 성적
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,이 시스템을 설정하는하는 기업의 이름입니다.
 DocType: HR Settings,Include holidays in Total no. of Working Days,없이 총 휴일을 포함. 작업 일의
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,총계의 %
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext에서 연구소 설치
 DocType: Agriculture Analysis Criteria,Plant Analysis,식물 분석
 DocType: Task,Timeline,타임 라인
@@ -1685,9 +1707,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,대체 품목
 DocType: Shopify Log,Request Data,데이터 요청
 DocType: Employee,Date of Joining,가입 날짜
+DocType: Delivery Note,Inter Company Reference,회사 간 참조
 DocType: Naming Series,Update Series,업데이트 시리즈
 DocType: Supplier Quotation,Is Subcontracted,하청
 DocType: Restaurant Table,Minimum Seating,최소 좌석 수
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,질문은 중복 될 수 없습니다
 DocType: Item Attribute,Item Attribute Values,항목 속성 값
 DocType: Examination Result,Examination Result,시험 결과
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,구입 영수증
@@ -1789,6 +1813,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,동기화 오프라인 송장
 DocType: Payment Request,Paid,지불
 DocType: Service Level,Default Priority,기본 우선 순위
+DocType: Pledge,Pledge,서약
 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의 최신 가격을 업데이트합니다."
@@ -1802,6 +1827,7 @@
 DocType: Guardian,Guardian Name,보호자 이름
 DocType: Cheque Print Template,Has Print Format,인쇄 형식
 DocType: Support Settings,Get Started Sections,시작 섹션
+,Loan Repayment and Closure,대출 상환 및 폐쇄
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD- .YYYY.-
 DocType: Invoice Discounting,Sanctioned,제재
 ,Base Amount,기본 금액
@@ -1812,10 +1838,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,장소에서
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},대출 금액은 {0}보다 클 수 없습니다
 DocType: Student Admission,Publish on website,웹 사이트에 게시
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,공급 업체 송장 날짜 게시 날짜보다 클 수 없습니다
 DocType: Installation Note,MAT-INS-.YYYY.-,매트 - 인 - .YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,상품 코드&gt; 상품 그룹&gt; 브랜드
 DocType: Subscription,Cancelation Date,취소 일
 DocType: Purchase Invoice Item,Purchase Order Item,구매 주문 상품
 DocType: Agriculture Task,Agriculture Task,농업 작업
@@ -1834,7 +1860,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,추가 할인 비율
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,모든 도움말 동영상 목록보기
 DocType: Agriculture Analysis Criteria,Soil Texture,토양 질감
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,검사가 입금 된 은행 계좌 머리를 선택합니다.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,사용자가 거래 가격리스트 평가를 편집 할 수
 DocType: Pricing Rule,Max Qty,최대 수량
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,성적표 인쇄
@@ -1969,7 +1994,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",일단 설정되면이 송장은 설정된 날짜까지 보류 상태가됩니다.
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,판매 금액
-DocType: Repayment Schedule,Interest Amount,이자 금액
+DocType: Loan Interest Accrual,Interest Amount,이자 금액
 DocType: Job Card,Time Logs,시간 로그
 DocType: Sales Invoice,Loyalty Amount,충성도 금액
 DocType: Employee Transfer,Employee Transfer Detail,직원 이전 세부 정보
@@ -1984,6 +2009,7 @@
 DocType: Cashier Closing,Returns,보고
 DocType: Job Card,WIP Warehouse,WIP 창고
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},일련 번호는 {0}까지 유지 보수 계약에 따라 {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},승인 된 금액 한도가 {0} {1}에 대해 초과되었습니다.
 apps/erpnext/erpnext/config/hr.py,Recruitment,신병 모집
 DocType: Lead,Organization Name,조직 이름
 DocType: Support Settings,Show Latest Forum Posts,최근 포럼 게시물보기
@@ -2010,7 +2036,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,구매 오더 품목 마감
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,우편 번호
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},판매 주문 {0}를 {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},대출 {0}에서이자 소득 계좌를 선택하십시오.
 DocType: Opportunity,Contact Info,연락처 정보
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,재고 항목 만들기
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,상태가 왼쪽 인 직원을 승격 할 수 없습니다.
@@ -2096,7 +2121,6 @@
 DocType: Salary Slip,Deductions,공제
 DocType: Setup Progress Action,Action Name,작업 이름
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,시작 년도
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,융자 만들기
 DocType: Purchase Invoice,Start date of current invoice's period,현재 송장의 기간의 시작 날짜
 DocType: Shift Type,Process Attendance After,프로세스 출석 이후
 ,IRS 1099,국세청 1099
@@ -2117,6 +2141,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,도메인 선택
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify 공급 업체
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,지불 송장 품목
+DocType: Repayment Schedule,Is Accrued,발생
 DocType: Payroll Entry,Employee Details,직원의 자세한 사항
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML 파일 처리
 DocType: Amazon MWS Settings,CN,CN
@@ -2148,6 +2173,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,충성도 포인트 항목
 DocType: Employee Checkin,Shift End,시프트 종료
 DocType: Stock Settings,Default Item Group,기본 항목 그룹
+DocType: Loan,Partially Disbursed,부분적으로 지급
 DocType: Job Card Time Log,Time In Mins,분당의 시간
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,정보를 허가하십시오.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,이 조치는 귀하의 은행 계좌에 ERPNext를 통합 한 외부 서비스와이 계정의 연결을 해제합니다. 실행 취소 할 수 없습니다. 확실해 ?
@@ -2163,6 +2189,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,동일 상품을 여러 번 입력 할 수 없습니다.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","또한 계정의 그룹에서 제조 될 수 있지만, 항목은 비 - 그룹에 대해 만들어 질 수있다"
+DocType: Loan Repayment,Loan Closure,대출 폐쇄
 DocType: Call Log,Lead,리드 고객
 DocType: Email Digest,Payables,채무
 DocType: Amazon MWS Settings,MWS Auth Token,MWS 인증 토큰
@@ -2196,6 +2223,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,직원 세금 및 혜택
 DocType: Bank Guarantee,Validity in Days,유효 기간
 DocType: Bank Guarantee,Validity in Days,유효 기간
+DocType: Unpledge,Haircut,이발
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C 형은 송장에 대해 적용 할 수 없습니다 : {0}
 DocType: Certified Consultant,Name of Consultant,컨설턴트 이름
 DocType: Payment Reconciliation,Unreconciled Payment Details,비 조정 지불 세부 사항
@@ -2249,7 +2277,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,세계의 나머지
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,항목 {0} 배치를 가질 수 없습니다
 DocType: Crop,Yield UOM,수익 UOM
+DocType: Loan Security Pledge,Partially Pledged,부분적으로 서약
 ,Budget Variance Report,예산 차이 보고서
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,승인 된 대출 금액
 DocType: Salary Slip,Gross Pay,총 지불
 DocType: Item,Is Item from Hub,허브로부터의 아이템인가
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,의료 서비스에서 아이템을 얻으십시오.
@@ -2284,6 +2314,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,새로운 품질 절차
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},{0} 계정 잔고는 항상 {1}  이어야합니다
 DocType: Patient Appointment,More Info,추가 정보
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,생년월일은 가입 날짜보다 클 수 없습니다.
 DocType: Supplier Scorecard,Scorecard Actions,스코어 카드 작업
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},공급자 {0}이 (가) {1}에 없습니다.
 DocType: Purchase Invoice,Rejected Warehouse,거부 창고
@@ -2381,6 +2412,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,먼저 상품 코드를 설정하십시오.
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,문서 유형
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},대출 담보 약정 작성 : {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,임명 및 환자 조우
@@ -2436,6 +2468,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,동시 예약 수
 apps/erpnext/erpnext/config/desktop.py,Getting Started,시작하기
 DocType: Purchase Invoice,Taxes and Charges Calculation,세금과 요금 계산
+DocType: Loan Interest Accrual,Payable Principal Amount,지불 가능한 원금
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,장부 자산 감가 상각 항목 자동 입력
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,장부 자산 감가 상각 항목 자동 입력
 DocType: BOM Operation,Workstation,워크스테이션
@@ -2473,7 +2506,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,음식
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,고령화 범위 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS 클로징 바우처 세부 정보
-DocType: Bank Account,Is the Default Account,기본 계정
 DocType: Shopify Log,Shopify Log,Shopify 로그
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,통신이 없습니다.
 DocType: Inpatient Occupancy,Check In,체크인
@@ -2531,12 +2563,14 @@
 DocType: Sales Order Item,Planned Quantity,계획 수량
 DocType: Water Analysis,Water Analysis Criteria,물 분석 기준
 DocType: Item,Maintain Stock,재고 유지
+DocType: Loan Security Unpledge,Unpledge Time,약속 시간
 DocType: Terms and Conditions,Applicable Modules,해당 모듈
 DocType: Employee,Prefered Email,선호하는 이메일
 DocType: Student Admission,Eligibility and Details,자격 및 세부 정보
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,매출 총 이익에 포함
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,고정 자산의 순 변화
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,요구 수량
+DocType: Work Order,This is a location where final product stored.,최종 제품이 저장된 위치입니다.
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0}에있는 '실제'의 책임은 상품 요금에 포함 할 수 없습니다
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},최대 : {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,날짜 시간에서
@@ -2577,8 +2611,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,보증 / AMC 상태
 ,Accounts Browser,계정 브라우저
 DocType: Procedure Prescription,Referral,추천
+,Territory-wise Sales,영리한 현명한 판매
 DocType: Payment Entry Reference,Payment Entry Reference,결제 항목 참조
 DocType: GL Entry,GL Entry,GL 등록
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,행 # {0} : 허용 된 창고 및 공급 업체 창고는 같을 수 없습니다.
 DocType: Support Search Source,Response Options,응답 옵션
 DocType: Pricing Rule,Apply Multiple Pricing Rules,여러 가격 책정 규칙 적용
 DocType: HR Settings,Employee Settings,직원 설정
@@ -2639,6 +2675,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,{0} 행의 지불 기간이 중복되었을 수 있습니다.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),농업 (베타)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,포장 명세서
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,설정&gt; 설정&gt; 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,사무실 임대
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,설치 SMS 게이트웨이 설정
 DocType: Disease,Common Name,공통 이름
@@ -2655,6 +2692,7 @@
 DocType: Item,Sales Details,판매 세부 사항
 DocType: Coupon Code,Used,익숙한
 DocType: Opportunity,With Items,항목
+DocType: Vehicle Log,last Odometer Value ,마지막 주행 거리 값
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',{1}의 {2} 캠페인에 대한 캠페인 &#39;{0}&#39;이 (가) 이미 있습니다.
 DocType: Asset Maintenance,Maintenance Team,유지 보수 팀
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",섹션이 표시 될 순서. 0이 먼저오고 1이 두 번째 등입니다.
@@ -2665,7 +2703,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,경비 청구서 {0} 이미 차량 로그인 존재
 DocType: Asset Movement Item,Source Location,출처
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,연구소 이름
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,상환 금액을 입력하세요
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,상환 금액을 입력하세요
 DocType: Shift Type,Working Hours Threshold for Absent,결근 시간
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,지출 된 총액을 토대로 여러 단계의 징수 요인이있을 수 있습니다. 그러나 구속에 대한 전환 요소는 모든 계층에서 항상 동일합니다.
 apps/erpnext/erpnext/config/help.py,Item Variants,항목 변형
@@ -2689,6 +2727,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},이 {0} 충돌 {1}의 {2} {3}
 DocType: Student Attendance Tool,Students HTML,학생들 HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0} : {1}은 {2}보다 작아야합니다.
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,먼저 신청자 유형을 선택하십시오
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, 수량 및 창고 선택"
 DocType: GST HSN Code,GST HSN Code,GST HSN 코드
 DocType: Employee External Work History,Total Experience,총 체험
@@ -2779,7 +2818,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",{0} 항목에 활성 BOM이 없습니다. \ Serial No 로의 배송은 보장 할 수 없습니다.
 DocType: Sales Partner,Sales Partner Target,영업 파트너 대상
-DocType: Loan Type,Maximum Loan Amount,최대 대출 금액
+DocType: Loan Application,Maximum Loan Amount,최대 대출 금액
 DocType: Coupon Code,Pricing Rule,가격 규칙
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},학생 {0}의 중복 롤 번호
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},학생 {0}의 중복 롤 번호
@@ -2803,6 +2842,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},잎에 성공적으로 할당 된 {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,포장하는 항목이 없습니다
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,.csv 및 .xlsx 파일 만 현재 지원됩니다.
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,인사 관리&gt; HR 설정에서 직원 이름 지정 시스템을 설정하십시오
 DocType: Shipping Rule Condition,From Value,값에서
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,제조 수량이 필수입니다
 DocType: Loan,Repayment Method,상환 방법
@@ -2886,6 +2926,7 @@
 DocType: Customer,Customer POS Id,고객 POS ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,{0} 이메일을 가진 학생이 존재하지 않습니다.
 DocType: Account,Account Name,계정 이름
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},회사 {1}에 대해 {0}에 대해 승인 된 대출 금액이 이미 존재합니다.
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,날짜에서 날짜보다 클 수 없습니다
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,일련 번호 {0} 수량 {1} 일부가 될 수 없습니다
 DocType: Pricing Rule,Apply Discount on Rate,할인율 적용
@@ -2957,6 +2998,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,순이익
 DocType: Purchase Invoice,Eligibility For ITC,ITC 자격
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,약속하지 않은
 DocType: Journal Entry,Entry Type,항목 유형
 ,Customer Credit Balance,고객 신용 잔액
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,외상 매입금의 순 변화
@@ -2968,6 +3010,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),출석 장치 ID (생체 / RF 태그 ID)
 DocType: Quotation,Term Details,용어의 자세한 사항
 DocType: Item,Over Delivery/Receipt Allowance (%),초과 지급 / 수령 허용 (%)
+DocType: Appointment Letter,Appointment Letter Template,편지지 템플릿-약속
 DocType: Employee Incentive,Employee Incentive,직원 인센티브
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,이 학생 그룹에 대한 {0} 학생 이상 등록 할 수 없습니다.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),합계 (세금 제외)
@@ -2992,6 +3035,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",\ Item {0}이 \ Serial No.로 배달 보장 여부와 함께 추가되므로 일련 번호로 배송 할 수 없습니다.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,송장의 취소에 지불 연결 해제
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,대부이자 발생 프로세스
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},입력 현재 주행 독서는 초기 차량 주행보다 커야합니다 {0}
 ,Purchase Order Items To Be Received or Billed,수령 또는 청구 할 구매 주문 품목
 DocType: Restaurant Reservation,No Show,더 쇼 없다
@@ -3078,6 +3122,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1} : 코스트 센터가 &#39;손익&#39;계정이 필요합니다 {2}. 회사의 기본 비용 센터를 설치하시기 바랍니다.
 DocType: Payment Schedule,Payment Term,지불 기간
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,고객 그룹이 동일한 이름으로 존재하는 것은 고객의 이름을 변경하거나 고객 그룹의 이름을 바꾸십시오
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,입학 종료일은 입학 시작일보다 커야합니다.
 DocType: Location,Area,지역
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,새 연락처
 DocType: Company,Company Description,회사 설명
@@ -3153,6 +3198,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,매핑 된 데이터
 DocType: Purchase Order Item,Warehouse and Reference,창고 및 참조
 DocType: Payroll Period Date,Payroll Period Date,급여 기간 날짜
+DocType: Loan Disbursement,Against Loan,대출에 대하여
 DocType: Supplier,Statutory info and other general information about your Supplier,법정 정보 및 공급 업체에 대한 다른 일반적인 정보
 DocType: Item,Serial Nos and Batches,일련 번호 및 배치
 DocType: Item,Serial Nos and Batches,일련 번호 및 배치
@@ -3221,6 +3267,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,회사 선택
 DocType: Delivery Settings,Delivery Settings,게재 설정
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,데이터 가져 오기
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},{0} 수량보다 {0}을 (를) 공약 할 수 없습니다
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},탈퇴 유형 {0}에 허용되는 최대 휴가 시간은 {1}입니다.
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 개 항목 게시
 DocType: SMS Center,Create Receiver List,수신기 목록 만들기
@@ -3370,6 +3417,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),자료의 양 (회사 통화)
 DocType: Purchase Invoice,Registered Regular,등록 된 일반
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,원자재
+DocType: Plaid Settings,sandbox,모래 상자
 DocType: Payment Reconciliation Payment,Reference Row,참고 행
 DocType: Installation Note,Installation Time,설치 시간
 DocType: Sales Invoice,Accounting Details,회계 세부 사항
@@ -3382,12 +3430,11 @@
 DocType: Leave Ledger Entry,Transaction Type,거래 유형
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,허용 기준
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,위의 표에 자료 요청을 입력하세요
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,총 채무 금액
 DocType: Task,Expected Time (in hours),(시간) 예상 시간
 DocType: Item Reorder,Check in (group),(그룹)에서 확인
 DocType: Soil Texture,Silt,미사
@@ -3419,6 +3466,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,미제출 된 세금 면제 증명에 대한 세금 공제
 DocType: Volunteer,Anytime,언제든지
 DocType: Bank Account,Bank Account No,은행 계좌 번호
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,지불 및 상환
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,직원 세금 면제 서약
 DocType: Patient,Surgical History,외과 적 병력
 DocType: Bank Statement Settings Item,Mapped Header,매핑 된 헤더
@@ -3483,6 +3531,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Sales Invoice에 Lab Test (s) 작성
 DocType: Serial No,Invoice Details,인보이스 세부 정보
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,세금 감면 선언서를 제출하기 전에 급여 구조를 제출해야합니다.
+DocType: Loan Application,Proposed Pledges,제안 된 서약
 DocType: Grant Application,Show on Website,웹 사이트에 표시
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,시작하다
 DocType: Hub Tracked Item,Hub Category,허브 카테고리
@@ -3494,7 +3543,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,공급 업체 스코어 카드 대기 중
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},행 {0} : 재료 명세서 (BOM) 항목 찾을 수 없습니다 {1}
 DocType: Contract Fulfilment Checklist,Requirement,요구 사항
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,인사 관리&gt; HR 설정에서 직원 이름 지정 시스템을 설정하십시오
 DocType: Journal Entry,Accounts Receivable,미수금
 DocType: Quality Goal,Objectives,목표
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,퇴직 휴가 신청을 할 수있는 역할
@@ -3507,6 +3555,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,조정 됨 항목을 포함
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,할당 된 총 금액 ({0})은 지불 한 금액 ({1})보다 greated됩니다.
 DocType: Landed Cost Voucher,Distribute Charges Based On,배포 요금을 기준으로
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},지불 금액은 {0}보다 작을 수 없습니다
 DocType: Projects Settings,Timesheets,작업 표
 DocType: HR Settings,HR Settings,HR 설정
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,회계 석사
@@ -3652,6 +3701,7 @@
 DocType: Employee,Health Insurance,건강 보험
 DocType: Asset Repair,Manufacturing Manager,제조 관리자
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},일련 번호는 {0}까지 보증 {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,대출 금액이 제안 된 유가 증권에 따라 최대 대출 금액 {0}을 (를) 초과 함
 DocType: Plant Analysis Criteria,Minimum Permissible Value,최소 허용치
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,사용자 {0}이 (가) 이미 있습니다.
 apps/erpnext/erpnext/hooks.py,Shipments,선적
@@ -3696,7 +3746,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,사업의 종류
 DocType: Sales Invoice,Consumer,소비자
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","이어야 한 행에 할당 된 금액, 송장 유형 및 송장 번호를 선택하세요"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,설정&gt; 설정&gt; 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오.
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,새로운 구매 비용
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},상품에 필요한 판매 주문 {0}
 DocType: Grant Application,Grant Description,교부금 설명
@@ -3705,6 +3754,7 @@
 DocType: Subscription,Discounts,할인
 DocType: Bank Transaction,Unallocated Amount,할당되지 않은 금액
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,구매 주문서에 적용 가능하고 실제 예매 비용에 적용 가능으로 설정하십시오.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0}은 회사 은행 계좌가 아닙니다.
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,일치하는 항목을 찾을 수 없습니다. 에 대한 {0} 다른 값을 선택하십시오.
 DocType: POS Profile,Taxes and Charges,세금과 요금
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","제품 또는, 구입 판매 또는 재고 유지 서비스."
@@ -3755,6 +3805,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valid From Date는 Valid Upto Date보다 작아야합니다.
 DocType: Employee Skill,Evaluation Date,평가 날짜
 DocType: Quotation Item,Stock Balance,재고 대차
+DocType: Loan Security Pledge,Total Security Value,총 보안 가치
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,지불에 판매 주문
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,최고 경영자
 DocType: Purchase Invoice,With Payment of Tax,세금 납부와 함께
@@ -3767,6 +3818,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,올바른 계정을 선택하세요
 DocType: Salary Structure Assignment,Salary Structure Assignment,급여 구조 지정
 DocType: Purchase Invoice Item,Weight UOM,무게 UOM
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},계정 {0}이 (가) 대시 보드 차트 {1}에 없습니다.
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,변형 속성 표시
@@ -3848,6 +3900,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,현재 평가 비율
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,루트 계정의 수는 4보다 작을 수 없습니다.
 DocType: Training Event,Advance,전진
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,대출에 대하여 :
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless 지불 게이트웨이 설정
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,교환 이득 / 손실
 DocType: Opportunity,Lost Reason,분실 된 이유
@@ -3931,8 +3984,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,배치 번호 선택
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},잘못된 {0} : {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,행 {0} : 형제 생년월일은 오늘보다 클 수 없습니다.
 DocType: Fee Validity,Reference Inv,참조 인보이스
 DocType: Sales Invoice Advance,Advance Amount,사전의 양
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,페널티 이율 (%)
 DocType: Manufacturing Settings,Capacity Planning,용량 계획
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,반올림 조정 (회사 통화
 DocType: Asset,Policy number,정책 번호
@@ -3948,7 +4003,9 @@
 DocType: Normal Test Items,Require Result Value,결과 값 필요
 DocType: Purchase Invoice,Pricing Rules,가격 결정 규칙
 DocType: Item,Show a slideshow at the top of the page,페이지의 상단에 슬라이드 쇼보기
+DocType: Appointment Letter,Body,몸
 DocType: Tax Withholding Rate,Tax Withholding Rate,세금 원천 징수 비율
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,상환 시작 날짜는 기간 대출에 필수입니다
 DocType: Pricing Rule,Max Amt,최대 Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOM을
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,상점
@@ -3968,7 +4025,7 @@
 DocType: Call Log,Received By,수신
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),약속 기간 (분)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,현금 흐름 매핑 템플릿 세부 정보
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,대출 관리
+DocType: Loan,Loan Management,대출 관리
 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,Update Cost,업데이트 비용
@@ -3976,6 +4033,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B- 양식
 DocType: Sales Invoice,Mode of Transport,운송 수단
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,쇼 급여 슬립
+DocType: Loan,Is Term Loan,임기 대출
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,전송 자료
 DocType: Fees,Send Payment Request,지불 요청 보내기
 DocType: Travel Request,Any other details,기타 세부 정보
@@ -3993,6 +4051,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,금융으로 인한 현금 흐름
 DocType: Budget Account,Budget Account,예산 계정
 DocType: Quality Inspection,Verified By,에 의해 확인
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,대출 보안 추가
 DocType: Travel Request,Name of Organizer,주최자 이름
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,소득세 책임
@@ -4043,6 +4102,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,필요에
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",이 옵션을 선택하면 급여 명세서에서 반올림 된 총계 필드를 숨기거나 비활성화합니다.
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,판매 주문의 납품 일에 대한 기본 오프셋 (일)입니다. 대체 오프셋은 주문 날짜로부터 7 일입니다.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,설정&gt; 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오
 DocType: Rename Tool,File to Rename,이름 바꾸기 파일
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},행에 항목에 대한 BOM을 선택하세요 {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,구독 업데이트 가져 오기
@@ -4055,6 +4115,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,생성 된 일련 번호
 DocType: POS Profile,Applicable for Users,사용자에게 적용 가능
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,시작 날짜와 끝 날짜는 필수입니다
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,프로젝트 및 모든 작업을 상태 {0} (으)로 설정 하시겠습니까?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),진보 및 할당 (FIFO) 설정
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,작업 주문이 생성되지 않았습니다.
@@ -4064,6 +4125,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,아이템
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,구입 한 항목의 비용
 DocType: Employee Separation,Employee Separation Template,직원 분리 템플릿
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},대출 {0}에 대해 약정 된 {0}의 수량
 DocType: Selling Settings,Sales Order Required,판매 주문 필수
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,판매자되기
 ,Procurement Tracker,조달 추적 장치
@@ -4162,11 +4224,12 @@
 ,Minutes to First Response for Opportunity,기회에 대한 첫 번째 응답에 분
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,총 결석
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,행에 대한 항목이나 창고 {0} 물자의 요청과 일치하지 않습니다
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,지불 가능 금액
+DocType: Loan Repayment,Payable Amount,지불 가능 금액
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,기회
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,최대 강도는 0보다 작을 수 없습니다.
 DocType: Options,Option,선택권
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},닫힌 회계 기간 {0}에 회계 항목을 작성할 수 없습니다.
 DocType: Operation,Default Workstation,기본 워크 스테이션
@@ -4208,6 +4271,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,이자 금액은 필수입니다
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,승인 된 휴가 신청 기록과 일치하지 않습니다 지불하지 않고 남겨주세요
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,다음 단계
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,저장된 아이템
@@ -4278,8 +4342,6 @@
 DocType: Grant Application,Grant Application Details ,교부금 신청서 세부 사항
 DocType: Employee Separation,Employee Separation,직원 분리
 DocType: BOM Item,Original Item,원본 항목
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","이 문서를 취소하려면 직원 <a href=""#Form/Employee/{0}"">{0}을 (를)</a> 삭제하십시오"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,문서 날짜
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},요금 기록 작성 - {0}
 DocType: Asset Category Account,Asset Category Account,자산 분류 계정
@@ -4315,6 +4377,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,실험실 테스트 항목 {0}이 (가) 이미 존재합니다
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0}은 회사 휴일입니다.
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,청구 가능 시간
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,페널티 이율은 상환이 지연되는 경우 미결제 금액에 매일 부과됩니다.
+DocType: Appointment Letter content,Appointment Letter content,약속 편지 내용
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,상태 알림 남기기
 DocType: Patient Appointment,Procedure Prescription,시술 처방
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,가구 및 비품
@@ -4334,7 +4398,7 @@
 DocType: Opportunity,Customer / Lead Name,고객 / 리드 명
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,통관 날짜가 언급되지 않았습니다
 DocType: Payroll Period,Taxable Salary Slabs,과세 대상 월급
-DocType: Job Card,Production,생산
+DocType: Plaid Settings,Production,생산
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN이 잘못되었습니다! 입력 한 입력이 GSTIN의 형식과 일치하지 않습니다.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,계정 가치
 DocType: Guardian,Occupation,직업
@@ -4480,6 +4544,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,충성도 프로그램 콜렉션
 DocType: Stock Entry Detail,Subcontracted Item,외주 품목
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},학생 {0}은 (는) 그룹 {1}에 속해 있지 않습니다.
+DocType: Appointment Letter,Appointment Date,약속 날짜
 DocType: Budget,Cost Center,비용 센터
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,상품권 #
 DocType: Tax Rule,Shipping Country,배송 국가
@@ -4550,6 +4615,7 @@
 DocType: Accounting Dimension,Accounting Dimension,회계 차원
 ,Profit and Loss Statement,손익 계산서
 DocType: Bank Reconciliation Detail,Cheque Number,수표 번호
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,지불 금액은 0이 될 수 없습니다
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1}에 의해 참조 된 항목이 이미 송장 처리되었습니다.
 ,Sales Browser,판매 브라우저
 DocType: Journal Entry,Total Credit,총 크레딧
@@ -4666,6 +4732,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,쿠폰 조건 추가 / 편집
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,비용 / 차이 계정 ({0})의 이익 또는 손실 '계정이어야합니다
 DocType: Stock Entry Detail,Stock Entry Child,입국 어린이
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,대출 담보 서약 회사와 대출 회사는 동일해야합니다
 DocType: Project,Copied From,에서 복사 됨
 DocType: Project,Copied From,에서 복사 됨
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,모든 청구 시간에 대해 이미 생성 된 송장
@@ -4674,6 +4741,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,금융 비용인가?
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,직원의 출석 {0}이 (가) 이미 표시되어
 DocType: Packing Slip,If more than one package of the same type (for print),만약 (프린트) 동일한 유형의 하나 이상의 패키지
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,교육&gt; 교육 설정에서 강사 명명 시스템을 설정하십시오
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,레스토랑 설정에서 기본 고객을 설정하십시오.
 ,Salary Register,연봉 회원 가입
 DocType: Company,Default warehouse for Sales Return,판매 반환을위한 기본 창고
@@ -4718,7 +4786,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,현재 일련 번호
 DocType: Employee,Attendance and Leave Details,출석 및 휴가 세부 정보
 ,BOM Comparison Tool,BOM 비교 도구
-,Requested,요청
+DocType: Loan Security Pledge,Requested,요청
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,없음 비고
 DocType: Asset,In Maintenance,유지 관리 중
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWS에서 판매 주문 데이터를 가져 오려면이 버튼을 클릭하십시오.
@@ -4730,7 +4798,6 @@
 DocType: Drug Prescription,Drug Prescription,약물 처방전
 DocType: Service Level,Support and Resolution,지원 및 해결
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,무료 항목 코드가 선택되지 않았습니다.
-DocType: Loan,Repaid/Closed,/ 상환 휴무
 DocType: Amazon MWS Settings,CA,캘리포니아 주
 DocType: Item,Total Projected Qty,총 예상 수량
 DocType: Monthly Distribution,Distribution Name,배포 이름
@@ -4764,6 +4831,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,재고에 대한 회계 항목
 DocType: Lab Test,LabTest Approver,LabTest 승인자
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,이미 평가 기준 {}을 (를) 평가했습니다.
+DocType: Loan Security Shortfall,Shortfall Amount,부족 금액
 DocType: Vehicle Service,Engine Oil,엔진 오일
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},생성 된 작업 순서 : {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},리드 {0}에 대한 이메일 ID를 설정하십시오.
@@ -4782,6 +4850,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},대시 보드 차트 {0}에 계정이 설정되지 않았습니다.
 DocType: Purchase Invoice,Apply Additional Discount On,추가 할인에 적용
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,유형 선택 ...
+DocType: Loan Interest Accrual,Amounts,금액
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,티켓
 DocType: Account,Root Type,루트 유형
 DocType: Item,FIFO,FIFO
@@ -4789,6 +4858,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},행 번호 {0} : 이상 반환 할 수 없습니다 {1} 항목에 대한 {2}
 DocType: Item Group,Show this slideshow at the top of the page,페이지 상단에이 슬라이드 쇼보기
 DocType: BOM,Item UOM,상품 UOM
+DocType: Loan Security Price,Loan Security Price,대출 담보 가격
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),할인 금액 후 세액 (회사 통화)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},목표웨어 하우스는 행에 대해 필수입니다 {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,소매업 운영
@@ -4929,6 +4999,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},배치는 {0} 행에서 필수 항목입니다.
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},배치는 {0} 행에서 필수 항목입니다.
 DocType: Company,Default Buying Terms,기본 구매 조건
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,대출 지급
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,구매 영수증 품목 공급
 DocType: Amazon MWS Settings,Enable Scheduled Synch,예약 된 동기화 사용
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,날짜 시간에
@@ -4957,6 +5028,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0}에서 {1} 사이의 값을 입력하십시오.
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,메시지의 소스 캠페인 경우 캠페인의 이름을 입력
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,신문 발행인
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},{0}에 대한 유효한 <b>대출 보안 가격이</b> 없습니다.
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,미래 날짜는 허용되지 않습니다.
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,예상 배달 날짜는 판매 주문 날짜 이후 여야합니다.
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,재정렬 수준
@@ -5023,6 +5095,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,제안 / 가격 견적
 DocType: Antibiotic,Healthcare,건강 관리
 DocType: Target Detail,Target Detail,세부 목표
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,대출 프로세스
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,단일 변형
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,모든 작업
 DocType: Sales Order,% of materials billed against this Sales Order,이 판매 주문에 대해 청구 자료 %
@@ -5086,7 +5159,7 @@
 DocType: Item,Reorder level based on Warehouse,웨어 하우스를 기반으로 재정렬 수준
 DocType: Activity Cost,Billing Rate,결제 비율
 ,Qty to Deliver,제공하는 수량
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,지급 항목 작성
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,지급 항목 작성
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon은이 날짜 이후에 업데이트 된 데이터를 동기화합니다.
 ,Stock Analytics,재고 분석
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,작업은 비워 둘 수 없습니다
@@ -5120,6 +5193,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,외부 통합 연결 해제
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,해당 지불 선택
 DocType: Pricing Rule,Item Code,상품 코드
+DocType: Loan Disbursement,Pending Amount For Disbursal,지불 보류 보류 금액
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,보증 / AMC의 자세한 사항
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,활동 기반 그룹을 위해 학생들을 수동으로 선택하십시오.
@@ -5145,6 +5219,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,총 수량
 DocType: Landed Cost Item,Receipt Document,영수증 문서
 DocType: Employee Education,School/University,학교 / 대학
+DocType: Loan Security Pledge,Loan  Details,대출 세부 사항
 DocType: Sales Invoice Item,Available Qty at Warehouse,창고에서 사용 가능한 수량
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,청구 금액
 DocType: Share Transfer,(including),(포함)
@@ -5168,6 +5243,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,그룹
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,계정별 그룹
 DocType: Purchase Invoice,Hold Invoice,청구서 보류
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,서약 상태
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,직원을 선택하십시오.
 DocType: Sales Order,Fully Delivered,완전 배달
 DocType: Promotional Scheme Price Discount,Min Amount,최소 금액
@@ -5177,7 +5253,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},지급 금액은 대출 금액보다 클 수 없습니다 {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},행 {0} # 할당 된 금액 {1}은 청구되지 않은 금액 {2}보다 클 수 없습니다.
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},구매 주문 번호 항목에 필요한 {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,전달 잎을 운반
@@ -5205,6 +5280,7 @@
 DocType: Pick List Item,Serial No and Batch,일련 번호 및 배치
 DocType: Warranty Claim,From Company,회사에서
 DocType: GSTR 3B Report,January,일월
+DocType: Loan Repayment,Principal Amount Paid,원금 지급
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,평가 기준의 점수의 합 {0} 할 필요가있다.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,감가 상각 수 예약을 설정하십시오
 DocType: Supplier Scorecard Period,Calculations,계산
@@ -5231,6 +5307,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,회사 소개
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,재고 노화 데이터 표시
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,계정에 신용은 대차 대조표 계정이어야합니다
+DocType: Loan Repayment,Penalty Amount,페널티 금액
 DocType: Donor,Donor,기증자
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,품목에 대한 세금 업데이트
 DocType: Global Defaults,Disable In Words,단어에서 해제
@@ -5261,6 +5338,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,비용 센터 및 예산
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,잔액 지분
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,부분 유료 항목
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,지불 일정을 설정하십시오.
 DocType: Pick List,Items under this warehouse will be suggested,이 창고 아래의 상품이 제안됩니다
 DocType: Purchase Invoice,N,엔
@@ -5294,7 +5372,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} 항목에 대해 {0}을 (를) 찾을 수 없습니다.
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},값은 {0} ~ {1} 사이 여야합니다.
 DocType: Accounts Settings,Show Inclusive Tax In Print,인쇄시 포함 세금 표시
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","은행 계좌, 시작일 및 종료일은 필수 항목입니다."
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,보낸 메시지
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,자식 노드와 계좌 원장은로 설정 될 수 없다
 DocType: C-Form,II,II
@@ -5308,6 +5385,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,자동 재주문 사용
 DocType: Stock Settings,Item Naming By,상품 이름 지정으로
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},또 다른 기간 결산 항목은 {0} 이후 한 {1}
+DocType: Proposed Pledge,Proposed Pledge,제안 된 서약
 DocType: Work Order,Material Transferred for Manufacturing,재료 제조에 대한 양도
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,계정 {0}이 존재하지 않습니다
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,로열티 프로그램 선택
@@ -5318,7 +5396,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","에 이벤트를 설정 {0}, 판매 사람 아래에 부착 된 직원이 사용자 ID를 가지고 있지 않기 때문에 {1}"
 DocType: Timesheet,Billing Details,결제 세부 정보
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,소스 및 대상웨어 하우스는 달라야합니다
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,인사 관리&gt; HR 설정에서 직원 이름 지정 시스템을 설정하십시오
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,결제 실패. 자세한 내용은 GoCardless 계정을 확인하십시오.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},이상 재고 거래는 이전 업데이트 할 수 없습니다 {0}
 DocType: Stock Entry,Inspection Required,검사 필수
@@ -5331,6 +5408,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,프로그램
+DocType: Unpledge,Against Pledge,서약에 대하여
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,이 역할이있는 사용자는 고정 된 계정에 대한 계정 항목을 수정 / 동결 계정을 설정하고 만들 수 있습니다
 DocType: Plaid Settings,Plaid Environment,격자 무늬 환경
 ,Project Billing Summary,프로젝트 결제 요약
@@ -5383,6 +5461,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,배치
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,약속을 미리 예약 할 수있는 일 수
 DocType: Article,LMS User,LMS 사용자
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,대출 담보 공약은 담보 대출에 필수적입니다
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),공급처 (State / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,재고 UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,구매 주문 {0} 제출되지
@@ -5458,6 +5537,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,작업 카드 생성
 DocType: Quotation,Referral Sales Partner,추천 영업 파트너
 DocType: Quality Procedure Process,Process Description,프로세스 설명
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",대출 담보액이 상환 금액보다 큽니다.
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,고객 {0}이 (가) 생성되었습니다.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,현재 어떤 창고에서도 재고가 없습니다.
 ,Payment Period Based On Invoice Date,송장의 날짜를 기준으로 납부 기간
@@ -5478,7 +5558,7 @@
 DocType: Asset,Insurance Details,보험의 자세한 사항
 DocType: Account,Payable,지급
 DocType: Share Balance,Share Type,공유 유형
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,상환 기간을 입력하세요
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,상환 기간을 입력하세요
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),채무자 ({0})
 DocType: Pricing Rule,Margin,마진
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,신규 고객
@@ -5487,6 +5567,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,리드 소스에 의한 기회
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS 프로파일 변경
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,수량 또는 금액은 대출 담보를 위해 강제입니다
 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,Assessment Report,평가 보고서
@@ -5522,6 +5603,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,공유 원장
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,판매 송장 {0}이 생성되었습니다.
 DocType: Employee,Confirmation Date,확인 일자
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","이 문서를 취소하려면 직원 <a href=""#Form/Employee/{0}"">{0}을 (를)</a> 삭제하십시오"
 DocType: Inpatient Occupancy,Check Out,체크 아웃
 DocType: C-Form,Total Invoiced Amount,총 송장 금액
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,최소 수량이 최대 수량보다 클 수 없습니다
@@ -5535,7 +5618,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks 회사 ID
 DocType: Travel Request,Travel Funding,여행 기금
 DocType: Employee Skill,Proficiency,진보
-DocType: Loan Application,Required by Date,날짜에 필요한
 DocType: Purchase Invoice Item,Purchase Receipt Detail,구매 영수증 세부 사항
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,작물이 성장하고있는 모든 위치에 대한 링크
 DocType: Lead,Lead Owner,리드 소유자
@@ -5554,7 +5636,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,현재 BOM 및 새로운 BOM은 동일 할 수 없습니다
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,급여 슬립 ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,은퇴 날짜 가입 날짜보다 커야합니다
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,공급 업체&gt; 공급 업체 유형
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,여러 변형
 DocType: Sales Invoice,Against Income Account,손익 계정에 대한
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0} % 배달
@@ -5587,7 +5668,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,평가 유형 요금은 포괄적으로 표시 할 수 없습니다
 DocType: POS Profile,Update Stock,재고 업데이트
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,지불 세부 사항
+DocType: Loan Repayment,Payment Details,지불 세부 사항
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM 평가
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,업로드 된 파일 읽기
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",작업 지시 중단을 취소 할 수 없습니다. 취소하려면 먼저 취소하십시오.
@@ -5623,6 +5704,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,최대 대출 가치
 ,Stock Ledger,재고 원장
 DocType: Company,Exchange Gain / Loss Account,교환 이득 / 손실 계정
 DocType: Amazon MWS Settings,MWS Credentials,MWS 자격증 명
@@ -5630,6 +5712,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},목적 중 하나 여야합니다 {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,양식을 작성하고 저장
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,커뮤니티 포럼
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},휴가 유형 : {1}에 대해 직원에게 할당 된 잎이 없음 : {0}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,재고 실제 수량
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,재고 실제 수량
 DocType: Homepage,"URL for ""All Products""",&quot;모든 제품&quot;에 대한 URL
@@ -5732,7 +5815,6 @@
 DocType: Fee Schedule,Fee Schedule,요금 일정
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,열 레이블 :
 DocType: Bank Transaction,Settled,안정된
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,지급 날짜는 대출 상환일 이후 일 수 없습니다.
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,운
 DocType: Quality Feedback,Parameters,매개 변수
 DocType: Company,Create Chart Of Accounts Based On,계정 기반에서의 차트 만들기
@@ -5752,6 +5834,7 @@
 DocType: Customer,Credit Limit and Payment Terms,여신 한도 및 지불 조건
 DocType: Loyalty Program,Collection Rules,징수 규정
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,항목 3
+DocType: Loan Security Shortfall,Shortfall Time,부족 시간
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,주문 입력
 DocType: Purchase Order,Customer Contact Email,고객 연락처 이메일
 DocType: Warranty Claim,Item and Warranty Details,상품 및 보증의 자세한 사항
@@ -5771,12 +5854,14 @@
 DocType: Sales Person,Sales Person Name,영업 사원명
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,표에이어야 1 송장을 입력하십시오
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,실험실 테스트를 만들지 않았습니다.
+DocType: Loan Security Shortfall,Security Value ,보안 가치
 DocType: POS Item Group,Item Group,항목 그룹
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,학생 그룹 :
 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,Total Allocated Leaves,총 할당 된 잎
+DocType: Appointment Letter,Appointment Letter,약속 편지
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},에 {0}
@@ -5832,6 +5917,7 @@
 DocType: Stock Entry,From BOM,BOM에서
 DocType: Assessment Code,Assessment Code,평가 코드
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,기본
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,고객 및 직원의 대출 신청.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} 전에 재고 거래는 동결
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','생성 일정'을 클릭 해주세요
 DocType: Job Card,Current Time,현재 시간
@@ -5858,7 +5944,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,부여
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,어떤 학생 그룹이 생성되지 않습니다.
 DocType: Purchase Invoice Item,Serial No,일련 번호
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,월별 상환 금액은 대출 금액보다 클 수 없습니다
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,월별 상환 금액은 대출 금액보다 클 수 없습니다
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Maintaince를 세부 사항을 먼저 입력하십시오
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,행 번호 {0} : 예상 된 배달 날짜는 구매 주문 날짜 이전 일 수 없습니다.
 DocType: Purchase Invoice,Print Language,인쇄 언어
@@ -5872,6 +5958,7 @@
 DocType: Asset,Finance Books,금융 서적
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,종업원 면제 선언 카테고리
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,모든 국가
+DocType: Plaid Settings,development,개발
 DocType: Lost Reason Detail,Lost Reason Detail,잃어버린 이유 세부 정보
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,직원 {0}의 휴가 정책을 직원 / 학년 기록으로 설정하십시오.
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,선택한 고객 및 품목에 대한 담요 주문이 잘못되었습니다.
@@ -5936,12 +6023,14 @@
 DocType: Staffing Plan Detail,Current Openings,현재 오프닝
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,운영으로 인한 현금 흐름
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST 금액
+DocType: Vehicle Log,Current Odometer value ,현재 주행 거리계 값
 apps/erpnext/erpnext/utilities/activation.py,Create Student,학생 만들기
 DocType: Asset Movement Item,Asset Movement Item,자산 이동 품목
 DocType: Purchase Invoice,Shipping Rule,배송 규칙
 DocType: Patient Relation,Spouse,배우자
 DocType: Lab Test Groups,Add Test,테스트 추가
 DocType: Manufacturer,Limited to 12 characters,12 자로 제한
+DocType: Appointment Letter,Closing Notes,결산 메모
 DocType: Journal Entry,Print Heading,인쇄 제목
 DocType: Quality Action Table,Quality Action Table,품질 활동 표
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,총은 제로가 될 수 없습니다
@@ -6009,6 +6098,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),총 AMT ()
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},유형 - {0}에 대한 계정 (그룹)을 식별 / 생성하십시오.
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,엔터테인먼트 & 레저
+DocType: Loan Security,Loan Security,대출 보안
 ,Item Variant Details,품목 변형 세부 정보
 DocType: Quality Inspection,Item Serial No,상품 시리얼 번호
 DocType: Payment Request,Is a Subscription,서브 스크립 션
@@ -6021,7 +6111,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,최신 나이
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,예약 및 입학 날짜는 오늘보다 적을 수 없습니다
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,공급 업체에 자료를 전송
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,새로운 시리얼 번호는 창고를 가질 수 없습니다.창고 재고 항목 또는 구입 영수증으로 설정해야합니다
 DocType: Lead,Lead Type,리드 타입
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,견적을 만들기
@@ -6039,7 +6128,6 @@
 DocType: Leave Allocation,Leave Period,휴가 기간
 DocType: Item,Default Material Request Type,기본 자료 요청 유형
 DocType: Supplier Scorecard,Evaluation Period,평가 기간
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,고객&gt; 고객 그룹&gt; 지역
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,알 수 없는
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,작업 지시가 생성되지 않았습니다.
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6125,7 +6213,8 @@
 ,Customer-wise Item Price,고객 현명한 상품 가격
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,현금 흐름표
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,중요한 요청이 생성되지 않았습니다.
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},대출 금액은 최대 대출 금액을 초과 할 수 없습니다 {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},대출 금액은 최대 대출 금액을 초과 할 수 없습니다 {0}
+DocType: Loan,Loan Security Pledge,대출 담보
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,특허
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,당신은 또한 이전 회계 연도의 균형이 회계 연도에 나뭇잎 포함 할 경우 이월를 선택하세요
@@ -6143,6 +6232,7 @@
 DocType: Pricing Rule,Price Discount Scheme,가격 할인 제도
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,제출하려면 유지 보수 상태를 취소하거나 완료해야합니다.
 DocType: Amazon MWS Settings,US,우리
+DocType: Loan Security Pledge,Pledged,서약
 DocType: Holiday List,Add Weekly Holidays,주간 공휴일 추가
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,보고서 항목
 DocType: Staffing Plan Detail,Vacancies,공석
@@ -6161,7 +6251,6 @@
 DocType: Production Plan Item,Planned Start Date,계획 시작 날짜
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,BOM을 선택하십시오.
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC 통합 세금 사용 가능
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,상환 엔트리 생성
 DocType: Purchase Order Item,Blanket Order Rate,담요 주문률
 ,Customer Ledger Summary,고객 원장 요약
 apps/erpnext/erpnext/hooks.py,Certification,인증
@@ -6182,6 +6271,7 @@
 DocType: Appraisal Template,Appraisal Template Title,평가 템플릿 제목
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,광고 방송
 DocType: Patient,Alcohol Current Use,알콜 현재 사용
+DocType: Loan,Loan Closure Requested,대출 마감 요청
 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,세금 면제 범주
@@ -6205,6 +6295,7 @@
 DocType: Opening Invoice Creation Tool,Sales,판매
 DocType: Stock Entry Detail,Basic Amount,기본 금액
 DocType: Training Event,Exam,시험
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,프로세스 대출 보안 부족
 DocType: Email Campaign,Email Campaign,이메일 캠페인
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,마켓 플레이스 오류
 DocType: Complaint,Complaint,불평
@@ -6284,6 +6375,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Employee 레코드를 생성하려면 이것을 제출하십시오.
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},{0}과 (와) 겹치는 대출 보안 가격
 DocType: Item Default,Item Default,항목 기본값
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,주내 공급품
 DocType: Chapter Member,Leave Reason,이유를 떠나라.
@@ -6311,6 +6403,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} 사용 된 쿠폰은 {1}입니다. 허용 수량이 소진되었습니다
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,자료 요청을 제출 하시겠습니까
 DocType: Job Offer,Awaiting Response,응답을 기다리는 중
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,대출은 필수입니다
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,위
 DocType: Support Search Source,Link Options,링크 옵션
@@ -6323,6 +6416,7 @@
 DocType: Training Event Employee,Optional,선택 과목
 DocType: Salary Slip,Earning & Deduction,당기순이익/손실
 DocType: Agriculture Analysis Criteria,Water Analysis,수질 분석
+DocType: Pledge,Post Haircut Amount,이발 후 금액
 DocType: Sales Order,Skip Delivery Note,납품서 건너 뛰기
 DocType: Price List,Price Not UOM Dependent,UOM에 의존하지 않는 가격
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,변형 {0}이 생성되었습니다.
@@ -6349,6 +6443,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,제품 번들에서 항목 가져 오기
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,상환 방법은 기간 대출에 필수적입니다
 DocType: Asset,Straight Line,일직선
 DocType: Project User,Project User,프로젝트 사용자
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,스플릿
@@ -6397,7 +6492,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,역할 동결 계정 및 편집 동결 항목을 설정할 수
 DocType: Supplier Scorecard Scoring Variable,Path,통로
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,이 자식 노드를 가지고 원장 비용 센터로 변환 할 수 없습니다
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},항목 {2}에 대한 UOM 변환 계수 ({0}-&gt; {1})를 찾을 수 없습니다
 DocType: Production Plan,Total Planned Qty,총 계획 수량
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,명세서에서 이미 회수 된 거래
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,영업 가치
@@ -6406,11 +6500,8 @@
 DocType: Material Request Plan Item,Required Quantity,필요 수량
 DocType: Lab Test Template,Lab Test Template,실험실 테스트 템플릿
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},회계 기간이 {0}과 중복 됨
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,공급 업체&gt; 공급 업체 유형
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,판매 계정
 DocType: Purchase Invoice Item,Total Weight,총 무게
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","이 문서를 취소하려면 직원 <a href=""#Form/Employee/{0}"">{0}을 (를)</a> 삭제하십시오"
 DocType: Pick List Item,Pick List Item,선택 목록 항목
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,판매에 대한 수수료
 DocType: Job Offer Term,Value / Description,값 / 설명
@@ -6457,6 +6548,7 @@
 DocType: Patient Encounter,Encounter Date,만남의 날짜
 DocType: Work Order,Update Consumed Material Cost In Project,프로젝트에서 소비 된 자재 원가 업데이트
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,계정 : {0} 통화로 : {1}을 선택할 수 없습니다
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,고객 및 직원에게 대출 제공.
 DocType: Bank Statement Transaction Settings Item,Bank Data,은행 데이터
 DocType: Purchase Receipt Item,Sample Quantity,샘플 수량
 DocType: Bank Guarantee,Name of Beneficiary,수혜자 성명
@@ -6525,7 +6617,6 @@
 DocType: Contract,Signed On,서명 됨
 DocType: Bank Account,Party Type,파티 형
 DocType: Discounted Invoice,Discounted Invoice,할인 송장
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,출석을로 표시 <b></b>
 DocType: Payment Schedule,Payment Schedule,지불 일정
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},주어진 직원 필드 값에 대해 직원이 없습니다. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,약어
@@ -6597,6 +6688,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,채권자
 DocType: Assessment Plan,Assessment Name,평가의 이름
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,행 번호 {0} : 일련 번호는 필수입니다
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,대출 폐쇄에는 {0}의 금액이 필요합니다
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,항목 와이즈 세금 세부 정보
 DocType: Employee Onboarding,Job Offer,일자리 제공
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,연구소 약어
@@ -6621,7 +6713,6 @@
 DocType: Purchase Order,To Receive,받다
 DocType: Leave Period,Holiday List for Optional Leave,선택적 휴가를위한 휴일 목록
 DocType: Item Tax Template,Tax Rates,세율
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,상품 코드&gt; 상품 그룹&gt; 브랜드
 DocType: Asset,Asset Owner,애셋 소유자
 DocType: Item,Website Content,웹 사이트 콘텐츠
 DocType: Bank Account,Integration ID,통합 ID
@@ -6637,6 +6728,7 @@
 DocType: Amazon MWS Settings,Synch Orders,주문 동기화
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,생산 발표 순서.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,회계 연도 선택 ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},회사 {0}의 대출 유형을 선택하십시오
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS 프로필 POS 항목을 만드는 데 필요한
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",로열티 포인트는 언급 된 징수 요인에 근거하여 완료된 지출액 (판매 송장을 통해)에서 계산됩니다.
 DocType: Program Enrollment Tool,Enroll Students,학생 등록
@@ -6665,6 +6757,7 @@
 DocType: Customer,Mention if non-standard receivable account,언급 표준이 아닌 채권 계정의 경우
 DocType: Bank,Plaid Access Token,격자 무늬 액세스 토큰
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,나머지 기존 혜택 {0}을 기존 구성 요소에 추가하십시오.
+DocType: Bank Account,Is Default Account,기본 계정입니까
 DocType: Journal Entry Account,If Income or Expense,만약 소득 또는 비용
 DocType: Course Topic,Course Topic,코스 주제
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher 날짜가 {1}에서 {2} 사이의 {0}
@@ -6677,7 +6770,7 @@
 DocType: Disease,Treatment Task,치료 과제
 DocType: Payment Order Reference,Bank Account Details,은행 계좌 정보
 DocType: Purchase Order Item,Blanket Order,담요 주문
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,상환 금액은보다 커야합니다.
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,상환 금액은보다 커야합니다.
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,법인세 자산
 DocType: BOM Item,BOM No,BOM 없음
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,세부 정보 업데이트
@@ -6734,6 +6827,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce 제품
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},식 또는 조건에 구문 오류 : {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,그것은 재고 품목이 아니기 때문에 {0} 항목을 무시
+,Loan Security Status,대출 보안 상태
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",특정 트랜잭션에서 가격 규칙을 적용하지 않으려면 모두 적용 가격 규칙 비활성화해야합니다.
 DocType: Payment Term,Day(s) after the end of the invoice month,인보이스 월이 끝난 날 (일)
 DocType: Assessment Group,Parent Assessment Group,상위 평가 그룹
@@ -6748,7 +6842,6 @@
 DocType: Stock Entry Detail,Additional Cost,추가 비용
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","바우처를 기반으로 필터링 할 수 없음, 바우처로 그룹화하는 경우"
 DocType: Quality Inspection,Incoming,수신
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,설정&gt; 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,판매 및 구매에 대한 기본 세금 템플릿이 생성됩니다.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,평가 결과 레코드 {0}이 (가) 이미 있습니다.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",예 : ABCD. #####. 계열이 설정되고 트랜잭션에서 일괄 처리 번호가 언급되지 않은 경우이 계열을 기반으로 자동 배치 번호가 생성됩니다. 이 항목에 대해 Batch No를 명시 적으로 언급하려면이 항목을 비워 두십시오. 참고 :이 설정은 재고 설정의 명명 시리즈 접두사보다 우선합니다.
@@ -6759,8 +6852,10 @@
 DocType: Contract,Party User,파티 사용자
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}에</b> 대해 자산이 작성되지 않았습니다. 자산을 수동으로 생성해야합니다.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',그룹화 기준이 &#39;회사&#39;인 경우 회사 필터를 비워 두십시오.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,고객&gt; 고객 그룹&gt; 지역
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,게시 날짜는 미래의 날짜 수 없습니다
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},행 번호 {0} : 일련 번호 {1}과 일치하지 않는 {2} {3}
+DocType: Loan Repayment,Interest Payable,채무
 DocType: Stock Entry,Target Warehouse Address,대상 창고 주소
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,캐주얼 허가
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,직원 수표가 출석으로 간주되는 근무 시작 시간 전의 시간.
@@ -6889,6 +6984,7 @@
 DocType: Issue,Reset Service Level Agreement,서비스 수준 계약 다시 설정
 ,Sales Person-wise Transaction Summary,판매 사람이 많다는 거래 요약
 DocType: Training Event,Contact Number,연락 번호
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,대출 금액은 필수입니다
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,창고 {0}이 (가) 없습니다
 DocType: Cashier Closing,Custody,보관
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,직원 세금 면제 증명 제출 세부 정보
@@ -6937,6 +7033,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,잔고 수량
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,선택한 모든 항목을 결합한 조건이 적용됩니다.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,목표는 비워 둘 수 없습니다
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,잘못된 창고
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,등록하는 학생
 DocType: Item Group,Parent Item Group,부모 항목 그룹
 DocType: Appointment Type,Appointment Type,예약 유형
@@ -6992,10 +7089,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,평균 속도
 DocType: Appointment,Appointment With,와 약속
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,지불 일정의 총 지불 금액은 대 / 반올림 합계와 같아야합니다.
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,출석을로 표시 <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;고객 제공 품목&quot;은 평가 비율을 가질 수 없습니다.
 DocType: Subscription Plan Detail,Plan,계획
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,총계정 원장에 따라 은행 잔고 잔액
-DocType: Job Applicant,Applicant Name,신청자 이름
+DocType: Appointment Letter,Applicant Name,신청자 이름
 DocType: Authorization Rule,Customer / Item Name,고객 / 상품 이름
 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**. 
 
@@ -7039,11 +7137,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,재고 원장 항목이 창고에 존재하는웨어 하우스는 삭제할 수 없습니다.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,유통
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,다음 직원이 현재이 직원에게보고하고 있으므로 직원 상태를 &#39;왼쪽&#39;으로 설정할 수 없습니다.
-DocType: Journal Entry Account,Loan,차관
+DocType: Loan Repayment,Amount Paid,지불 금액
+DocType: Loan Security Shortfall,Loan,차관
 DocType: Expense Claim Advance,Expense Claim Advance,경비 청구 진행
 DocType: Lab Test,Report Preference,보고서 환경 설정
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,자원 봉사자 정보.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,프로젝트 매니저
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,고객 별 그룹
 ,Quoted Item Comparison,인용 상품 비교
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0}에서 {1} 사이의 득점에서 겹침
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,파견
@@ -7063,6 +7163,7 @@
 DocType: Material Request Plan Item,Material Issue,소재 호
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},가격 책정 규칙 {0}에 무료 항목이 설정되지 않았습니다.
 DocType: Employee Education,Qualification,자격
+DocType: Loan Security Shortfall,Loan Security Shortfall,대출 보안 부족
 DocType: Item Price,Item Price,상품 가격
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,비누 및 세제
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},직원 {0}이 (가) 회사 {1}에 속하지 않습니다
@@ -7085,6 +7186,7 @@
 DocType: Appointment Booking Settings,Appointment Details,약속 세부 사항
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,완제품
 DocType: Warehouse,Warehouse Name,창고의 이름
+DocType: Loan Security Pledge,Pledge Time,서약 시간
 DocType: Naming Series,Select Transaction,거래 선택
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,역할을 승인 또는 사용을 승인 입력하십시오
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,엔티티 유형 {0} 및 엔티티 {1}을 (를) 사용하는 서비스 수준 계약이 이미 존재합니다.
@@ -7092,7 +7194,6 @@
 DocType: BOM,Rate Of Materials Based On,자료에 의거 한 속도
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",이 옵션을 사용하면 프로그램 등록 도구에 Academic Term 입력란이 필수 항목으로 표시됩니다.
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","면제, 무 정격 및 비 GST 내부 공급 가치"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,고객&gt; 고객 그룹&gt; 지역
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>회사</b> 는 필수 필터입니다.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,모두 선택 취소
 DocType: Purchase Taxes and Charges,On Item Quantity,품목 수량
@@ -7138,7 +7239,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,부족 수량
 DocType: Purchase Invoice,Input Service Distributor,입력 서비스 배급 자
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,항목 변형 {0} 같은 속성을 가진 존재
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,교육&gt; 교육 설정에서 강사 명명 시스템을 설정하십시오
 DocType: Loan,Repay from Salary,급여에서 상환
 DocType: Exotel Settings,API Token,API 토큰
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},에 대한 지불을 요청 {0} {1} 금액에 대한 {2}
@@ -7158,6 +7258,7 @@
 DocType: Salary Slip,Total Interest Amount,총이자 금액
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,자식 노드와 창고가 원장으로 변환 할 수 없습니다
 DocType: BOM,Manage cost of operations,작업의 비용 관리
+DocType: Unpledge,Unpledge,서약
 DocType: Accounts Settings,Stale Days,부실한 날들
 DocType: Travel Itinerary,Arrival Datetime,도착 시간
 DocType: Tax Rule,Billing Zipcode,청구 우편 번호
@@ -7344,6 +7445,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,시간
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0}을 (를)위한 새로운 약속이 만들어졌습니다.
 DocType: Project,Expected Start Date,예상 시작 날짜
+DocType: Work Order,This is a location where raw materials are available.,원료가있는 곳입니다.
 DocType: Purchase Invoice,04-Correction in Invoice,송장의 04 수정
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM이있는 모든 품목에 대해 이미 생성 된 작업 공정
 DocType: Bank Account,Party Details,파티의 자세한 사항
@@ -7362,6 +7464,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,인용 :
 DocType: Contract,Partially Fulfilled,부분적으로 완수 된
 DocType: Maintenance Visit,Fully Completed,완전히 완료
+DocType: Loan Security,Loan Security Name,대출 보안 이름
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","이름 계열에 허용되지 않는 &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot;및 &quot;}&quot;을 제외한 특수 문자"
 DocType: Purchase Invoice Item,Is nil rated or exempted,평가가 없거나 면제 되나요?
 DocType: Employee,Educational Qualification,교육 자격
@@ -7419,6 +7522,7 @@
 DocType: Program,Is Featured,추천
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,가져 오는 중 ...
 DocType: Agriculture Analysis Criteria,Agriculture User,농업 사용자
+DocType: Loan Security Shortfall,America/New_York,아메리카 / 뉴욕
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,거래일 이전 날짜 일 수 없습니다.
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,학생 분류
@@ -7496,8 +7600,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,당신은 고정 된 값을 설정할 수있는 권한이 없습니다
 DocType: Payment Reconciliation,Get Unreconciled Entries,비 조정 항목을보세요
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},직원 {0}이 (가) {1}에 출발합니다.
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,분개에 대해 상환이 선택되지 않았습니다.
 DocType: Purchase Invoice,GST Category,GST 범주
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,제안 된 서약은 담보 대출에 필수적입니다
 DocType: Payment Reconciliation,From Invoice Date,송장 일로부터
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,예산
 DocType: Invoice Discounting,Disbursed,지불
@@ -7555,14 +7659,13 @@
 DocType: Restaurant,Active Menu,활성 메뉴
 DocType: Accounting Dimension Detail,Default Dimension,기본 크기
 DocType: Target Detail,Target Qty,목표 수량
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},대출 반대 : {0}
 DocType: Shopping Cart Settings,Checkout Settings,체크 아웃 설정
 DocType: Student Attendance,Present,선물
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,배송 참고 {0} 제출하지 않아야합니다
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","직원에게 이메일로 발송 된 급여 전표는 암호로 보호되며, 암호는 암호 정책에 따라 생성됩니다."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,계정 {0}을 닫으면 형 책임 / 주식이어야합니다
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},직원의 급여 슬립 {0} 이미 시간 시트 생성 {1}
-DocType: Vehicle Log,Odometer,주행 거리계
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,주행 거리계
 DocType: Production Plan Item,Ordered Qty,수량 주문
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,항목 {0} 사용할 수 없습니다
 DocType: Stock Settings,Stock Frozen Upto,재고 동결 개까지
@@ -7621,7 +7724,6 @@
 DocType: Serial No,Delivery Document Type,납품 문서 형식
 DocType: Sales Order,Partly Delivered,일부 배달
 DocType: Item Variant Settings,Do not update variants on save,저장시 변형을 업데이트하지 마십시오.
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,채권
 DocType: Lead Source,Lead Source,리드 소스
 DocType: Customer,Additional information regarding the customer.,고객에 대한 추가 정보.
@@ -7720,6 +7822,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,실제
 DocType: Appointment,Skype ID,스카이프 아이디
 DocType: Restaurant Menu,Restaurant Manager,레스토랑 매니저
+DocType: Loan,Penalty Income Account,페널티 소득 계정
 DocType: Call Log,Call Log,통화 로그
 DocType: Authorization Rule,Customerwise Discount,Customerwise 할인
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,작업에 대한 작업 표.
@@ -7808,6 +7911,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,제품 할인 제도
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,발신자가 문제를 제기하지 않았습니다.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,공급 업체별 그룹
 DocType: Restaurant Reservation,Waitlisted,대기자 명단에 올랐다.
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,면제 범주
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,환율이 다른 통화를 사용하여 항목을 한 후 변경할 수 없습니다
@@ -7818,7 +7922,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,컨설팅
 DocType: Subscription Plan,Based on price list,가격표 기준
 DocType: Customer Group,Parent Customer Group,상위 고객 그룹
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON은 영업 송장에서만 생성 할 수 있습니다.
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,이 퀴즈의 최대 시도 횟수에 도달했습니다!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,신청
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,수수료 생성 보류 중
@@ -7836,6 +7939,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,예방 정비
 DocType: Delivery Note Item,Against Sales Invoice,견적서에 대하여
 DocType: Purchase Invoice,07-Others,07- 기타
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,견적 금액
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,일련 번호가 지정된 항목의 일련 번호를 입력하십시오.
 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. ,과정 기반 그룹을 만드는 동안 배치를 고려하지 않으려면 선택하지 마십시오.
@@ -7947,6 +8051,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,지불 영수증 참고
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,이이 고객에 대한 거래를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,자재 요청 생성
+DocType: Loan Interest Accrual,Pending Principal Amount,보류 원금
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",유효한 급여 기간이 아닌 시작 및 종료 날짜는 {0}을 계산할 수 없습니다.
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,새로운 학기
@@ -7990,6 +8095,7 @@
 											to fullfill Sales Order {2}",판매 주문 {2}을 (를) 전체 예약하려면 \ {1} 품목의 일련 번호 {0}을 (를)
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,공급 업체의 견적 {0} 작성
+DocType: Loan Security Unpledge,Unpledge Type,서약 유형
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,종료 연도는 시작 연도 이전 될 수 없습니다
 DocType: Employee Benefit Application,Employee Benefits,종업원 급여
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,직원 ID
@@ -8072,6 +8178,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,코스 코드 :
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,비용 계정을 입력하십시오
 DocType: Quality Action Resolution,Problem,문제
+DocType: Loan Security Type,Loan To Value Ratio,대출 대 가치 비율
 DocType: Account,Stock,재고
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",행 번호 {0} 참조 문서 형식은 구매 주문 중 하나를 구매 송장 또는 분개해야합니다
 DocType: Employee,Current Address,현재 주소
@@ -8089,6 +8196,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,은행 계정 명세서 트랜잭션 입력
 DocType: Sales Invoice Item,Discount and Margin,할인 및 마진
 DocType: Lab Test,Prescription,처방
+DocType: Process Loan Security Shortfall,Update Time,업데이트 시간
 DocType: Import Supplier Invoice,Upload XML Invoices,XML 송장 업로드
 DocType: Company,Default Deferred Revenue Account,기본 지연된 수익 계정
 DocType: Project,Second Email,두 번째 전자 메일
@@ -8102,7 +8210,7 @@
 DocType: Quality Action,Preventive,예방법
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,미등록 된 사람들에게 공급 된 물품
 DocType: Company,Date of Incorporation,설립 날짜
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,총 세금
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,총 세금
 DocType: Manufacturing Settings,Default Scrap Warehouse,기본 스크랩 창고
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,마지막 구매 가격
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,수량 (수량 제조) 필수
@@ -8121,6 +8229,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,기본 결제 수단 설정
 DocType: Stock Entry Detail,Against Stock Entry,재고 항목 반대
 DocType: Grant Application,Withdrawn,빼는
+DocType: Loan Repayment,Regular Payment,정기 지불
 DocType: Support Search Source,Support Search Source,지원 검색 소스
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chileble
 DocType: Project,Gross Margin %,매출 총 이익률의 %
@@ -8134,8 +8243,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,세금 지불없이
 DocType: BOM Operation,BOM Operation,BOM 운영
 DocType: Purchase Taxes and Charges,On Previous Row Amount,이전 행의 양에
+DocType: Student,Home Address,집 주소
 DocType: Options,Is Correct,맞다
 DocType: Item,Has Expiry Date,만기일 있음
+DocType: Loan Repayment,Paid Accrual Entries,유료 미지급 항목
+DocType: Loan Security,Loan Security Type,대출 보안 유형
 apps/erpnext/erpnext/config/support.py,Issue Type.,문제 유형.
 DocType: POS Profile,POS Profile,POS 프로필
 DocType: Training Event,Event Name,이벤트 이름
@@ -8147,6 +8259,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","설정 예산, 목표 등 계절성"
 apps/erpnext/erpnext/www/all-products/index.html,No values,값 없음
 DocType: Supplier Scorecard Scoring Variable,Variable Name,변수 이름
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,조정할 은행 계좌를 선택하십시오.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} 항목 템플릿이며, 그 변종 중 하나를 선택하십시오"
 DocType: Purchase Invoice Item,Deferred Expense,이연 지출
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,메시지로 돌아 가기
@@ -8198,7 +8311,6 @@
 DocType: GL Entry,To Rename,이름 바꾸기
 DocType: Stock Entry,Repack,재 포장
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,시리얼 번호를 추가하려면 선택하십시오.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,교육&gt; 교육 설정에서 강사 명명 시스템을 설정하십시오
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',고객 &#39;% s&#39;의 Fiscal Code를 설정하십시오.
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,먼저 회사를 선택하십시오
 DocType: Item Attribute,Numeric Values,숫자 값
@@ -8222,6 +8334,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO를 기반으로 가져 오기
 DocType: Soil Texture,Clay Loam,클레이 로암
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,루트는 편집 할 수 없습니다.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,대출 보안 가치
 DocType: Item,Units of Measure,측정 단위
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,메트로 시티에서 임대 됨
 DocType: Supplier,Default Tax Withholding Config,기본 과세 원천 징수 구성
@@ -8268,6 +8381,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,첫 번째 범주를 선택하십시오
 apps/erpnext/erpnext/config/projects.py,Project master.,프로젝트 마스터.
 DocType: Contract,Contract Terms,계약 조건
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,승인 된 금액 한도
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,계속 구성
 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,Maximum benefit amount of component {0} exceeds {1},{0} 구성 요소의 최대 혜택 금액이 {1}을 초과했습니다.
@@ -8300,6 +8414,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,통화 기록보기
 DocType: BOM Operation,Operating Cost(Company Currency),운영 비용 (기업 통화)
 DocType: Loan Application,Rate of Interest,관심의 속도
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},대출 담보 공약은 이미 {0} 대출에 대해 서약
 DocType: Expense Claim Detail,Sanctioned Amount,제재 금액
 DocType: Item,Shelf Life In Days,유통 기한
 DocType: GL Entry,Is Opening,개시
@@ -8312,3 +8427,4 @@
 DocType: Account,Cash,자금
 DocType: Sales Invoice,Unpaid and Discounted,미 지불 및 할인
 DocType: Employee,Short biography for website and other publications.,웹 사이트 및 기타 간행물에 대한 짧은 전기.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,행 번호 {0} : 하청 업체에 원자재를 공급하는 동안 공급 업체 창고를 선택할 수 없습니다
diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv
index d97aac4..162c774 100644
--- a/erpnext/translations/ku.csv
+++ b/erpnext/translations/ku.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Sedema winda ya Derfet
 DocType: Patient Appointment,Check availability,Peyda bikin
 DocType: Retention Bonus,Bonus Payment Date,Daxistina Bonus Bonus
-DocType: Employee,Job Applicant,Applicant Job
+DocType: Appointment Letter,Job Applicant,Applicant Job
 DocType: Job Card,Total Time in Mins,Demjimêra Total li Mins
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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ê
@@ -180,6 +180,7 @@
 DocType: Delivery Stop,Contact Information,Agahiya Têkilî
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Li her tiştî digerin ...
 ,Stock and Account Value Comparison,Berhevoka Nirxên Stock û Hesabê
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Mûçeya dravkirî nikare ji heqê krediyê mezintir be
 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
@@ -283,6 +284,7 @@
 DocType: Lead,Interested,bala
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Dergeh
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Bername:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Divê Bawer Ji Ser Qedrê idltî ya Valid Pêdivî bimîne.
 DocType: Item,Copy From Item Group,Copy Ji babetî Pula
 DocType: Journal Entry,Opening Entry,Peyam di roja vekirina
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Account Pay Tenê
@@ -330,6 +332,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Sinif
 DocType: Restaurant Table,No of Seats,No Seats
+DocType: Loan Type,Grace Period in Days,Di Rojan de Grace Period
 DocType: Sales Invoice,Overdue and Discounted,Zêde û bêhêz kirin
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Gazî veqetandin
 DocType: Sales Invoice Item,Delivered By Supplier,Teslîmî By Supplier
@@ -380,7 +383,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Pêvajûkirinên Qeydkirî
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS tenê nîşan bide
 DocType: Supplier Group,Supplier Group Name,Navê Giştî
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Mark beşdarbûn wek <b></b>
 DocType: Driver,Driving License Categories,Kategorî
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Ji kerema xwe, Dîroka Deliveryê bike"
 DocType: Depreciation Schedule,Make Depreciation Entry,Make Peyam Farhad.
@@ -397,10 +399,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Details ji operasyonên hatiye lidarxistin.
 DocType: Asset Maintenance Log,Maintenance Status,Rewş Maintenance
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Mîqdara Bacê Baca Di Nirxê de
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Yekbûnek Ewlekariya Krediyê
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Agahdariya Agahdariyê
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Supplier dijî account cîhde pêwîst e {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Nawy û Pricing
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total saetan: {0}
+DocType: Loan,Loan Manager,Gerînendeyê deyn
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Ji Date divê di nava sala diravî be. Bihesibînin Ji Date = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYY.-
 DocType: Drug Prescription,Interval,Navber
@@ -459,6 +463,7 @@
 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,Select the customer or supplier.,Hilbijêre yan xerîdarê hilbijêrin.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kodê Welatê di Pelê de bi kodê welêt ya ku di pergalê de hatî danîn nabe
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Account {0} nayê to Company girêdayî ne {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Tenê Pêşniyar wekî Yek Pêşek hilbijêrin.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -536,7 +541,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Dev ji astengkirin
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Arşîva Bank
-DocType: Customer,Is Internal Customer,Mişteriyek Navxweyî ye
+DocType: Sales Invoice,Is Internal Customer,Mişteriyek Navxweyî ye
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -560,6 +565,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Daxwaza maddî
 DocType: Bank Reconciliation,Update Clearance Date,Update Date Clearance
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Heta ku serlêdan pesend nekirin nekarîn
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -567,6 +573,7 @@
 DocType: Quiz Result,Correct,Serrast
 DocType: Student Guardian,Mother,Dê
 DocType: Restaurant Reservation,Reservation End Time,Demjimêra Niştecîhê
+DocType: Salary Slip Loan,Loan Repayment Entry,Navnîşa Veberhênana Deynê
 DocType: Crop,Biennial,Biennial
 ,BOM Variance Report,Raporta BOM Variance
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,emir Confirmed ji muşteriyan.
@@ -587,6 +594,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Payment dijî {0} {1} nikare were mezintir Outstanding Mîqdar {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Hemû Yekîneyên Xizmeta Xizmetiyê
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Li ser Veguhêrîna Derfetê
+DocType: Loan,Total Principal Paid,Tevahiya Sereke Bêserûber
 DocType: Bank Account,Address HTML,Navnîşana IP
 DocType: Lead,Mobile No.,No. Mobile
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Mode Serê
@@ -605,12 +613,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Balance In Base Currency
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Quotations New
+DocType: Loan Interest Accrual,Loan Interest Accrual,Qertê Drav erîf
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Tevlêbûnê ji bo derketina {0} wekî {1} nayê pêşkêş kirin.
 DocType: Journal Entry,Payment Order,Biryara Payê
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Emailê rast bikin
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Dahata ji Savkaniyên din
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Heke vala be, dê Hesabê Warehouse Hesabê yan jî şirketa pêşîn dê were hesibandin"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,slip Emails meaş ji bo karker li ser epeyamê yê xwestî di karkirinê yên hilbijartî
+DocType: Work Order,This is a location where operations are executed.,Ev cîhek e ku karûbarên li dar têne.
 DocType: Tax Rule,Shipping County,Shipping County
 DocType: Currency Exchange,For Selling,Ji bo firotanê
 apps/erpnext/erpnext/config/desktop.py,Learn,Fêrbûn
@@ -619,6 +629,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Koda kodê ya sepandî
 DocType: Asset,Next Depreciation Date,Next Date Farhad.
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Cost Activity per Employee
+DocType: Loan Security,Haircut %,Rêzika%
 DocType: Accounts Settings,Settings for Accounts,Mîhengên ji bo Accounts
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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/crm.py,Manage Sales Person Tree.,Manage Sales Person Tree.
@@ -657,6 +668,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ji kerema xwe ji odeya otêlê li ser xuyakirinê {}
 DocType: Journal Entry,Multi Currency,Multi Exchange
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,bi fatûreyên Type
+DocType: Loan,Loan Security Details,Nîşaneyên ewlehiyê yên deyn
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Ji mêjûya derbasdar divê ji roja têde derbasdar kêmtir be
 DocType: Purchase Invoice,Set Accepted Warehouse,Wargeha Hatî Damezrandin
 DocType: Employee Benefit Claim,Expense Proof,Proof Proof
@@ -779,6 +791,7 @@
 DocType: Purchase Receipt,Vehicle Date,Date Vehicle
 DocType: Campaign Email Schedule,Campaign Email Schedule,Bernameya E-nameya Kampanyayê
 DocType: Student Log,Medical,Pizişkî
+DocType: Work Order,This is a location where scraped materials are stored.,Ev cîhek e ku materyalên scraped têne hilanîn.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Ji kerema xwe vexwarinê hilbijêre
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Xwedîyê Lead nikare bibe wek beşa Komedî de
 DocType: Announcement,Receiver,Receiver
@@ -873,7 +886,7 @@
 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: BOM,Total Cost (Company Currency),Mesrefa Total (Pargîdaniya Pargîdanî)
-DocType: Loan,Total Payment,Total Payment
+DocType: Repayment Schedule,Total Payment,Total Payment
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO ji bo tiştên ku ji bo hemû firotina firotanê firotin hate afirandin
@@ -898,6 +911,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Biryarên kirînê bikujin
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Ji Berê Rented
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Parts bes ji bo Build
+DocType: Loan Security,Loan Security Code,Koda ewlehiya deyn
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Ji kerema xwe pêşî hilînin
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Pêdivî ye ku pêdivî ye ku materyalên xav ên ku bi wê re têkildar bikişînin.
 DocType: POS Profile User,POS Profile User,POS Profîl User
@@ -956,6 +970,7 @@
 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,Stock Entries already created for Work Order ,Bersên Stock Stock ji bo ji bo karê karê ji bo xebitandin
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Koda Babetê&gt; Koma Rêzan&gt; Brand
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Fermanên paşîn bibînin
 DocType: Vital Signs,Respiratory rate,Rêjeya berbiçav
 apps/erpnext/erpnext/config/help.py,Managing Subcontracting,birêvebirina îhaleya
@@ -987,7 +1002,6 @@
 DocType: Company,Delete Company Transactions,Vemirandina Transactions Company
 DocType: Production Plan Item,Quantity and Description,Quantity and Description
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Çavkanî No û Date: Çavkanî ji bo muameleyan Bank wêneke e
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ji kerema xwe Sêwirandina Navên foran ji bo {0} bi hêla Setup&gt; Mîhengên&gt; Navên Pîroz bikin
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lê zêde bike Baca / Edit û doz li
 DocType: Payment Entry Reference,Supplier Invoice No,Supplier bi fatûreyên No
 DocType: Territory,For reference,ji bo referansa
@@ -1018,6 +1032,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Hesabê Bacê
 DocType: Pricing Rule,Sales Partner,Partner Sales
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,All Supplier Scorecards.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Bihayê Order
+DocType: Loan,Disbursed Amount,Bihayek hat belav kirin
 DocType: Buying Settings,Purchase Receipt Required,Meqbûz kirînê pêwîst
 DocType: Sales Invoice,Rail,Hesinê tirêne
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Mesrefa rastîn
@@ -1054,6 +1070,7 @@
 apps/erpnext/erpnext/templates/pages/material_request_info.html,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
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Hesab mecbûr e ku meriv şîfreyên dayînê bistîne
 DocType: Payment Entry,Type of Payment,Type of Payment
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Dîroka Nîv Dîv e
 DocType: Sales Order,Billing and Delivery Status,Billing û Delivery Rewş
@@ -1092,7 +1109,7 @@
 DocType: Purchase Order Item,Billed Amt,billed Amt
 DocType: Training Result Employee,Training Result Employee,Xebatkarê Training Encam
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,A Warehouse mantiqî li dijî ku entries stock made bi.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Şêwaz sereke
+DocType: Repayment Schedule,Principal Amount,Şêwaz sereke
 DocType: Loan Application,Total Payable Interest,Total sûdî
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total Outstanding: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Têkiliyek vekirî
@@ -1105,6 +1122,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Di dema pêvajoyê de çewtiyek çêbû
 DocType: Restaurant Reservation,Restaurant Reservation,Reservation Restaurant
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Tiştên we
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Hilberîner&gt; Tîpa pêşkêşkar
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Writing Pêşniyarek
 DocType: Payment Entry Deduction,Payment Entry Deduction,Payment dabirîna Peyam
 DocType: Service Level Priority,Service Level Priority,Serokatiya Astana Karûbarê
@@ -1261,7 +1279,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Dema ku hesab ji bo Companyirketa zarokan {0} çê kir, hesabê dêûbavê {1} nehat dîtin. Ji kerema xwe hesabê dêûbav di COA-yê ya têkildar de biafirînin"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Issue Issue
 DocType: Student Attendance,Student Attendance,Beşdariyê Student
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Danasîna hinardekirinê tune
 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ê
@@ -1274,6 +1291,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Dîroka Daxuyaniya rastîn
 DocType: Lab Test,Test Template,Template Template
+DocType: Loan Security Pledge,Securities,Ertên ewlehiyê
 DocType: Restaurant Order Entry Item,Served,Served
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Şahidiya agahdariyê
 DocType: Account,Accounts,bikarhênerên
@@ -1367,6 +1385,7 @@
 DocType: Inpatient Record,O Negative,O Negative
 DocType: Work Order Operation,Planned End Time,Bi plan Time End
 DocType: POS Profile,Only show Items from these Item Groups,Tenê Ji Van Grûpên Dabeşan Tiştan nîşan bikin
+DocType: Loan,Is Secured Loan,Krediyek Ewlehî ye
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Agahdariyên Şertên Memêkirinê
 DocType: Delivery Note,Customer's Purchase Order No,Buy Mişterî ya Order No
@@ -1481,6 +1500,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,No Destûr
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Peymana Felsefeya Peymanê
 DocType: Vital Signs,Heart Rate / Pulse,Dilê Dil / Pulse
+DocType: Customer,Default Company Bank Account,Hesabê Bankeya Pargîdaniya Pargîdanî
 DocType: Supplier,Default Bank Account,Account Bank Default
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Fîltre li ser bingeha Partîya, Partîya select yekem Type"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"&#39;Update Stock&#39; nikarin werin kontrolkirin, ji ber tumar bi via teslîmî ne {0}"
@@ -1597,7 +1617,6 @@
 DocType: Sales Team,Incentives,aborîve
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Nirxên Ji Hevpeymaniyê derketin
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Nirxa Cûdahî
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ji kerema xwe ji hêla Tevlêbûnê&gt; Pêjeya Hejmarbûnê ve ji bo Pêvekêşandinê hejmarên hejmaran bikin
 DocType: SMS Log,Requested Numbers,Numbers xwestin
 DocType: Volunteer,Evening,Êvar
 DocType: Quiz,Quiz Configuration,Confiz Configuration
@@ -1617,6 +1636,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Li ser Previous Row Total
 DocType: Purchase Invoice Item,Rejected Qty,red Qty
 DocType: Setup Progress Action,Action Field,Karkerên Çalakî
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Tîpa deyn ji bo rêjeyên rêjeyê û cezayê
 DocType: Healthcare Settings,Manage Customer,Rêveberiyê bistînin
 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
@@ -1628,6 +1648,7 @@
 ,Final Assessment Grades,Nirxandina Bingeha Dawîn
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,The name of şirketa we ji bo ku hûn bi avakirina vê sîstemê.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Usa jî cejnên li Bi tevahî tune. ji rojên xebatê
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Of Total Total
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Enstîtuya xwe ya di ERPNext de saz bike
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analysis Plant
 DocType: Task,Timeline,Timeline
@@ -1635,9 +1656,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Peldanka alternatîf
 DocType: Shopify Log,Request Data,Daneyên Daxwazî
 DocType: Employee,Date of Joining,Date of bizaveka
+DocType: Delivery Note,Inter Company Reference,Referansa irketa Inter
 DocType: Naming Series,Update Series,update Series
 DocType: Supplier Quotation,Is Subcontracted,Ma Subcontracted
 DocType: Restaurant Table,Minimum Seating,Min kêm rûniştinê
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Pirs nikare dubare bibe
 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,Purchase Receipt,Meqbûz kirîn
@@ -1738,6 +1761,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Syncê girêdayî hisab
 DocType: Payment Request,Paid,tê dayin
 DocType: Service Level,Default Priority,Pêşeroja Pêşeng
+DocType: Pledge,Pledge,Berdêl
 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."
@@ -1751,6 +1775,7 @@
 DocType: Guardian,Guardian Name,Navê Guardian
 DocType: Cheque Print Template,Has Print Format,Has Print Format
 DocType: Support Settings,Get Started Sections,Beşên Destpêk Bike
+,Loan Repayment and Closure,Deyn û Ragihandin
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY-
 DocType: Invoice Discounting,Sanctioned,belê
 ,Base Amount,Bêjeya Base
@@ -1764,7 +1789,6 @@
 DocType: Student Admission,Publish on website,Weşana li ser malpera
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Date Supplier bi fatûreyên ne dikarin bibin mezintir Mesaj Date
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Koda Babetê&gt; Koma Rêzan&gt; Brand
 DocType: Subscription,Cancelation Date,Dîroka Cancelkirinê
 DocType: Purchase Invoice Item,Purchase Order Item,Bikirin Order babetî
 DocType: Agriculture Task,Agriculture Task,Taskariya Çandiniyê
@@ -1783,7 +1807,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Rêjeya Discount Additional
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,View lîsteya hemû videos alîkarî
 DocType: Agriculture Analysis Criteria,Soil Texture,Paqijê maqûl
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,serê account Hilbijêre ji bank ku check danenîye bû.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Destûrê bide bikarhêneran ji bo weşînertiya Price List Rate li muamele
 DocType: Pricing Rule,Max Qty,Max Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Karta Raporta Print
@@ -1918,7 +1941,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Dema ku careke din, ev bargav wê heta roja danîn"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Şêwaz firotin
-DocType: Repayment Schedule,Interest Amount,Şêwaz Interest
+DocType: Loan Interest Accrual,Interest Amount,Şêwaz Interest
 DocType: Job Card,Time Logs,Logs Time
 DocType: Sales Invoice,Loyalty Amount,Amûdê
 DocType: Employee Transfer,Employee Transfer Detail,Xwendekarê Transfer Detail
@@ -1958,7 +1981,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Pirtûka Birêvebirina Peldankan
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Kode ya postî
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Sales Order {0} e {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Hesabê dahatina hesabê li lênerê {3}
 DocType: Opportunity,Contact Info,Têkilî
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Making Stock Arşîva
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Kes nikare karûbarê çepê ya Çep bigirin
@@ -2041,7 +2063,6 @@
 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,Start Year,Serî Sal
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Kredî biafirînin
 DocType: Purchase Invoice,Start date of current invoice's period,date ji dema fatûra niha ve dest bi
 DocType: Shift Type,Process Attendance After,Pêvajoya Tevlêbûnê piştî
 ,IRS 1099,IRS 1099
@@ -2062,6 +2083,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Domainên xwe hilbijêrin
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Payment Invoice Items
+DocType: Repayment Schedule,Is Accrued,Qebûlkirin e
 DocType: Payroll Entry,Employee Details,Agahdarî
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Pelên XML-ê pêşve kirin
 DocType: Amazon MWS Settings,CN,CN
@@ -2093,6 +2115,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Entity Entity Entry
 DocType: Employee Checkin,Shift End,Endamê Shift
 DocType: Stock Settings,Default Item Group,Default babetî Pula
+DocType: Loan,Partially Disbursed,Qismen dandin de
 DocType: Job Card Time Log,Time In Mins,Time In Mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Agahdariyê bide
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ev çalakî dê ev hesabê ji karûbarê derveyî yê ku ERPNext bi hesabên banka we re têkildar dike vebike. Ew nema dikare were paşguh kirin. Tu bi xwe ewle yî?
@@ -2108,6 +2131,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,babete eynî ne dikarin ketin bê çend caran.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Girtina deyn
 DocType: Call Log,Lead,Gûlle
 DocType: Email Digest,Payables,Payables
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Nivîskar Token
@@ -2139,6 +2163,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Baca karmend û qezencan
 DocType: Bank Guarantee,Validity in Days,Validity li Rojan
 DocType: Bank Guarantee,Validity in Days,Validity li Rojan
+DocType: Unpledge,Haircut,Porjêkirî
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},"C-form e pêkanîn, ji bo bi fatûreyên: {0}"
 DocType: Certified Consultant,Name of Consultant,Navenda Şêwirmendê
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled Details Payment
@@ -2191,7 +2216,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Din ên cîhanê
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,The babet {0} ne dikarin Batch hene
 DocType: Crop,Yield UOM,UOM
+DocType: Loan Security Pledge,Partially Pledged,Beşdarî soz dan
 ,Budget Variance Report,Budceya Report Variance
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Mîqdara deynek sincirî
 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,Get Items from Healthcare Services,Xizmetên ji Xizmetên Tenduristiyê Bistînin
@@ -2226,6 +2253,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Procedura nû ya kalîteyê
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balance bo Account {0} tim divê {1}
 DocType: Patient Appointment,More Info,Agahî
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Dîroka Zayînê ji Dîroka Tevlêbûnê nikare mezintir be.
 DocType: Supplier Scorecard,Scorecard Actions,Actions Card
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Supplier {0} ne di nav {1}
 DocType: Purchase Invoice,Rejected Warehouse,Warehouse red
@@ -2375,6 +2403,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Hejmara Navdêrên Tevhev
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Destpêkirin
 DocType: Purchase Invoice,Taxes and Charges Calculation,Bac û doz li hesaba
+DocType: Loan Interest Accrual,Payable Principal Amount,Dravê Mîrê Sêwasê
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Book Asset Peyam Farhad otomatîk
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Book Asset Peyam Farhad otomatîk
 DocType: BOM Operation,Workstation,Workstation
@@ -2411,7 +2440,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Xûrek
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Range Ageing 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Daxuyaniyên POS Vebijêrk
-DocType: Bank Account,Is the Default Account,Hesabê Bindest e
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Têkiliyek nehat dîtin.
 DocType: Inpatient Occupancy,Check In,Çek kirin
@@ -2465,12 +2493,14 @@
 DocType: Sales Order Item,Planned Quantity,Quantity plankirin
 DocType: Water Analysis,Water Analysis Criteria,Critîteya Water Analysis
 DocType: Item,Maintain Stock,Pêkanîna Stock
+DocType: Loan Security Unpledge,Unpledge Time,Wextê Unpledge
 DocType: Terms and Conditions,Applicable Modules,Modulên sepandî
 DocType: Employee,Prefered Email,prefered Email
 DocType: Student Admission,Eligibility and Details,Nirx û Agahdariyê
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Di Profitiya Mezin de tête kirin
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Change Net di Asset Fixed
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Ev cîhek e ku hilbera dawîn tê hilanîn.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,ji DateTime
@@ -2511,8 +2541,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Mîsoger / AMC Rewş
 ,Accounts Browser,bikarhênerên Browser
 DocType: Procedure Prescription,Referral,Referral
+,Territory-wise Sales,Firotên xerîdar
 DocType: Payment Entry Reference,Payment Entry Reference,Payment Reference Peyam
 DocType: GL Entry,GL Entry,Peyam GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Row # {0}: Warehouse Pêşkêşker û Pêşkêşkêşker nayê pejirandin yek
 DocType: Support Search Source,Response Options,Options Options
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Rêziknameyên Pirjimarî bicîh bînin
 DocType: HR Settings,Employee Settings,Settings karker
@@ -2570,6 +2602,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,Terta Dravê ya di rêza {0} de dibe ku dubareyek be.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Çandinî (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Packing Slip
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ji kerema xwe Sêwirandina Navên foran ji bo {0} bi hêla Setup&gt; Mîhengên&gt; Navên Pîroz bikin
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Office Rent
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,settings deryek Setup SMS
 DocType: Disease,Common Name,Navê Navîn
@@ -2586,6 +2619,7 @@
 DocType: Item,Sales Details,Details Sales
 DocType: Coupon Code,Used,Bikaranîn
 DocType: Opportunity,With Items,bi babetî
+DocType: Vehicle Log,last Odometer Value ,Nirxê Odometer ya paşîn
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampanya &#39;{0}&#39; jixwe ji bo {1} &#39;{2}&#39; heye
 DocType: Asset Maintenance,Maintenance Team,Tîmên Parastinê
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Fermana ku di kîjan parçeyan de divê xuya bibe. 0 yekem e, 1 duyem e û hwd."
@@ -2596,7 +2630,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense Îdîaya {0} berê ji bo Têkeve Vehicle heye
 DocType: Asset Movement Item,Source Location,Çavkaniya Çavkaniyê
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Navê Enstîtuya
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Ji kerema xwe ve Mîqdar dayinê, binivîse"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Ji kerema xwe ve Mîqdar dayinê, binivîse"
 DocType: Shift Type,Working Hours Threshold for Absent,Demjimêra Demjimêrên Kar ji bo Absent
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Dibe ku faktorê kolektîfên pirrjimarte li ser tevahiya mesrefê de dibe. Lê belê faktorê guherîna ji bo rizgarbûna her timî ji her timî be.
 apps/erpnext/erpnext/config/help.py,Item Variants,Variants babetî
@@ -2619,6 +2653,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,No records dîtin li ser sifrê (DGD)
 apps/erpnext/erpnext/education/utils.py,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/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Ji kerema xwe Type Type Applicant yekem hilbijêrin
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty û Ji bo Warehouse hilbijêrin"
 DocType: GST HSN Code,GST HSN Code,Gst Code HSN
 DocType: Employee External Work History,Total Experience,Total ezmûna
@@ -2705,7 +2740,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",BOM-ê çalak nabe BİXWÎNE {0}. Beriya \ \ Serial Na Nabe ku misoger nekin
 DocType: Sales Partner,Sales Partner Target,Sales Partner Target
-DocType: Loan Type,Maximum Loan Amount,Maximum Mîqdar Loan
+DocType: Loan Application,Maximum Loan Amount,Maximum Mîqdar Loan
 DocType: Coupon Code,Pricing Rule,Rule Pricing
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},hejmara roll Pekana ji bo xwendekarê {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},hejmara roll Pekana ji bo xwendekarê {0}
@@ -2729,6 +2764,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,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,No Items to pack,No babet to pack
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Tenê pelên .csv û .xlsx niha piştgirî ne
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ji kerema xwe di Resavkaniya Mirovan de&gt; Sîstema Navkirin a Karmendiyê Saz bikin
 DocType: Shipping Rule Condition,From Value,ji Nirx
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Manufacturing Quantity wêneke e
 DocType: Loan,Repayment Method,Method vegerandinê
@@ -2874,6 +2910,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Profitiya Netewe
 DocType: Purchase Invoice,Eligibility For ITC,Ji bo ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY-
+DocType: Loan Security Pledge,Unpledged,Nexşandî
 DocType: Journal Entry,Entry Type,Type entry
 ,Customer Credit Balance,Balance Credit Mişterî
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Change Net di Accounts cîhde
@@ -2885,6 +2922,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID Nasnameya Beşdariyê (Nasnameya biyometrîkî / RF)
 DocType: Quotation,Term Details,Details term
 DocType: Item,Over Delivery/Receipt Allowance (%),Destûrdayîna Serkeftinê / Pêşwazî (%)
+DocType: Appointment Letter,Appointment Letter Template,Letablonê Destnivîsînê
 DocType: Employee Incentive,Employee Incentive,Karkerê Têkilî
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Tiştek Bacê
@@ -2909,6 +2947,7 @@
 					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
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink Payment li ser komcivîna me ya bi fatûreyên
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Nerazîbûna Sererkaniyê Qerase
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},xwendina Green niha ketin divê mezintir destpêkê Vehicle Green be {0}
 ,Purchase Order Items To Be Received or Billed,Tiştên Fermana Kirînê Ku bêne stendin an bezandin
 DocType: Restaurant Reservation,No Show,Pêşanî tune
@@ -2992,6 +3031,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Navenda Cost ji bo &#39;Profit û wendakirin&#39; account pêwîst e {2}. Ji kerema xwe ve set up a Navenda Cost default ji bo Company.
 DocType: Payment Schedule,Payment Term,Termê dayîn
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A Pol Mişterî ya bi heman navî heye ji kerema xwe biguherînin navê Mişterî li an rename Pol Mişterî ya
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Divê Dîroka Dawîniya Serlêdanê ji Dîroka Destpêkê Admission mezintir be.
 DocType: Location,Area,Dewer
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,New Contact
 DocType: Company,Company Description,Şirovek Company
@@ -3064,6 +3104,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Data Data
 DocType: Purchase Order Item,Warehouse and Reference,Warehouse û Reference
 DocType: Payroll Period Date,Payroll Period Date,Dîroka Payrollê
+DocType: Loan Disbursement,Against Loan,Li dijî deyn
 DocType: Supplier,Statutory info and other general information about your Supplier,"info ya zagonî û din, agahiyên giştî li ser Supplier te"
 DocType: Item,Serial Nos and Batches,Serial Nos û lekerên
 DocType: Item,Serial Nos and Batches,Serial Nos û lekerên
@@ -3276,6 +3317,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Şêwaz Base (Company Exchange)
 DocType: Purchase Invoice,Registered Regular,Bi Regular hatî tomarkirin
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Raw Materials
+DocType: Plaid Settings,sandbox,sandbox
 DocType: Payment Reconciliation Payment,Reference Row,Çavkanî Row
 DocType: Installation Note,Installation Time,installation Time
 DocType: Sales Invoice,Accounting Details,Details Accounting
@@ -3288,12 +3330,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Tîrmehê
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Şertên qebûlkirinê
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Temamê meblaxa cîhde
 DocType: Task,Expected Time (in hours),Time a bende (di saet)
 DocType: Item Reorder,Check in (group),Check in (koma)
 DocType: Soil Texture,Silt,Silt
@@ -3325,6 +3366,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Ji bo Daxistina Bacê ya Paqijkirina Bacê ya Unsubmitted Tax
 DocType: Volunteer,Anytime,Herdem
 DocType: Bank Account,Bank Account No,Hesabê Bankê Na
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Dabeşkirin û paşve xistin
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Xweseriya Xweseriya Xweseriya Hilbijartinê
 DocType: Patient,Surgical History,Dîroka Surgical
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3385,6 +3427,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Li Têbaza Bazirganiyê ya Lab Labê çêbikin Submit Submit
 DocType: Serial No,Invoice Details,Details bi fatûreyên
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Pêdivî ye ku Pêvek Navdêr berî danasandina Daxuyaniya Mezinahiya Bacê were şandin
+DocType: Loan Application,Proposed Pledges,Sozên pêşniyaz
 DocType: Grant Application,Show on Website,Li ser Malperê nîşan bide
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Destpê bike
 DocType: Hub Tracked Item,Hub Category,Kategorî
@@ -3396,7 +3439,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of material ji bo babet dîtin ne {1}
 DocType: Contract Fulfilment Checklist,Requirement,Pêwistî
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ji kerema xwe di Resavkaniya Mirovan de&gt; Sîstema Navkirin a Karmendiyê Saz bikin&gt; Mîhengên HR
 DocType: Journal Entry,Accounts Receivable,hesabê hilgirtinê
 DocType: Quality Goal,Objectives,Armanc
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Role Hiştin ku Serîlêdana Piştgiriya Vegere ya Zindî Afirîne
@@ -3594,7 +3636,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tîpa Business
 DocType: Sales Invoice,Consumer,Mezêxer
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ji kerema xwe ve butçe, Type bi fatûreyên û Number bi fatûreyên li Hindîstan û yek row hilbijêre"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ji kerema xwe Sêwirandina Navên foran ji bo {0} bi hêla Setup&gt; Mîhengên&gt; Navên Pîroz bikin
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Cost ji Buy New
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order pêwîst ji bo vî babetî {0}
 DocType: Grant Application,Grant Description,Agahdariya Grant
@@ -3653,6 +3694,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Dîrok Ji Dest Pêdivî ye Dîroka Dîroka Neteweyek Dîroka Dîrok.
 DocType: Employee Skill,Evaluation Date,Dîroka Nirxandinê
 DocType: Quotation Item,Stock Balance,Balance Stock
+DocType: Loan Security Pledge,Total Security Value,Nirxa ewlehiya tevahî
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Firotina ji bo Payment
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Bi Payment Taxê
@@ -3744,6 +3786,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Rate Valuation niha:
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Hejmara hesabên root nikare ji 4 kêmtir be
 DocType: Training Event,Advance,Pêşveçûn
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Li hember deyn:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Mîhengên gateway ya GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange Gain / Loss
 DocType: Opportunity,Lost Reason,ji dest Sedem
@@ -3828,8 +3871,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Hilbijêre Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Invalid {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Row {0}: Dîroka ibemiyê ya Zêdanê ji îro nikare mezintir be.
 DocType: Fee Validity,Reference Inv,Reference Inv
 DocType: Sales Invoice Advance,Advance Amount,Advance Mîqdar
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Rêjeya restertê Cezayê (%) Rojê
 DocType: Manufacturing Settings,Capacity Planning,Planning kapasîteya
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Pargîdûna Rounding
 DocType: Asset,Policy number,Numreya polîtîkayê
@@ -3844,7 +3889,9 @@
 DocType: Normal Test Items,Require Result Value,Pêwîste Result Value
 DocType: Purchase Invoice,Pricing Rules,Rêzikên bihayê
 DocType: Item,Show a slideshow at the top of the page,Nîşan a slideshow li jor li ser vê rûpelê
+DocType: Appointment Letter,Body,Beden
 DocType: Tax Withholding Rate,Tax Withholding Rate,Rêjeya Harmendê Bacê
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Dîroka Ragihandina Dravê ji bo deynên termîn mecbûrî ye
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,dikeye
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,dikanên
@@ -3864,7 +3911,7 @@
 DocType: Call Log,Received By,Ji hêla xwe ve hatî wergirtin
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Demjimêrê Serlêdanê (Di çend hûrdeman de)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Şablonên kredî yên mapping
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Rêveberiya Lînan
+DocType: Loan,Loan Management,Rêveberiya Lînan
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Track Dahata cuda de û hisabê bo bixemilînî berhem an jî parçebûyî.
 DocType: Rename Tool,Rename Tool,Rename Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,update Cost
@@ -3872,6 +3919,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Modeya veguherînê
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Slip Show Salary
+DocType: Loan,Is Term Loan,Termertê deyn e
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,transfer Material
 DocType: Fees,Send Payment Request,Request Payment Send
 DocType: Travel Request,Any other details,Ji ber agahiyên din
@@ -3889,6 +3937,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Flow Cash ji Fînansa
 DocType: Budget Account,Budget Account,Account budceya
 DocType: Quality Inspection,Verified By,Sîîrtê By
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Ewlehiya deyn zêde bikin
 DocType: Travel Request,Name of Organizer,Navenda Organizer
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Can currency default şîrketê nayê guhertin, ji ber ku muamele heyî heye. Transactions bên îptal kirin, ji bo guhertina pereyan default."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Ya Qanûna Bacê ye
@@ -3938,6 +3987,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,required ser
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ger kontrol kirin, li Zeviyên Salary Di zeviyê Rounded Total de veşartî û nexşandin"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ev ji bo Dravdana Firotanê di Fermana Firotanê de qewata xwerû ya rojane ye (rojan). Rêjeya hilweşandinê 7 roj ji roja plankirina fermanê ye.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ji kerema xwe ji hêla Tevlêbûnê&gt; Pêjeya Hejmarbûnê ve ji bo Pêvekêşandinê hejmarên hejmarê saz bikin
 DocType: Rename Tool,File to Rename,File to Rename
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Fetch Subscription Updates
@@ -3950,6 +4000,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Hejmarên Serialî Afirandin
 DocType: POS Profile,Applicable for Users,Ji bo Bikaranîna bikarhêneran
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN -YYYY-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Ji Dîrok û heta Rojan Fermandar in
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Pêşveçûn û Tevlêbûnê (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Naveroka Karkeran nehat afirandin
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Slip meaşê karmendekî {0} berê ve ji bo vê pêvajoyê de tên
@@ -4054,11 +4105,12 @@
 ,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,Total Absent,Total Absent
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Babetê an Warehouse bo row {0} nayê nagirin Daxwaza Material
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Mîqdara mestir
+DocType: Loan Repayment,Payable Amount,Mîqdara mestir
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Fersend
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Hêza Max nikare kêmî ji zorê be.
 DocType: Options,Option,Dibe
 DocType: Operation,Default Workstation,Default Workstation
 DocType: Payment Entry,Deductions or Loss,Daşikandinên an Loss
@@ -4099,6 +4151,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Dravê Mîqdara mecbûrî ye
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Steps Next
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Tiştên hatine tomarkirin
@@ -4181,6 +4234,8 @@
 DocType: Asset Maintenance Task,Calibration,Vebijêrk
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} şîrketek şirket e
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Demjimêrên billable
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Rêjeya Tezmînatê ya Cezayê li ser mîqdara benda li ser mehê rojane di rewşek dereng paşketina deyn deyn dide
+DocType: Appointment Letter content,Appointment Letter content,Naveroka nameya Ragihandinê
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Şerta Rewşa Çepê
 DocType: Patient Appointment,Procedure Prescription,Procedure Prescription
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Navmal û Fixtures
@@ -4199,7 +4254,7 @@
 DocType: Opportunity,Customer / Lead Name,Mişterî / Name Lead
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Date Clearance behsa ne
 DocType: Payroll Period,Taxable Salary Slabs,Slabs
-DocType: Job Card,Production,Çêkerî
+DocType: Plaid Settings,Production,Çêkerî
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN nederbasdar e! Vîzyona ku we têkevî bi formata GSTIN re hevber nabe.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Nirxa Hesabê
 DocType: Guardian,Occupation,Sinet
@@ -4342,6 +4397,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Daxuyaniya Bernameyê
 DocType: Stock Entry Detail,Subcontracted Item,Subcontracted Item
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Xwendekar {0} ne girêdayî grûp {1}
+DocType: Appointment Letter,Appointment Date,Dîroka Serdanê
 DocType: Budget,Cost Center,Navenda cost
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,fîşeke #
 DocType: Tax Rule,Shipping Country,Shipping Country
@@ -4411,6 +4467,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dirêjbûna hesaban
 ,Profit and Loss Statement,Qezenc û Loss Statement
 DocType: Bank Reconciliation Detail,Cheque Number,Hejmara Cheque
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Dravê drav nikare zer be
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Ev mijara ku ji hêla {0} - {1} ve hatibû vegotin
 ,Sales Browser,Browser Sales
 DocType: Journal Entry,Total Credit,Total Credit
@@ -4515,6 +4572,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Addertên Kuponê zêde bikin / biguherînin
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"account Expense / Cudahiya ({0}), divê hesabekî &#39;Profit an Loss&#39; be"
 DocType: Stock Entry Detail,Stock Entry Child,Zarok ketina Stock
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Pargîdaniya Ewlekariya Kredî û Pargîdaniya Krediyê divê yek bin
 DocType: Project,Copied From,Kopiyek ji From
 DocType: Project,Copied From,Kopiyek ji From
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Daxistina ji bo hemû demjimêrên hemî damezrandin
@@ -4523,6 +4581,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Fînansê Fînansî ye
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Amadebûna ji bo karker {0} jixwe nîşankirin
 DocType: Packing Slip,If more than one package of the same type (for print),Eger zêdetir ji pakêta cureyê eynî (ji bo print)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Ji kerema xwe Li Perwerde&gt; Mîhengên Perwerdehiyê Sîstema Navkirin a Sêwiran saz bikin
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ji kerema xwe ya mişterî ya li Restaurant Settings
 ,Salary Register,meaş Register
 DocType: Company,Default warehouse for Sales Return,Wargeha xilas ji bo Vegera Firotanê
@@ -4567,7 +4626,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,No Serra Naha
 DocType: Employee,Attendance and Leave Details,Beşdarî û Danûstendinên Derketinê
 ,BOM Comparison Tool,Amûra BOM Comparison
-,Requested,xwestin
+DocType: Loan Security Pledge,Requested,xwestin
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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
@@ -4579,7 +4638,6 @@
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Service Level,Support and Resolution,Piştgirî û Resolution
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Koda belaş belaş nayê hilbijartin
-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
@@ -4612,6 +4670,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Tu niha ji bo nirxandina nirxandin {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Kêmasiya Kêmasî
 DocType: Vehicle Service,Engine Oil,Oil engine
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Karên Karkirina Karan afirandin: {0}
 DocType: Sales Invoice,Sales Team1,Team1 Sales
@@ -4628,6 +4687,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,Rewşa Occupasyon
 DocType: Purchase Invoice,Apply Additional Discount On,Apply Additional li ser navnîshana
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Tîpa Hilbijêre ...
+DocType: Loan Interest Accrual,Amounts,Mîqdar
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Bilêtên te
 DocType: Account,Root Type,Type root
 DocType: Item,FIFO,FIFOScheduler
@@ -4635,6 +4695,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Nikare zêdetir vegerin {1} ji bo babet {2}
 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: Loan Security Price,Loan Security Price,Bihayê ewlehiya deyn
 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,Target warehouse is mandatory for row {0},warehouse Target bo row wêneke e {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Operasyonên Retail
@@ -4771,6 +4832,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch li row wêneke e {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch li row wêneke e {0}
 DocType: Company,Default Buying Terms,Mercên Kirînê yên Default
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Dabeşkirina deyn
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Buy Meqbûz babet Supplied
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Synchronized Synch
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,to DateTime
@@ -4862,6 +4924,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Proposal / Quote Quote
 DocType: Antibiotic,Healthcare,Parastina saxlemîyê
 DocType: Target Detail,Target Detail,Detail target
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Pêvajoyên deyn
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Yekem variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Hemû Jobs
 DocType: Sales Order,% of materials billed against this Sales Order,% Ji materyalên li dijî vê Sales Order billed
@@ -4922,7 +4985,7 @@
 DocType: Item,Reorder level based on Warehouse,asta DIRTYHERTZ li ser Warehouse
 DocType: Activity Cost,Billing Rate,Rate Billing
 ,Qty to Deliver,Qty ji bo azad
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Destpêkirina Veqetandinê Damezirînin
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Destpêkirina Veqetandinê Damezirînin
 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,Operations cannot be left blank,Operasyonên bi vala neyê hiştin
@@ -4955,6 +5018,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Yekbûnên derveyî vekişînin
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Hilbijarkek dravî hilbijêrin
 DocType: Pricing Rule,Item Code,Code babetî
+DocType: Loan Disbursement,Pending Amount For Disbursal,Li benda Dravê Dravdankirinê
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY-
 DocType: Serial No,Warranty / AMC Details,Mîsoger / Details AMC
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,xwendekarên bi destan ji bo Activity bingeha Pol Hilbijêre
@@ -4980,6 +5044,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Qty Jim
 DocType: Landed Cost Item,Receipt Document,Dokumentê wergirtina
 DocType: Employee Education,School/University,School / Zanîngeha
+DocType: Loan Security Pledge,Loan  Details,Hûrguliyên krediyê
 DocType: Sales Invoice Item,Available Qty at Warehouse,Available Qty li Warehouse
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Şêwaz billed
 DocType: Share Transfer,(including),(giştî)
@@ -5003,6 +5068,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Groups
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Pol destê Account
 DocType: Purchase Invoice,Hold Invoice,Rêbaza bisekinin
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Rewşa sozê
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Ji kerema xwe karker hilbijêrin
 DocType: Sales Order,Fully Delivered,bi temamî Çiyan
 DocType: Promotional Scheme Price Discount,Min Amount,Mîqdara Min
@@ -5012,7 +5078,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Şêwaz dandin de ne dikarin bibin mezintir Loan Mîqdar {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} # Hejmara nirxên vekirî {1} ji bila hejmarê nerazîkirî {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Bikirin siparîşê pêwîst ji bo vî babetî {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Leaves Forwarded
@@ -5040,6 +5105,7 @@
 DocType: Pick List Item,Serial No and Batch,Serial No û Batch
 DocType: Warranty Claim,From Company,ji Company
 DocType: GSTR 3B Report,January,Rêbendan
+DocType: Loan Repayment,Principal Amount Paid,Mîqdara Parzûnê Pêdivî ye
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Sum ji Jimareke Krîterên Nirxandina divê {0} be.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Ji kerema xwe ve set Hejmara Depreciations civanan
 DocType: Supplier Scorecard Period,Calculations,Pawlos
@@ -5065,6 +5131,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Der barê şirketa we
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Daneyên Agirkujiyê Stock destnîşan bikin
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,"Credit To account, divê hesabekî Bîlançoya be"
+DocType: Loan Repayment,Penalty Amount,Hêjeya Cezayê
 DocType: Donor,Donor,Donor
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Bacan ji bo tiştên nûve bikin
 DocType: Global Defaults,Disable In Words,Disable Li Words
@@ -5094,6 +5161,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Mesrefa Navenda û Budcekirina
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Opening Sebra Balance
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Beşdarî ketî Paş
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ji kerema xwe Bernameya Xizmetkirinê bidin
 DocType: Pick List,Items under this warehouse will be suggested,Tiştên di binê vê stargehê de têne pêşniyar kirin
 DocType: Purchase Invoice,N,N
@@ -5127,7 +5195,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ji bo Peldanka {1} nehat dîtin.
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nirx divê di navbera {0} û {1} de be
 DocType: Accounts Settings,Show Inclusive Tax In Print,Di Print Inclusive Tax Print
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Peyam nehat şandin
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5141,6 +5208,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Re-Fermandariya Otomatê çalak bikin
 DocType: Stock Settings,Item Naming By,Babetê Bidin By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},"Din jî dema despêka Girtina {0} hatiye dîtin, piştî {1}"
+DocType: Proposed Pledge,Proposed Pledge,Sozdar pêşniyar
 DocType: Work Order,Material Transferred for Manufacturing,Maddî Transferred bo Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Account {0} nayê heye ne
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Bername Bernameya Hilbijartinê hilbijêre
@@ -5151,7 +5219,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Bikin Events {0}, ji ber ku Employee girêdayî jêr Persons Sales nade a ID&#39;ya bikarhêner heye ne {1}"
 DocType: Timesheet,Billing Details,Details Billing
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Source û warehouse target divê cuda bê
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ji kerema xwe di Resavkaniya Mirovan de&gt; Sîstema Navkirin a Karmendiyê Saz bikin&gt; Mîhengên HR
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Payment failed. Ji kerema xwe ji berfirehtir ji bo Agahdariya GoCardless binihêre
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},destûra te ya rojanekirina muameleyên borsayê yên kevintir ji {0}
 DocType: Stock Entry,Inspection Required,Serperiştiya Required
@@ -5164,6 +5231,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},warehouse Delivery pêwîst bo em babete stock {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Giraniya derewîn û ji pakêta. Bi piranî weight net + pakêta weight maddî. (Ji bo print)
 DocType: Assessment Plan,Program,Bername
+DocType: Unpledge,Against Pledge,Li dijî sozê
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Bikarhêner li ser bi vê rola bi destûr ji bo bikarhênerên frozen biafirînin û / ya xeyrandin di entries, hesabgirê dijî bikarhênerên bêhest"
 DocType: Plaid Settings,Plaid Environment,Hawîrdora Plaid
 ,Project Billing Summary,Danasîna Bilindkirina Projeyê
@@ -5216,6 +5284,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,lekerên
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Hejmara rojên hevdîtinan dikarin di pêşîn de bêne tomar kirin
 DocType: Article,LMS User,Bikarhênera LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Soza Ewlekariya Krediyê ji bo krediya pêbawer mecbûrî ye
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Cihê plyêkirinê (Dewlet / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Bikirin Order {0} tê şandin ne
@@ -5288,6 +5357,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Karta Xebatê biafirînin
 DocType: Quotation,Referral Sales Partner,Partner Firotan Referral
 DocType: Quality Procedure Process,Process Description,Danasîna pêvajoyê
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Nabe ku Unleedgege, nirxa ewlehiya kredî ji mîqdara vegerandî mezintir e"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Têkilî {0} hatiye afirandin.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5307,7 +5377,7 @@
 DocType: Asset,Insurance Details,Details sîgorta
 DocType: Account,Payable,Erzan
 DocType: Share Balance,Share Type,Tîpa Share
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Ji kerema xwe ve Maweya vegerandinê binivîse
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Ji kerema xwe ve Maweya vegerandinê binivîse
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Deyndarên ({0})
 DocType: Pricing Rule,Margin,margin
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,muşteriyan New
@@ -5316,6 +5386,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Guhertina POS Profîla
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Qty an Amount ji bo ewlehiya krediyê mandatroy e
 DocType: Bank Reconciliation Detail,Clearance Date,Date clearance
 DocType: Delivery Settings,Dispatch Notification Template,Gotûbêja Dispatchê
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Rapora Nirxandinê
@@ -5362,7 +5433,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Nasnameya şîrketên Quickbooks
 DocType: Travel Request,Travel Funding,Fona Rêwîtiyê
 DocType: Employee Skill,Proficiency,Qehrebûn
-DocType: Loan Application,Required by Date,Pêwîst ji aliyê Date
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail Receipt Buy
 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
 DocType: Lead,Lead Owner,Xwedîyê Lead
@@ -5381,7 +5451,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM û niha New BOM ne dikarin heman
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Meaş ID Slip
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Date Of Teqawîdiyê, divê mezintir Date of bizaveka be"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Hilberîner&gt; Tîpa pêşkêşkar
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Pirrjimar Pirrjimar
 DocType: Sales Invoice,Against Income Account,Li dijî Account da-
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Çiyan
@@ -5413,7 +5482,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,doz type Valuation ne dikarin weke berfireh nîşankirin
 DocType: POS Profile,Update Stock,update Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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î
+DocType: Loan Repayment,Payment Details,Agahdarî
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Pelê Uploaded-ê xwendin
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5445,6 +5514,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Nirxa deynê pirtirkêmtirîn
 ,Stock Ledger,Stock Ledger
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain / Account Loss
 DocType: Amazon MWS Settings,MWS Credentials,MWS kredî
@@ -5552,7 +5622,6 @@
 DocType: Fee Schedule,Fee Schedule,Cedwela Fee
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Labels Column:
 DocType: Bank Transaction,Settled,Bi cî kirin
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Dîroka Veqetandinê Dikare Dîroka Destpêkirina Têgihiştinê de ne be
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parametreyên
 DocType: Company,Create Chart Of Accounts Based On,Create Chart bikarhênerên li ser
@@ -5572,6 +5641,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Şertên Bredî û Payment
 DocType: Loyalty Program,Collection Rules,Qanûna Hilbijartinê
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Babetê 3
+DocType: Loan Security Shortfall,Shortfall Time,Demjimara kêmbûnê
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Entry Order
 DocType: Purchase Order,Customer Contact Email,Mişterî Contact Email
 DocType: Warranty Claim,Item and Warranty Details,Babetê û Warranty Details
@@ -5591,12 +5661,14 @@
 DocType: Sales Person,Sales Person Name,Sales Name Person
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ji kerema xwe ve Hindîstan û 1 fatûra li ser sifrê binivîse
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Testê Tebûr tune
+DocType: Loan Security Shortfall,Security Value ,Nirxa ewlehiyê
 DocType: POS Item Group,Item Group,Babetê Group
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Koma Xwendekaran:
 DocType: Depreciation Schedule,Finance Book Id,Fînansî ya Îngilîzî
 DocType: Item,Safety Stock,Stock Safety
 DocType: Healthcare Settings,Healthcare Settings,Mîhengên tenduristiyê
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Niştecîhên Teva Allocated
+DocType: Appointment Letter,Appointment Letter,Nameya Ragihandinê
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Terakkî% ji bo karekî ne dikarin zêdetir ji 100.
 DocType: Stock Reconciliation Item,Before reconciliation,berî ku lihevhatina
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},{0}
@@ -5651,6 +5723,7 @@
 DocType: Stock Entry,From BOM,ji BOM
 DocType: Assessment Code,Assessment Code,Code nirxandina
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Bingehîn
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Serlêdanên deyn ji kirrûbir û karmendan.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,muamele Stock berî {0} sar bi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Ji kerema xwe re li ser &#39;Çêneke Cedwela&#39; klîk bike
 DocType: Job Card,Current Time,Wexta heyî
@@ -5677,7 +5750,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Pişgirî
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,No komên xwendekaran tên afirandin.
 DocType: Purchase Invoice Item,Serial No,Serial No
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Şêwaz vegerandinê mehane ne dikarin bibin mezintir Loan Mîqdar
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Şêwaz vegerandinê mehane ne dikarin bibin mezintir Loan Mîqdar
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Ji kerema xwe ve yekem Maintaince Details binivîse
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Dîroka Dabeşkirina Expired Berî Berê Daxuyaniya Kirîna Dîroka
 DocType: Purchase Invoice,Print Language,Print Ziman
@@ -5690,6 +5763,7 @@
 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,All Territories,Hemû Territories
+DocType: Plaid Settings,development,pêşveçûnî
 DocType: Lost Reason Detail,Lost Reason Detail,Sedema winda kirin
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Biryareke çewt ya ji bo kirrûbirr û hilberê hilbijartî
@@ -5754,12 +5828,14 @@
 DocType: Staffing Plan Detail,Current Openings,Open Openings
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flow Cash ji operasyonên
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Ameya CGST
+DocType: Vehicle Log,Current Odometer value ,Nirxa Odometer ya heyî
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Xwendekar biafirînin
 DocType: Asset Movement Item,Asset Movement Item,Bûyera Tevgera Axê
 DocType: Purchase Invoice,Shipping Rule,Rule Shipping
 DocType: Patient Relation,Spouse,Jin
 DocType: Lab Test Groups,Add Test,Test Add
 DocType: Manufacturer,Limited to 12 characters,Bi sînor ji 12 tîpan
+DocType: Appointment Letter,Closing Notes,Nîşaneyên Bişopandinê
 DocType: Journal Entry,Print Heading,Print Hawara
 DocType: Quality Action Table,Quality Action Table,Table Action Action Quality
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Total nikare bibe sifir
@@ -5826,6 +5902,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,Kurteya Bazirganiyê
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Amt)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Music &amp; Leisure
+DocType: Loan Security,Loan Security,Ewlekariya deyn
 ,Item Variant Details,Vebijêrk Variant
 DocType: Quality Inspection,Item Serial No,Babetê No Serial
 DocType: Payment Request,Is a Subscription,Pêdivî ye
@@ -5838,7 +5915,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Serdema Dawîn
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Dîrokên diyarkirî û pejirandî nekarin ji îro kêmtir bin
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Materyalê ji Pêşkêşker re veguhestin
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"No New Serial ne dikarin Warehouse hene. Warehouse kirin, divê ji aliyê Stock Peyam an Meqbûz Purchase danîn"
 DocType: Lead,Lead Type,Lead Type
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Quotation Afirandin
@@ -5855,7 +5931,6 @@
 DocType: Leave Allocation,Leave Period,Dema bihêlin
 DocType: Item,Default Material Request Type,Default Material request type
 DocType: Supplier Scorecard,Evaluation Period,Dema Nirxandinê
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Mişterî&gt; Koma Xerîdar&gt; Herêm
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Nenas
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Fermana kar nehatiye afirandin
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5940,7 +6015,8 @@
 ,Customer-wise Item Price,Buhayê Kêrhatî ya Xerîdar
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Daxûyanîya Flow Cash
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Naveroka maddî tune ne
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Deyn Mîqdar dikarin Maximum Mîqdar deyn ji mideyeka ne bêtir ji {0}
+DocType: Loan,Loan Security Pledge,Soza Ewlekariya Krediyê
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Îcaze
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -5957,6 +6033,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Scheme ya Discount Discount
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Rewşa Tenduristiyê divê betal bike an qedexekirinê
 DocType: Amazon MWS Settings,US,ME
+DocType: Loan Security Pledge,Pledged,Soz dan
 DocType: Holiday List,Add Weekly Holidays,Holidays Weekly
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Report Babetê
 DocType: Staffing Plan Detail,Vacancies,Xwezî
@@ -5974,7 +6051,6 @@
 DocType: Production Plan Item,Planned Start Date,Plankirin Date Start
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Ji kerema xwe BOM hilbijêre
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Girtîgeha Înternetê ya Înternetê
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Navnîşa Veberhênanê Afirînin
 DocType: Purchase Order Item,Blanket Order Rate,Pirtûka Pelê ya Blanket
 ,Customer Ledger Summary,Kurteya Mişterî Ledger
 apps/erpnext/erpnext/hooks.py,Certification,Şehadet
@@ -5995,6 +6071,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Appraisal Şablon Title
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial
 DocType: Patient,Alcohol Current Use,Bikaranîna Niha Alkol
+DocType: Loan,Loan Closure Requested,Daxwaza Girtina Krediyê
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Kirê Kirê Kirê Kirê
 DocType: Student Admission Program,Student Admission Program,Bername Bernameya Xwendekarên
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Category Disemption
@@ -6018,6 +6095,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Sales
 DocType: Stock Entry Detail,Basic Amount,Şêwaz bingehîn
 DocType: Training Event,Exam,Bilbilên
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Pêvajoya Ewlekariya Krediya Qedrê
 DocType: Email Campaign,Email Campaign,Kampanyaya E-nameyê
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Çewtiya Marketplace
 DocType: Complaint,Complaint,Gilî
@@ -6119,6 +6197,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,Leaves Used
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ma hûn dixwazin daxwaziya materyalê bişînin
 DocType: Job Offer,Awaiting Response,li benda Response
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Kredî mecbûrî ye
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Ser
 DocType: Support Search Source,Link Options,Vebijêrkên Girêdanê
@@ -6131,6 +6210,7 @@
 DocType: Training Event Employee,Optional,Bixwe
 DocType: Salary Slip,Earning & Deduction,Maaş &amp; dabirîna
 DocType: Agriculture Analysis Criteria,Water Analysis,Analysis
+DocType: Pledge,Post Haircut Amount,Mûçeya Pêkanîna Porê Porê
 DocType: Sales Order,Skip Delivery Note,Derketinê Têbînî
 DocType: Price List,Price Not UOM Dependent,Buhayê Ne girêdayî UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,Guhertin {0}.
@@ -6157,6 +6237,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Get Nawy ji Bundle Product
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Rêbaza vegerandina ji bo deynên termîn mecbûrî ye
 DocType: Asset,Straight Line,Line Straight
 DocType: Project User,Project User,Project Bikarhêner
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Qelişandin
@@ -6210,7 +6291,6 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial #
 DocType: Material Request Plan Item,Required Quantity,Quantity pêwîst
 DocType: Lab Test Template,Lab Test Template,Template Test Lab
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Hilberîner&gt; Tîpa pêşkêşkar
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Hesabê firotanê
 DocType: Purchase Invoice Item,Total Weight,Total Weight
 DocType: Pick List Item,Pick List Item,Lîsteya lîsteyê hilbijêrin
@@ -6258,6 +6338,7 @@
 DocType: Patient Encounter,Encounter Date,Dîrok Dike
 DocType: Work Order,Update Consumed Material Cost In Project,Di Projeyê de Mesrefa Materyalên Xandî Nûjen kirin
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Account: {0} bi currency: {1} ne bên hilbijartin
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Kredî ji bo mişterî û karmendan peyda kirin.
 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î
@@ -6325,7 +6406,6 @@
 DocType: Contract,Signed On,Şandin
 DocType: Bank Account,Party Type,Type Partiya
 DocType: Discounted Invoice,Discounted Invoice,Pêşkêşiya vekirî
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Mark beşdarbûn wek <b></b>
 DocType: Payment Schedule,Payment Schedule,Schedule Payment
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ji bo nirxa qada qada karker nehat dayîn karmend nehat dîtin. &#39;{}&#39;: {
 DocType: Item Attribute Value,Abbreviation,Kinkirî
@@ -6419,7 +6499,6 @@
 DocType: Purchase Order,To Receive,Hildan
 DocType: Leave Period,Holiday List for Optional Leave,Lîsteya Bersîvê Ji bo Bijareya Bijartinê
 DocType: Item Tax Template,Tax Rates,Rêjeyên bacan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Koda Babetê&gt; Koma Rêzan&gt; Brand
 DocType: Asset,Asset Owner,Xwedêkariya xwedan
 DocType: Item,Website Content,Naveroka malperê
 DocType: Bank Account,Integration ID,Nasnameya yekbûnê
@@ -6462,6 +6541,7 @@
 DocType: Customer,Mention if non-standard receivable account,"Behs, eger ne-standard account teleb"
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Ji kerema xwe ji berjewendiyên mayîn {0} ji her yek ji beşên heyî yên nû ve zêde bikin
+DocType: Bank Account,Is Default Account,Hesabê Bindest e
 DocType: Journal Entry Account,If Income or Expense,Ger Hatinê an jî Expense
 DocType: Course Topic,Course Topic,Mijara qursê
 DocType: Bank Statement Transaction Entry,Matching Invoices,Berbihevkirinê
@@ -6473,7 +6553,7 @@
 DocType: Disease,Treatment Task,Tediya Tedawî
 DocType: Payment Order Reference,Bank Account Details,Agahiya Hesabê Bankê
 DocType: Purchase Order Item,Blanket Order,Fermana Blanket
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Pêdivî ye ku dravê dravê ji mezintir be
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Pêdivî ye ku dravê dravê ji mezintir be
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Maldarî bacê
 DocType: BOM Item,BOM No,BOM No
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Daxuyaniyên Nûve bikin
@@ -6529,6 +6609,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Berhemên WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Çewtiya Hevoksaziyê li formula an rewşa: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Babetê {0} hesibandin ji ber ku ew e ku em babete stock ne
+,Loan Security Status,Rewşa ewlehiya deyn
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","To Rule Pricing di danûstandina bi taybetî jî derbas nabe, hemû Rules Pricing pêkanîn, divê neçalak bibin."
 DocType: Payment Term,Day(s) after the end of the invoice month,Roja dawiyê ya mehê
 DocType: Assessment Group,Parent Assessment Group,Dê û bav Nirxandina Group
@@ -6543,7 +6624,6 @@
 DocType: Stock Entry Detail,Additional Cost,Cost Additional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Can filter li ser Voucher No bingeha ne, eger ji aliyê Vienna kom"
 DocType: Quality Inspection,Incoming,Incoming
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ji kerema xwe ji hêla Tevlêbûnê&gt; Pêjeya Hejmarbûnê ve ji bo Pêvekêşandinê hejmarên hejmaran bikin
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Saziyên bacê yên ji bo firotin û kirînê ji nû ve tên afirandin.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Nirxandina encamê {0} jixwe heye.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Nimûne: ABCD. #####. Heke ku rêzikek vekirî ye û Batch Na ne di nav veguhestinê de nirxandin, hingê hejmarek navnîşa otobusê otomatîk li ser vê pirtûkê hatiye afirandin. Heke hûn herdem herdem ji bo vê yekê tiştek balkêş binivîsin, ji vê derê vekin. Têbînî: ev sazkirinê dê li ser Sîsteyên Sûkê li ser Nameya Cîhanê ya Sermaseyê pêşniyar bibin."
@@ -6553,8 +6633,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Review Review
 DocType: Contract,Party User,Partiya Bikarhêner
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Xêra xwe Company wêr&#39;a vala eger Pol By e &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Mişterî&gt; Koma Xerîdar&gt; Herêm
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Deaktîv bike Date nikare bibe dîroka pêşerojê de
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} nayê bi hev nagirin {2} {3}
+DocType: Loan Repayment,Interest Payable,Dravê Bacê
 DocType: Stock Entry,Target Warehouse Address,Navnîşana Navnîşana Warehouse
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Leave Casual
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Wexta dema destpêkê ya guhartinê de dema ku Navnîşa Karmendê ji bo beşdarbûnê tête hesibandin.
@@ -6682,6 +6764,7 @@
 DocType: Issue,Reset Service Level Agreement,Reset Peymana asta karûbarê resen
 ,Sales Person-wise Transaction Summary,Nasname Transaction firotina Person-şehreza
 DocType: Training Event,Contact Number,Hejmara Contact
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Mîqdara mûçeyê mecbûrî ye
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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ê
@@ -6728,6 +6811,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Qty
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Condert dê li ser hemî tiştên hilbijartî bi hev re bêne bicîh kirin.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Armancên ne vala be
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Wareya çewt
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Xwendekar xwendin
 DocType: Item Group,Parent Item Group,Dê û bav babetî Pula
 DocType: Appointment Type,Appointment Type,Tîpa rûniştinê
@@ -6783,10 +6867,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Rêjeya Navîn
 DocType: Appointment,Appointment With,Bi Hevdîtin
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Gava Tiştê Tevî Di nav deynê şertê divê divê tevahî Gund / Gundî be
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Mark beşdarbûn wek <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Tişta peydakirî ya xerîdar&quot; nikare Rêjeya Valasyonê tune
 DocType: Subscription Plan Detail,Plan,Pîlan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,balance Statement Bank wek per General Ledger
-DocType: Job Applicant,Applicant Name,Navê Applicant
+DocType: Appointment Letter,Applicant Name,Navê Applicant
 DocType: Authorization Rule,Customer / Item Name,Mişterî / Navê babetî
 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**. 
 
@@ -6830,11 +6915,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Belavkirinî
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Rewşa karmend nikare bi &#39;areep&#39; were binavkirin ji ber ku karmendên jêrîn vê carê ji vî karmend re ragihandine:
-DocType: Journal Entry Account,Loan,Sened
+DocType: Loan Repayment,Amount Paid,Şêwaz: Destkeftiyên
+DocType: Loan Security Shortfall,Loan,Sened
 DocType: Expense Claim Advance,Expense Claim Advance,Serdanek Pêşveçûn
 DocType: Lab Test,Report Preference,Rapora Raporta
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Agahdariya dilxwaz
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Project Manager
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Koma Ji hêla Xerîdar
 ,Quoted Item Comparison,Babetê têbinî eyna
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Overlap di navbera {0} û {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Dispatch
@@ -6853,6 +6940,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master senkronîzekirina welat, bibe hinek dem bigire"
 DocType: Material Request Plan Item,Material Issue,Doza maddî
 DocType: Employee Education,Qualification,Zanyarî
+DocType: Loan Security Shortfall,Loan Security Shortfall,Kêmasiya ewlehiya deyn
 DocType: Item Price,Item Price,Babetê Price
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabûn &amp; Detergent
 DocType: BOM,Show Items,Show babetî
@@ -6874,13 +6962,13 @@
 DocType: Appointment Booking Settings,Appointment Details,Kîtekîtên Ragihandinê
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Hilbera qedandî
 DocType: Warehouse,Warehouse Name,Navê warehouse
+DocType: Loan Security Pledge,Pledge Time,Wexta Sersalê
 DocType: Naming Series,Select Transaction,Hilbijêre Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ji kerema xwe re têkevin Erêkirina Role an Erêkirina Bikarhêner
 DocType: Journal Entry,Write Off Entry,Hewe Off Peyam
 DocType: BOM,Rate Of Materials Based On,Rate ji materyalên li ser bingeha
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Heke çalak, zeviya Termê akademîk dê di navendên Bernameya Enrollmentê de nerast be."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Nirxên amûrên xwerû, jêkûpêkkirî û ne-GST navxweyî"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Mişterî&gt; Koma Xerîdar&gt; Herêm
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Pargîdan</b> fîlterkerek domdar e.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,menuya hemû
 DocType: Purchase Taxes and Charges,On Item Quantity,Li ser qumarê tişt
@@ -6926,7 +7014,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,kêmbûna Qty
 DocType: Purchase Invoice,Input Service Distributor,Belavkarê Karûbarê Input
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,variant babete {0} bi taybetmendiyên xwe heman heye
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Ji kerema xwe Li Perwerde&gt; Mîhengên Perwerdehiyê Sîstema Navkirin a Sêwiran saz bikin
 DocType: Loan,Repay from Salary,H&#39;eyfê ji Salary
 DocType: Exotel Settings,API Token,API Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Ku daxwaz dikin tezmînat li dijî {0} {1} ji bo mîktarê {2}
@@ -6945,6 +7032,7 @@
 DocType: Salary Slip,Total Interest Amount,Gelek balkêş
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Jêderketin
 DocType: Accounts Settings,Stale Days,Rojên Stale
 DocType: Travel Itinerary,Arrival Datetime,Datetime Arrival
 DocType: Tax Rule,Billing Zipcode,Zipcode Zipcode
@@ -7128,6 +7216,7 @@
 DocType: Employee Transfer,Employee Transfer,Transfera karmendê
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,saetan
 DocType: Project,Expected Start Date,Hêvîkirin Date Start
+DocType: Work Order,This is a location where raw materials are available.,Ev cîhek e ku deverên xav tê de.
 DocType: Purchase Invoice,04-Correction in Invoice,04-ڕاستکردنەوە لە پسوولە
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,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: Bank Account,Party Details,Partiya Partiyê
@@ -7146,6 +7235,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Çavkanî:
 DocType: Contract,Partially Fulfilled,Bi awayek dagirtî
 DocType: Maintenance Visit,Fully Completed,bi temamî Qediya
+DocType: Loan Security,Loan Security Name,Navê ewlehiya deyn
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Di tîpa navnasî de ji bilî &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Û &quot;}&quot; tîpên Taybet"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Nil nîsk an jibîrkirî ye
 DocType: Employee,Educational Qualification,Qualification perwerdeyî
@@ -7202,6 +7292,7 @@
 DocType: Program,Is Featured,Pêşkêş e
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Fetching ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Çandinî bikarhêner
+DocType: Loan Security Shortfall,America/New_York,Amerîka / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Dîroka rastîn nikare beriya danûstandinê berî ne
 apps/erpnext/erpnext/stock/stock_ledger.py,{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î
@@ -7278,8 +7369,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Xebatkar {0} li Niştecîh {1} ye
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Ne vegerandin ji bo Journal Entry hilbijartin
 DocType: Purchase Invoice,GST Category,Kategoriya GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Sozên pêşniyar ji bo deynên pêbawer mecbûr in
 DocType: Payment Reconciliation,From Invoice Date,Ji fatûreyên Date
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budçe
 DocType: Invoice Discounting,Disbursed,Vexwendin
@@ -7334,14 +7425,13 @@
 DocType: Restaurant,Active Menu,Menu menu
 DocType: Accounting Dimension Detail,Default Dimension,Mezinahiya Default
 DocType: Target Detail,Target Qty,Qty target
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Li Bexdayê: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Settings Checkout
 DocType: Student Attendance,Present,Amade
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Delivery Têbînî {0} divê şandin ne bê
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Dê dirûşmeya mûçeyê ku ji karmend re were şandin were şîfre were parastin, dê şîfreya li ser bingeha polîtîkaya şîfreyê were hilberandin."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Green
 DocType: Production Plan Item,Ordered Qty,emir kir Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Babetê {0} neçalak e
 DocType: Stock Settings,Stock Frozen Upto,Stock Upto Frozen
@@ -7397,7 +7487,6 @@
 DocType: Serial No,Delivery Document Type,Delivery Corî dokumênt
 DocType: Sales Order,Partly Delivered,hinekî Çiyan
 DocType: Item Variant Settings,Do not update variants on save,Variants on save save
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Koma Paşgiran
 DocType: Email Digest,Receivables,telebê
 DocType: Lead Source,Lead Source,Source Lead
 DocType: Customer,Additional information regarding the customer.,agahiyên zêdetir di derbarê mişterî.
@@ -7491,6 +7580,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Rast
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Rêveberê Restaurant
+DocType: Loan,Penalty Income Account,Hesabê hatiniya darayî
 DocType: Call Log,Call Log,Log Têkeve
 DocType: Authorization Rule,Customerwise Discount,Customerwise Discount
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet ji bo karên.
@@ -7576,6 +7666,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Sermaseya Hilberîna Hilberê
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ti pirsgirêk ji hêla bangker ve nehatiye bilind kirin.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Koma Ji hêla Pêşkêşker
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorî
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7586,7 +7677,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Li ser lîsteya bihayê bihayê
 DocType: Customer Group,Parent Customer Group,Dê û bav Mişterî Group
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON tenê ji Pêşkêşiya Firotanê were hilberandin
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Ji bo vê quizê hewildanên herî zêde gihîştin!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonetî
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Pending Creation Pending
@@ -7603,6 +7693,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Parastina Parastinê
 DocType: Delivery Note Item,Against Sales Invoice,Li dijî bi fatûreyên Sales
 DocType: Purchase Invoice,07-Others,07-ئەوانی دیکە
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Mîqdara Quotation
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Tikaye hejmara serial bo em babete weşandin diyar binvêse!
 DocType: Bin,Reserved Qty for Production,Qty Reserved bo Production
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Dev ji zilma eger tu dixwazî ji bo ku li hevîrê di dema çêkirina komên Helbet bingeha.
@@ -7711,6 +7802,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Payment Meqbûz Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Daxwaza Materyalê biafirînin
+DocType: Loan Interest Accrual,Pending Principal Amount,Li benda Dravê Sereke
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7752,6 +7844,7 @@
 											to fullfill Sales Order {2}",Nikarî Serial No {0} ya {1} ji ber ku ew rakêş e \ n tije razdariya firotanê {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-YYYY-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Supplier Quotation {0} tên afirandin
+DocType: Loan Security Unpledge,Unpledge Type,Tîpa Unpledge
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,End Sal nikarim li ber Serî Sal be
 DocType: Employee Benefit Application,Employee Benefits,Qezenca kardarîyê
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Nasnameya kardêr
@@ -7834,6 +7927,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Koda kursê
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Ji kerema xwe ve Expense Account binivîse
 DocType: Quality Action Resolution,Problem,Pirsegirêk
+DocType: Loan Security Type,Loan To Value Ratio,Rêjeya nirxê deyn
 DocType: Account,Stock,Embar
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7851,6 +7945,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Navnîşa Transferê ya Bexdayê Entry
 DocType: Sales Invoice Item,Discount and Margin,Discount û Kenarê
 DocType: Lab Test,Prescription,Reçete
+DocType: Process Loan Security Shortfall,Update Time,Wexta nûvekirinê
 DocType: Import Supplier Invoice,Upload XML Invoices,Faturayên XML-yê barkirin
 DocType: Company,Default Deferred Revenue Account,Account Revenue Deferred Default
 DocType: Project,Second Email,Duyemîn Email
@@ -7864,7 +7959,7 @@
 DocType: Quality Action,Preventive,Tedbîr
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Amûrên ku ji Kesên Kêmkirî re hatî amadekirin
 DocType: Company,Date of Incorporation,Dîroka Hevkariyê
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Bacê
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total Bacê
 DocType: Manufacturing Settings,Default Scrap Warehouse,Wargeha Pêşkêş a Pêşkêşkerê
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Bargêrîna Dawîn
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Ji bo Diravan (Manufactured Qty) wêneke e
@@ -7883,6 +7978,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Modela default default of payment set
 DocType: Stock Entry Detail,Against Stock Entry,Li hember Tevlêbûna Stock
 DocType: Grant Application,Withdrawn,vekişandiye
+DocType: Loan Repayment,Regular Payment,Dravdana birêkûpêk
 DocType: Support Search Source,Support Search Source,Çavkaniya Çavkaniya Lêgerîna
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Argearkbarî
 DocType: Project,Gross Margin %,Kenarê% Gross
@@ -7896,8 +7992,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Bêyî Bacê Bacê
 DocType: BOM Operation,BOM Operation,BOM Operation
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Li ser Previous Mîqdar Row
+DocType: Student,Home Address,Navnîşana malê
 DocType: Options,Is Correct,Rast e
 DocType: Item,Has Expiry Date,Dîroka Pîrozbahiyê ye
+DocType: Loan Repayment,Paid Accrual Entries,Beşdariyên Bawerdar ên Pêxember dane
+DocType: Loan Security,Loan Security Type,Tîpa ewlehiya deyn
 apps/erpnext/erpnext/config/support.py,Issue Type.,Cureya pirsgirêkê.
 DocType: POS Profile,POS Profile,Profile POS
 DocType: Training Event,Event Name,Navê Event
@@ -7909,6 +8008,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Seasonality ji bo avakirin, budceyên, armancên hwd."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Nirxên
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Navekî Navîn
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Ji bo lihevhatinê hesabê Bankê hilbijêrin.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Babetê {0} a şablonê ye, ji kerema xwe ve yek ji Guhertoyên xwe hilbijêre"
 DocType: Purchase Invoice Item,Deferred Expense,Expense Expense
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Vegere Mesajan
@@ -7960,7 +8060,6 @@
 DocType: GL Entry,To Rename,Navnav kirin
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Hilbijêrin ku Hejmara Serialê zêde bikin.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Ji kerema xwe Li Perwerde&gt; Mîhengên Perwerdehiyê Sîstema Navkirin a Sêwiran saz bikin
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ji kerema xwe kodê Faşsalê ji bo xerîdar &#39;% s&#39; bicîh bikin
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Ji kerema xwe re yekem şirket hilbijêre
 DocType: Item Attribute,Numeric Values,Nirxên hejmar
@@ -7984,6 +8083,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Fetch bingeha FIFO-yê ye
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root bi dikarin di dahatûyê de were.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Nirxa ewlehiya deyn
 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
@@ -8030,6 +8130,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Ji kerema xwe ve yekem Kategorî hilbijêre
 apps/erpnext/erpnext/config/projects.py,Project master.,master Project.
 DocType: Contract,Contract Terms,Şertên Peymana
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sînorê Rêjeya Sanctioned
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Confapkirin berdewam bikin
 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,Maximum benefit amount of component {0} exceeds {1},Gelek mûçeya nirxê {0} zêdeyî {1}
@@ -8073,3 +8174,4 @@
 DocType: Account,Cash,Perê pêşîn
 DocType: Sales Invoice,Unpaid and Discounted,Baca û Nehfkirî
 DocType: Employee,Short biography for website and other publications.,biography kurt de ji bo malpera û belavokên din.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Row # {0}: Dema ku hûn peywirdarên xav didan berhevdanê
diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv
index 35f744d..714d01b 100644
--- a/erpnext/translations/lo.csv
+++ b/erpnext/translations/lo.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,ໂອກາດ ໝົດ ເຫດຜົນ
 DocType: Patient Appointment,Check availability,ກວດເບິ່ງທີ່ມີຢູ່
 DocType: Retention Bonus,Bonus Payment Date,ວັນຈ່າຍເງິນໂບນັດ
-DocType: Employee,Job Applicant,ວຽກເຮັດງານທໍາສະຫມັກ
+DocType: Appointment Letter,Job Applicant,ວຽກເຮັດງານທໍາສະຫມັກ
 DocType: Job Card,Total Time in Mins,ເວລາທັງ ໝົດ ໃນ Mins
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການເຮັດທຸລະກໍາກັບຜູ້ນີ້. ເບິ່ງໄລຍະເວລາຂ້າງລຸ່ມນີ້ສໍາລັບລາຍລະອຽດ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ອັດຕາສ່ວນເກີນມູນຄ່າສໍາລັບຄໍາສັ່ງເຮັດວຽກ
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,ຂໍ້ມູນຕິດຕໍ່
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ຊອກຫາຫຍັງ ...
 ,Stock and Account Value Comparison,ການປຽບທຽບມູນຄ່າຫຸ້ນແລະບັນຊີ
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,ຈຳ ນວນເງິນທີ່ຖືກ ຊຳ ລະບໍ່ສາມາດໃຫຍ່ກວ່າ ຈຳ ນວນເງິນກູ້
 DocType: Company,Phone No,ໂທລະສັບທີ່ບໍ່ມີ
 DocType: Delivery Trip,Initial Email Notification Sent,ການແຈ້ງເຕືອນເບື້ອງຕົ້ນຖືກສົ່ງມາ
 DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,ຄວາມສົນໃຈ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,ເປີດ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,ໂປລແກລມ:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,ຖືກຕ້ອງຈາກເວລາຕ້ອງນ້ອຍກວ່າເວລາທີ່ໃຊ້ໄດ້ກັບ Upto Time.
 DocType: Item,Copy From Item Group,ຄັດລອກຈາກກຸ່ມສິນຄ້າ
 DocType: Journal Entry,Opening Entry,Entry ເປີດ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,ບັນຊີຈ່າຍພຽງແຕ່
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Grade
 DocType: Restaurant Table,No of Seats,ບໍ່ມີບ່ອນນັ່ງ
+DocType: Loan Type,Grace Period in Days,ໄລຍະເວລາ Grace ໃນວັນ
 DocType: Sales Invoice,Overdue and Discounted,ເກີນ ກຳ ນົດແລະຫຼຸດລາຄາ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},ຊັບສິນ {0} ບໍ່ແມ່ນຂອງຜູ້ດູແລຮັກສາ {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ໂທຕັດການເຊື່ອມຕໍ່
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedures ສັ່ງ
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,ສະແດງພຽງແຕ່ POS
 DocType: Supplier Group,Supplier Group Name,Supplier Group Name
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ໝາຍ ເອົາການເຂົ້າຮຽນເປັນ <b></b>
 DocType: Driver,Driving License Categories,ປະເພດໃບອະນຸຍາດຂັບຂີ່
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ກະລຸນາໃສ່ວັນທີ່ສົ່ງ
 DocType: Depreciation Schedule,Make Depreciation Entry,ເຮັດໃຫ້ການເຂົ້າຄ່າເສື່ອມລາຄາ
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ລາຍລະອຽດຂອງການດໍາເນີນງານປະຕິບັດ.
 DocType: Asset Maintenance Log,Maintenance Status,ສະຖານະບໍາລຸງຮັກສາ
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ຈຳ ນວນອາກອນລາຍການລວມຢູ່ໃນມູນຄ່າ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,ຄຳ ກູ້ຄວາມປອດໄພຂອງເງິນກູ້
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,ລາຍລະອຽດສະມາຊິກ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Supplier ຈໍາເປັນຕ້ອງຕໍ່ບັນຊີ Payable {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,ລາຍການແລະລາຄາ
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ຊົ່ວໂມງທັງຫມົດ: {0}
+DocType: Loan,Loan Manager,ຜູ້ຈັດການເງິນກູ້
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ຈາກວັນທີ່ຄວນຈະຢູ່ໃນປີງົບປະມານ. ສົມມຸດວ່າຈາກ Date = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYY.-
 DocType: Drug Prescription,Interval,ຊ່ວງເວລາ
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',ການປັບປຸງໂດຍຜ່ານການ &#39;ທີ່ໃຊ້ເວລາເຂົ້າ&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ເລືອກລູກຄ້າຫຼືຜູ້ສະຫນອງ.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ລະຫັດປະເທດໃນເອກະສານບໍ່ກົງກັບລະຫັດປະເທດທີ່ຕັ້ງໄວ້ໃນລະບົບ
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},ບັນຊີ {0} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ເລືອກເອົາ ໜຶ່ງ ສິ່ງບູລິມະສິດເປັນຄ່າເລີ່ມຕົ້ນ.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ຈໍານວນເງິນລ່ວງຫນ້າບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ທີ່ໃຊ້ເວລາ slot skiped, slot {0} ກັບ {1} ລອກເອົາ slot exisiting {2} ກັບ {3}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ອອກຈາກສະກັດ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ລາຍການ {0} ໄດ້ບັນລຸໃນຕອນທ້າຍຂອງຊີວິດໃນ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ການອອກສຽງທະນາຄານ
-DocType: Customer,Is Internal Customer,ແມ່ນລູກຄ້າພາຍໃນ
+DocType: Sales Invoice,Is Internal Customer,ແມ່ນລູກຄ້າພາຍໃນ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,ຂາຍໃບເກັບເງິນທີ່ບໍ່ມີ
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,ຂໍອຸປະກອນການ
 DocType: Bank Reconciliation,Update Clearance Date,ວັນທີ່ປັບປຸງການເກັບກູ້
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,ມັດ Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,ບໍ່ສາມາດສ້າງເງິນກູ້ໄດ້ຈົນກວ່າຈະມີການອະນຸມັດ
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ລາຍການ {0} ບໍ່ພົບເຫັນຢູ່ໃນຕາຕະລາງ &#39;ຈໍາຫນ່າຍວັດຖຸດິບໃນການສັ່ງຊື້ {1}
 DocType: Salary Slip,Total Principal Amount,ຈໍານວນຕົ້ນທຶນລວມ
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,ຖືກຕ້ອງ
 DocType: Student Guardian,Mother,ແມ່
 DocType: Restaurant Reservation,Reservation End Time,ເວລາ Reservation ການສິ້ນສຸດ
+DocType: Salary Slip Loan,Loan Repayment Entry,ການອອກເງິນຄືນການກູ້ຢືມເງິນ
 DocType: Crop,Biennial,Biennial
 ,BOM Variance Report,BOM Variance Report
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,ຢືນຢັນຄໍາສັ່ງຈາກລູກຄ້າ.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},ຊໍາລະເງິນກັບ {0} {1} ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາທີ່ພົ້ນເດັ່ນຈໍານວນ {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,ທຸກຫນ່ວຍບໍລິການສຸຂະພາບ
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,ກ່ຽວກັບການປ່ຽນແປງໂອກາດ
+DocType: Loan,Total Principal Paid,ການຈ່າຍເງິນຕົ້ນຕໍທັງ ໝົດ
 DocType: Bank Account,Address HTML,ທີ່ຢູ່ HTML
 DocType: Lead,Mobile No.,ເບີມືຖື
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Mode of Payments
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,ຍອດເງິນໃນຖານສະກຸນເງິນ
 DocType: Supplier Scorecard Scoring Standing,Max Grade,ສູງສຸດທີ່ເຄຍ Grade
 DocType: Email Digest,New Quotations,ຄວາມຫມາຍໃຫມ່
+DocType: Loan Interest Accrual,Loan Interest Accrual,ອັດຕາດອກເບ້ຍເງິນກູ້
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,ການເຂົ້າຮ່ວມບໍ່ໄດ້ສົ່ງສໍາລັບ {0} ເປັນ {1} ເມື່ອພັກຜ່ອນ.
 DocType: Journal Entry,Payment Order,Order Order
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ຢືນຢັນອີເມວ
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,ລາຍໄດ້ຈາກແຫລ່ງອື່ນ
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ຖ້າວ່າງໄວ້, ບັນຊີສາງພໍ່ແມ່ຫຼືຄ່າເລີ່ມຕົ້ນຂອງບໍລິສັດຈະຖືກພິຈາລະນາ"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ຄວາມຜິດພາດພຽງອີເມວເງິນເດືອນໃຫ້ພະນັກງານໂດຍອີງໃສ່ອີເມວທີ່ແນະນໍາການຄັດເລືອກໃນພະນັກງານ
+DocType: Work Order,This is a location where operations are executed.,ນີ້ແມ່ນສະຖານທີ່ທີ່ປະຕິບັດການປະຕິບັດງານ.
 DocType: Tax Rule,Shipping County,Shipping County
 DocType: Currency Exchange,For Selling,ສໍາລັບການຂາຍ
 apps/erpnext/erpnext/config/desktop.py,Learn,ຮຽນຮູ້
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,ໃຊ້ລະຫັດຄູປອງ
 DocType: Asset,Next Depreciation Date,ຕໍ່ໄປວັນທີ່ຄ່າເສື່ອມລາຄາ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,ຄ່າໃຊ້ຈ່າຍຂອງກິດຈະກໍາຕໍ່ພະນັກງານ
+DocType: Loan Security,Haircut %,ຕັດຜົມ%
 DocType: Accounts Settings,Settings for Accounts,ການຕັ້ງຄ່າສໍາລັບການບັນຊີ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Supplier Invoice ບໍ່ມີລາຄາໃນການຊື້ Invoice {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,ການຄຸ້ມຄອງການຂາຍສ່ວນບຸກຄົນເປັນໄມ້ຢືນຕົ້ນ.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},ກະລຸນາຕັ້ງໂຮງແຮມ Rate on {}
 DocType: Journal Entry,Multi Currency,ສະກຸນເງິນຫຼາຍ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ປະເພດໃບເກັບເງິນ
+DocType: Loan,Loan Security Details,ລາຍລະອຽດກ່ຽວກັບຄວາມປອດໄພຂອງເງິນກູ້
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ຖືກຕ້ອງຈາກວັນທີຕ້ອງມີ ໜ້ອຍ ກວ່າວັນທີທີ່ຖືກຕ້ອງ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},ຂໍ້ຍົກເວັ້ນເກີດຂື້ນໃນຂະນະທີ່ການຄືນດີກັນ {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,ຕັ້ງສາງທີ່ຍອມຮັບໄດ້
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,ຕ້ອງການການອະນຸມັດທົດລອງທົດລອງ
 DocType: Attendance,Working Hours,ຊົ່ວໂມງເຮັດວຽກ
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ຍອດລວມທັງຫມົດ
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ປັດໄຈການປ່ຽນ UOM ({0} -&gt; {1}) ບໍ່ພົບ ສຳ ລັບລາຍການ: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ການປ່ຽນແປງ / ຈໍານວນລໍາດັບການເລີ່ມຕົ້ນໃນປັດຈຸບັນຂອງໄລຍະການທີ່ມີຢູ່ແລ້ວ.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ເປີເຊັນທີ່ທ່ານໄດ້ຮັບອະນຸຍາດໃຫ້ເກັບໃບບິນຫຼາຍກວ່າ ຈຳ ນວນທີ່ສັ່ງ. ຕົວຢ່າງ: ຖ້າມູນຄ່າການສັ່ງສິນຄ້າແມ່ນ $ 100 ສຳ ລັບສິນຄ້າແລະຄວາມທົນທານໄດ້ຖືກ ກຳ ນົດເປັນ 10% ແລ້ວທ່ານຈະໄດ້ຮັບອະນຸຍາດໃຫ້ເກັບເງີນເປັນ 110 ໂດລາ.
 DocType: Dosage Strength,Strength,ຄວາມເຂັ້ມແຂງ
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,ວັນທີ່ສະຫມັກຍານພາຫະນະ
 DocType: Campaign Email Schedule,Campaign Email Schedule,ຕາຕະລາງອີເມວແຄມເປນ
 DocType: Student Log,Medical,ທາງການແພດ
+DocType: Work Order,This is a location where scraped materials are stored.,ນີ້ແມ່ນສະຖານທີ່ບ່ອນທີ່ເກັບມ້ຽນວັດສະດຸທີ່ຖືກຂູດ.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,ກະລຸນາເລືອກຢາ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,ເຈົ້າຂອງເປັນຜູ້ນໍາພາບໍ່ສາມາດຈະດຽວກັນເປັນຜູ້ນໍາ
 DocType: Announcement,Receiver,ຮັບ
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,ສາມາດໃຊ້ໄດ້ສໍາລັບຜູ້ຂັບຂີ່ພາຍນອກ
 DocType: Sales Order Item,Used for Production Plan,ນໍາໃຊ້ສໍາລັບແຜນການຜະລິດ
 DocType: BOM,Total Cost (Company Currency),ຕົ້ນທຶນທັງ ໝົດ (ສະກຸນເງິນຂອງບໍລິສັດ)
-DocType: Loan,Total Payment,ການຊໍາລະເງິນທັງຫມົດ
+DocType: Repayment Schedule,Total Payment,ການຊໍາລະເງິນທັງຫມົດ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO ໄດ້ສ້າງແລ້ວສໍາລັບລາຍການສັ່ງຊື້ທັງຫມົດ
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ເຕືອນໃບສັ່ງຊື້
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,ເຊົ່າຈາກວັນທີ່
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Parts ພຽງພໍທີ່ຈະກໍ່ສ້າງ
+DocType: Loan Security,Loan Security Code,ລະຫັດຄວາມປອດໄພຂອງເງິນກູ້
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,ກະລຸນາຊ່ວຍປະຢັດກ່ອນ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ລາຍການທີ່ຕ້ອງການດຶງວັດຖຸດິບທີ່ຕິດພັນກັບມັນ.
 DocType: POS Profile User,POS Profile User,POS User Profile
@@ -976,6 +989,7 @@
 DocType: Patient,Risk Factors,ປັດໄຈຄວາມສ່ຽງ
 DocType: Patient,Occupational Hazards and Environmental Factors,ອັນຕະລາຍດ້ານອາຊີບແລະສິ່ງແວດລ້ອມ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ບັນດາຜະລິດຕະພັນທີ່ສ້າງແລ້ວສໍາລັບຄໍາສັ່ງເຮັດວຽກ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ລະຫັດສິນຄ້າ&gt; ກຸ່ມລາຍການ&gt; ຍີ່ຫໍ້
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ເບິ່ງການສັ່ງຊື້ທີ່ຜ່ານມາ
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ການສົນທະນາ
 DocType: Vital Signs,Respiratory rate,ອັດຕາການຫາຍໃຈ
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,ລົບລາຍະການບໍລິສັດ
 DocType: Production Plan Item,Quantity and Description,ຈຳ ນວນແລະລາຍລະອຽດ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,ກະສານອ້າງອີງບໍ່ມີແລະວັນທີເອກະສານແມ່ນການບັງຄັບສໍາລັບການເຮັດທຸລະກໍາທະນາຄານ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ກະລຸນາຕັ້ງຊຸດການໃສ່ຊື່ ສຳ ລັບ {0} ຜ່ານການຕັ້ງຄ່າ&gt; ການຕັ້ງຄ່າ&gt; ຊຸດການຕັ້ງຊື່
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,ເພີ່ມ / ແກ້ໄຂພາສີອາກອນແລະຄ່າບໍລິການ
 DocType: Payment Entry Reference,Supplier Invoice No,Supplier Invoice No
 DocType: Territory,For reference,ສໍາລັບການກະສານອ້າງອີງ
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,ບັນຊີອອມຊັບພາສີ
 DocType: Pricing Rule,Sales Partner,Partner ຂາຍ
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ທັງຫມົດ scorecards Supplier.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ຈຳ ນວນສັ່ງຊື້
+DocType: Loan,Disbursed Amount,ຈຳ ນວນເງິນທີ່ຈ່າຍໃຫ້
 DocType: Buying Settings,Purchase Receipt Required,ຊື້ຮັບທີ່ກໍານົດໄວ້
 DocType: Sales Invoice,Rail,ລົດໄຟ
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ຄ່າໃຊ້ຈ່າຍຕົວຈິງ
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,ເຊື່ອມຕໍ່ກັບ QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},ກະລຸນາລະບຸ / ສ້າງບັນຊີ (Ledger) ສຳ ລັບປະເພດ - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,ບັນຊີທີ່ຕ້ອງຈ່າຍ
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,ບັນຊີແມ່ນມີຄວາມ ຈຳ ເປັນທີ່ຈະຕ້ອງໄດ້ຮັບການ ຊຳ ລະເງິນ
 DocType: Payment Entry,Type of Payment,ປະເພດຂອງການຊໍາລະເງິນ
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ວັນທີເຄິ່ງວັນແມ່ນຈໍາເປັນ
 DocType: Sales Order,Billing and Delivery Status,ໃບບິນແລະການຈັດສົ່ງສິນຄ້າສະຖານະ
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,ບັນຊີລາຍ Amt
 DocType: Training Result Employee,Training Result Employee,ພະນັກງານການຝຶກອົບຮົມການຄົ້ນຫາ
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,A Warehouse ຢ່າງມີເຫດຜົນການຕໍ່ຕ້ານທີ່ entries ຫຼັກຊັບໄດ້.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,ຈໍານວນຜູ້ອໍານວຍການ
+DocType: Repayment Schedule,Principal Amount,ຈໍານວນຜູ້ອໍານວຍການ
 DocType: Loan Application,Total Payable Interest,ທັງຫມົດດອກເບ້ຍຄ້າງຈ່າຍ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ຍອດລວມ: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,ເປີດຕິດຕໍ່
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,ເກີດຄວາມຜິດພາດໃນຂະບວນການປັບປຸງ
 DocType: Restaurant Reservation,Restaurant Reservation,ຮ້ານອາຫານການຈອງ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ລາຍການຂອງທ່ານ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ&gt; ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ຂຽນບົດສະເຫນີ
 DocType: Payment Entry Deduction,Payment Entry Deduction,ການຫັກ Entry ການຊໍາລະເງິນ
 DocType: Service Level Priority,Service Level Priority,ບູລິມະສິດໃນລະດັບການບໍລິການ
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,ສ້າງກຸ່ມນັກສຶກສາ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,ສ້າງກຸ່ມນັກສຶກສາ
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ການຊໍາລະເງິນ Gateway ບັນຊີບໍ່ໄດ້ສ້າງ, ກະລຸນາສ້າງດ້ວຍຕົນເອງ."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},ສາງກຸ່ມບໍ່ສາມາດໃຊ້ໃນການເຮັດທຸລະ ກຳ. ກະລຸນາປ່ຽນຄ່າ {0}
 DocType: Supplier Scorecard,Per Year,ຕໍ່ປີ
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,ບໍ່ມີສິດໄດ້ຮັບການເຂົ້າຮຽນຢູ່ໃນໂຄງການນີ້ຕາມ DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,ແຖວ # {0}: ບໍ່ສາມາດລຶບລາຍການຕ່າງໆ {1} ທີ່ຖືກມອບ ໝາຍ ໃຫ້ກັບການສັ່ງຊື້ຂອງລູກຄ້າ.
@@ -1289,7 +1307,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","ໃນຂະນະທີ່ສ້າງບັນຊີ ສຳ ລັບບໍລິສັດເດັກ {0}, ບັນຊີພໍ່ແມ່ {1} ບໍ່ພົບ. ກະລຸນາສ້າງບັນຊີຜູ້ປົກຄອງໃນ COA ທີ່ສອດຄ້ອງກັນ"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,ຜູ້ເຂົ້າຮ່ວມນັກສຶກສາ
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,ບໍ່ມີຂໍ້ມູນທີ່ຈະສົ່ງອອກ
 DocType: Sales Invoice Timesheet,Time Sheet,ທີ່ໃຊ້ເວລາ Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,ວັດຖຸດິບ Backflush ຖານກ່ຽວກັບ
 DocType: Sales Invoice,Port Code,Port Code
@@ -1302,6 +1319,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,ວັນທີສົ່ງຈິງ
 DocType: Lab Test,Test Template,Test Template
+DocType: Loan Security Pledge,Securities,ຫຼັກຊັບ
 DocType: Restaurant Order Entry Item,Served,ຮັບໃຊ້
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,ຂໍ້ມູນພາກຮຽນ.
 DocType: Account,Accounts,ບັນຊີ
@@ -1396,6 +1414,7 @@
 DocType: Inpatient Record,O Negative,O Negative
 DocType: Work Order Operation,Planned End Time,ການວາງແຜນທີ່ໃຊ້ເວລາສຸດທ້າຍ
 DocType: POS Profile,Only show Items from these Item Groups,ສະແດງສິນຄ້າຈາກກຸ່ມສິນຄ້າເຫຼົ່ານີ້ເທົ່ານັ້ນ
+DocType: Loan,Is Secured Loan,ແມ່ນເງິນກູ້ທີ່ປອດໄພ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Memebership Type Details
 DocType: Delivery Note,Customer's Purchase Order No,ຂອງລູກຄ້າໃບສັ່ງຊື້ບໍ່ມີ
@@ -1432,6 +1451,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,ກະລຸນາເລືອກບໍລິສັດແລະວັນທີການລົງທືນເພື່ອຮັບເອົາລາຍການ
 DocType: Asset,Maintenance,ບໍາລຸງຮັກສາ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,ມາຈາກການພົບປະກັບຜູ້ປ່ວຍ
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ປັດໄຈການປ່ຽນ UOM ({0} -&gt; {1}) ບໍ່ພົບ ສຳ ລັບລາຍການ: {2}
 DocType: Subscriber,Subscriber,Subscriber
 DocType: Item Attribute Value,Item Attribute Value,ລາຍການສະແດງທີ່ມູນຄ່າ
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ການແລກປ່ຽນເງິນຕາຕ້ອງໃຊ້ສໍາລັບການຊື້ຫຼືຂາຍ.
@@ -1511,6 +1531,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,ບໍ່ມີການອະນຸຍາດ
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,ລາຍະການກວດສອບການປະຕິບັດສັນຍາ
 DocType: Vital Signs,Heart Rate / Pulse,Heart Rate / Pulse
+DocType: Customer,Default Company Bank Account,ບັນຊີທະນາຄານຂອງບໍລິສັດເລີ່ມຕົ້ນ
 DocType: Supplier,Default Bank Account,ມາດຕະຖານບັນຊີທະນາຄານ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","ການກັ່ນຕອງໂດຍອີງໃສ່ພັກ, ເລືອກເອົາພັກປະເພດທໍາອິດ"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},&#39;ປັບປຸງ Stock&#39; ບໍ່ສາມາດໄດ້ຮັບການກວດກາເພາະວ່າລາຍການຈະບໍ່ສົ່ງຜ່ານ {0}
@@ -1629,7 +1650,6 @@
 DocType: Sales Team,Incentives,ສິ່ງຈູງໃຈ
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ຄຸນຄ່າຂອງການຊິ້ງຂໍ້ມູນ
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ມູນຄ່າຄວາມແຕກຕ່າງ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕິດຕັ້ງ&gt; ຊຸດເລກ ລຳ ດັບ
 DocType: SMS Log,Requested Numbers,ຈໍານວນການຮ້ອງຂໍ
 DocType: Volunteer,Evening,ຕອນແລງ
 DocType: Quiz,Quiz Configuration,ການຕັ້ງຄ່າ Quiz
@@ -1649,6 +1669,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,ກ່ຽວກັບທີ່ຜ່ານມາຕິດຕໍ່ກັນທັງຫມົດ
 DocType: Purchase Invoice Item,Rejected Qty,ປະຕິເສດຈໍານວນ
 DocType: Setup Progress Action,Action Field,Action Field
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,ປະເພດເງິນກູ້ ສຳ ລັບດອກເບ້ຍແລະອັດຕາຄ່າປັບ ໃໝ
 DocType: Healthcare Settings,Manage Customer,ການຄຸ້ມຄອງລູກຄ້າ
 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
@@ -1660,6 +1681,7 @@
 ,Final Assessment Grades,ຂັ້ນຕອນການປະເມີນຂັ້ນສຸດທ້າຍ
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,ຊື່ຂອງບໍລິສັດຂອງທ່ານສໍາລັບການທີ່ທ່ານຈະຕິດຕັ້ງລະບົບນີ້.
 DocType: HR Settings,Include holidays in Total no. of Working Days,ປະກອບມີວັນພັກໃນຈໍານວນທີ່ບໍ່ມີ. ຂອງວັນເຮັດວຽກ
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% ຂອງ Grand Total
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ຕັ້ງສະຖາບັນຂອງທ່ານໃນ ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Plant Analysis
 DocType: Task,Timeline,ກຳ ນົດເວລາ
@@ -1667,9 +1689,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternate Item
 DocType: Shopify Log,Request Data,Request Data
 DocType: Employee,Date of Joining,ວັນທີຂອງການເຂົ້າຮ່ວມ
+DocType: Delivery Note,Inter Company Reference,ການອ້າງອີງຂອງບໍລິສັດລະຫວ່າງປະເທດ
 DocType: Naming Series,Update Series,ການປັບປຸງ Series
 DocType: Supplier Quotation,Is Subcontracted,ແມ່ນເຫມົາຊ່ວງ
 DocType: Restaurant Table,Minimum Seating,ບ່ອນນັ່ງນ້ອຍສຸດ
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,ຄຳ ຖາມບໍ່ສາມາດຊ້ ຳ ກັນ
 DocType: Item Attribute,Item Attribute Values,ຄ່າລາຍການຄຸນລັກສະນະ
 DocType: Examination Result,Examination Result,ຜົນການສອບເສັງ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ຮັບຊື້
@@ -1771,6 +1795,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້
 DocType: Payment Request,Paid,ການຊໍາລະເງິນ
 DocType: Service Level,Default Priority,ບູລິມະສິດໃນຕອນຕົ້ນ
+DocType: Pledge,Pledge,ສັນຍາ
 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 ທັງຫມົດ."
@@ -1784,6 +1809,7 @@
 DocType: Guardian,Guardian Name,ຊື່ຜູ້ປົກຄອງ
 DocType: Cheque Print Template,Has Print Format,ມີຮູບແບບພິມ
 DocType: Support Settings,Get Started Sections,ເລີ່ມຕົ້ນພາກສ່ວນຕ່າງໆ
+,Loan Repayment and Closure,ການຈ່າຍຄືນເງິນກູ້ແລະການປິດ
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY.-
 DocType: Invoice Discounting,Sanctioned,ທີ່ຖືກເກືອດຫ້າມ
 ,Base Amount,ຈຳ ນວນພື້ນຖານ
@@ -1794,10 +1820,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,ຈາກສະຖານທີ່
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},ຈຳ ນວນເງິນກູ້ບໍ່ສາມາດໃຫຍ່ກວ່າ {0}
 DocType: Student Admission,Publish on website,ເຜີຍແຜ່ກ່ຽວກັບເວັບໄຊທ໌
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,ວັນທີ່ສະຫມັກສະຫນອງ Invoice ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະກາດວັນທີ່
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ລະຫັດສິນຄ້າ&gt; ກຸ່ມລາຍການ&gt; ຍີ່ຫໍ້
 DocType: Subscription,Cancelation Date,ວັນທີຍົກເລີກ
 DocType: Purchase Invoice Item,Purchase Order Item,ການສັ່ງຊື້ສິນຄ້າ
 DocType: Agriculture Task,Agriculture Task,ການກະສິກໍາ
@@ -1816,7 +1842,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,ເພີ່ມເຕີມຮ້ອຍສ່ວນລົດ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,ເບິ່ງບັນຊີລາຍຊື່ຂອງການທັງຫມົດການຊ່ວຍເຫຼືອວິດີໂອໄດ້
 DocType: Agriculture Analysis Criteria,Soil Texture,ໂຄງສ້າງດິນ
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ເລືອກຫົວບັນຊີຂອງທະນາຄານບ່ອນທີ່ເຊັກອິນໄດ້ຝາກ.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,ອະນຸຍາດໃຫ້ຜູ້ໃຊ້ເພື່ອແກ້ໄຂລາຄາອັດຕາການທຸລະກໍາ
 DocType: Pricing Rule,Max Qty,ນ້ໍາຈໍານວນ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Print Report Card
@@ -1951,7 +1976,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","ເມື່ອໄດ້ກໍານົດແລ້ວ, ໃບແຈ້ງຫນີ້ນີ້ຈະຖືກຖືຈົນເຖິງວັນທີທີ່ກໍານົດໄວ້"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,ຈໍານວນການຂາຍ
-DocType: Repayment Schedule,Interest Amount,ຈໍານວນເງິນທີ່ຫນ້າສົນໃຈ
+DocType: Loan Interest Accrual,Interest Amount,ຈໍານວນເງິນທີ່ຫນ້າສົນໃຈ
 DocType: Job Card,Time Logs,ບັນທຶກເວລາ
 DocType: Sales Invoice,Loyalty Amount,ຈໍານວນຄວາມສັດຊື່
 DocType: Employee Transfer,Employee Transfer Detail,ຂໍ້ມູນການໂອນເງິນພະນັກງານ
@@ -1966,6 +1991,7 @@
 DocType: Cashier Closing,Returns,ຜົນຕອບແທນ
 DocType: Job Card,WIP Warehouse,Warehouse WIP
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serial No {0} ແມ່ນຢູ່ພາຍໃຕ້ສັນຍາບໍາລຸງຮັກສາບໍ່ເກີນ {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},ຂອບເຂດ ຈຳ ກັດ ຈຳ ນວນເງິນທີ່ຖືກຕັດ ສຳ ລັບ {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,ການທົດແທນທີ່
 DocType: Lead,Organization Name,ຊື່ອົງການຈັດຕັ້ງ
 DocType: Support Settings,Show Latest Forum Posts,ສະແດງກະທູ້ຫຼ້າສຸດຂອງກະທູ້
@@ -1992,7 +2018,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ຊື້ສິນຄ້າຄໍາສັ່ງຊື້ສິນຄ້າລ້າສຸດ
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,ລະຫັດໄປສະນີ
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},ໃບສັ່ງຂາຍ {0} ເປັນ {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ເລືອກບັນຊີລາຍຮັບດອກເບ້ຍໃນການກູ້ຢືມເງິນ {0}
 DocType: Opportunity,Contact Info,ຂໍ້ມູນຕິດຕໍ່
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,ເຮັດໃຫ້ການອອກສຽງ Stock
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,ບໍ່ສາມາດສົ່ງເສີມພະນັກງານທີ່ມີສະຖານະພາບໄວ້
@@ -2078,7 +2103,6 @@
 DocType: Salary Slip,Deductions,ຫັກຄ່າໃຊ້ຈ່າຍ
 DocType: Setup Progress Action,Action Name,ປະຕິບັດຊື່
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ປີເລີ່ມຕົ້ນ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ສ້າງເງີນກູ້
 DocType: Purchase Invoice,Start date of current invoice's period,ວັນທີເລີ່ມຕົ້ນຂອງໄລຍະເວລາໃບເກັບເງິນໃນປັດຈຸບັນ
 DocType: Shift Type,Process Attendance After,ການເຂົ້າຮ່ວມຂະບວນການຫຼັງຈາກ
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ເລືອກໂດເມນຂອງທ່ານ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ລາຍະການໃບແຈ້ງຫນີ້ການຊໍາລະເງິນ
+DocType: Repayment Schedule,Is Accrued,ຖືກຮັບຮອງ
 DocType: Payroll Entry,Employee Details,ລາຍລະອຽດຂອງພະນັກງານ
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,ການປະມວນຜົນໄຟລ໌ XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Loyalty Point Entry
 DocType: Employee Checkin,Shift End,ເລື່ອນສຸດທ້າຍ
 DocType: Stock Settings,Default Item Group,ກຸ່ມສິນຄ້າມາດຕະຖານ
+DocType: Loan,Partially Disbursed,ຈ່າຍບາງສ່ວນ
 DocType: Job Card Time Log,Time In Mins,Time In Mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Grant information
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ການກະ ທຳ ນີ້ຈະຍົກເລີກບັນຊີນີ້ຈາກການບໍລິການພາຍນອກໃດໆທີ່ລວມ ERPNext ກັບບັນຊີທະນາຄານຂອງທ່ານ. ມັນບໍ່ສາມາດຍົກເລີກໄດ້. ທ່ານແນ່ໃຈບໍ່?
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,ລາຍການແມ່ນບໍ່ສາມາດເຂົ້າໄປໃນເວລາຫຼາຍ.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","ບັນຊີເພີ່ມເຕີມສາມາດເຮັດໄດ້ພາຍໃຕ້ການກຸ່ມ, ແຕ່ການອອກສຽງສາມາດຈະດໍາເນີນຕໍ່ບໍ່ແມ່ນ Groups"
+DocType: Loan Repayment,Loan Closure,ການກູ້ຢືມເງິນປິດ
 DocType: Call Log,Lead,ເປັນຜູ້ນໍາພາ
 DocType: Email Digest,Payables,ເຈົ້າຫນີ້
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2178,6 +2205,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ພາສີພະນັກງານແລະຜົນປະໂຫຍດ
 DocType: Bank Guarantee,Validity in Days,ຕັ້ງແຕ່ວັນທີ່ໃນວັນ
 DocType: Bank Guarantee,Validity in Days,ຕັ້ງແຕ່ວັນທີ່ໃນວັນ
+DocType: Unpledge,Haircut,ຕັດຜົມ
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},"C, ຮູບແບບທີ່ບໍ່ສາມາດໃຊ້ສໍາລັບໃບເກັບເງິນ: {0}"
 DocType: Certified Consultant,Name of Consultant,ຊື່ຂອງທີ່ປຶກສາ
 DocType: Payment Reconciliation,Unreconciled Payment Details,ລາຍລະອຽດການຊໍາລະເງິນ Unreconciled
@@ -2231,7 +2259,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,ສ່ວນທີ່ເຫຼືອຂອງໂລກ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,ລາຍການ {0} ບໍ່ສາມາດມີ Batch
 DocType: Crop,Yield UOM,Yield UOM
+DocType: Loan Security Pledge,Partially Pledged,ບາງສ່ວນທີ່ຖືກສັນຍາໄວ້
 ,Budget Variance Report,ງົບປະມານລາຍຕ່າງ
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,ຈຳ ນວນເງິນກູ້ທີ່ ກຳ ນົດໄວ້
 DocType: Salary Slip,Gross Pay,ຈ່າຍລວມທັງຫມົດ
 DocType: Item,Is Item from Hub,ແມ່ນຈຸດຈາກ Hub
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ຮັບສິນຄ້າຈາກບໍລິການສຸຂະພາບ
@@ -2266,6 +2296,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,ຂັ້ນຕອນຄຸນນະພາບ ໃໝ່
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},ການດຸ່ນດ່ຽງບັນຊີ {0} ຕ້ອງສະເຫມີໄປຈະ {1}
 DocType: Patient Appointment,More Info,ຂໍ້ມູນເພີ່ມເຕີມ
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,ວັນເດືອນປີເກີດບໍ່ສາມາດໃຫຍ່ກວ່າວັນເຂົ້າຮ່ວມ.
 DocType: Supplier Scorecard,Scorecard Actions,ການກະທໍາດັດນີຊີ້ວັດ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Supplier {0} ບໍ່ພົບໃນ {1}
 DocType: Purchase Invoice,Rejected Warehouse,ປະຕິເສດ Warehouse
@@ -2363,6 +2394,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,ກະລຸນາຕັ້ງມູນລະຫັດທໍາອິດ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ປະເພດ Doc
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},ສັນຍາຄວາມປອດໄພດ້ານເງິນກູ້ສ້າງຂື້ນ: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,ການນັດຫມາຍແລະການພົບກັບຜູ້ເຈັບ
@@ -2418,6 +2450,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,ຈຳ ນວນການນັດ ໝາຍ ພ້ອມໆກັນ
 apps/erpnext/erpnext/config/desktop.py,Getting Started,ການເລີ່ມຕົ້ນ
 DocType: Purchase Invoice,Taxes and Charges Calculation,ພາສີອາກອນແລະຄ່າບໍລິການຄິດໄລ່
+DocType: Loan Interest Accrual,Payable Principal Amount,ຈຳ ນວນເງິນ ອຳ ນວຍການທີ່ຕ້ອງຈ່າຍ
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ປື້ມບັນ Asset Entry ຄ່າເສື່ອມລາຄາອັດຕະໂນມັດ
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ປື້ມບັນ Asset Entry ຄ່າເສື່ອມລາຄາອັດຕະໂນມັດ
 DocType: BOM Operation,Workstation,Workstation
@@ -2455,7 +2488,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ສະບຽງອາຫານ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Range Ageing 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ລາຍະລະອຽດການປິດໃບສະຫມັກ POS
-DocType: Bank Account,Is the Default Account,ແມ່ນບັນຊີເລີ່ມຕົ້ນ
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,ບໍ່ພົບການສື່ສານ.
 DocType: Inpatient Occupancy,Check In,ເຊັກອິນ
@@ -2513,12 +2545,14 @@
 DocType: Sales Order Item,Planned Quantity,ການວາງແຜນຈໍານວນ
 DocType: Water Analysis,Water Analysis Criteria,Water Criteria Analysis
 DocType: Item,Maintain Stock,ຮັກສາ Stock
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge Time
 DocType: Terms and Conditions,Applicable Modules,ໂມດູນທີ່ໃຊ້ໄດ້
 DocType: Employee,Prefered Email,ບຸລິມະສິດ Email
 DocType: Student Admission,Eligibility and Details,ສິດແລະລາຍລະອຽດ
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,ລວມເຂົ້າໃນ ກຳ ໄລລວມຍອດ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ການປ່ຽນແປງສຸດທິໃນຊັບສິນຄົງທີ່
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,ນີ້ແມ່ນສະຖານທີ່ທີ່ຜະລິດຕະພັນສຸດທ້າຍເກັບຮັກສາໄວ້.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},ສູງສຸດທີ່ເຄຍ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,ຈາກ DATETIME
@@ -2559,8 +2593,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,ການຮັບປະກັນ / AMC ສະຖານະ
 ,Accounts Browser,ບັນຊີຂອງຕົວທ່ອງເວັບ
 DocType: Procedure Prescription,Referral,ການອ້າງອິງ
+,Territory-wise Sales,ການຂາຍອານາເຂດ
 DocType: Payment Entry Reference,Payment Entry Reference,ເອກະສານການອອກສຽງການຊໍາລະເງິນ
 DocType: GL Entry,GL Entry,GL Entry
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,ແຖວ # {0}: ສາງທີ່ຍອມຮັບໄດ້ແລະສາງຜູ້ສະ ໜອງ ບໍ່ສາມາດເຮັດໄດ້ຄືກັນ
 DocType: Support Search Source,Response Options,ຕົວເລືອກການຕອບສະຫນອງ
 DocType: Pricing Rule,Apply Multiple Pricing Rules,ນຳ ໃຊ້ກົດລະບຽບການ ກຳ ນົດລາຄາທີ່ຫຼາກຫຼາຍ
 DocType: HR Settings,Employee Settings,ການຕັ້ງຄ່າພະນັກງານ
@@ -2620,6 +2656,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,ໄລຍະເວລາການຊໍາລະເງິນທີ່ແຖວ {0} ແມ່ນເປັນການຊ້ໍາກັນ.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),ການກະສິກໍາ (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,ບັນຈຸ
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ກະລຸນາຕັ້ງຄ່າການໃສ່ຊື່ ສຳ ລັບ {0} ຜ່ານການຕັ້ງຄ່າ&gt; ການຕັ້ງຄ່າ&gt; ຊຸດການຕັ້ງຊື່
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,ຫ້ອງການໃຫ້ເຊົ່າ
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,ການຕັ້ງຄ່າປະຕູການຕິດຕັ້ງ SMS
 DocType: Disease,Common Name,ຊື່ທົ່ວໄປ
@@ -2636,6 +2673,7 @@
 DocType: Item,Sales Details,ລາຍລະອຽດການຂາຍ
 DocType: Coupon Code,Used,ໃຊ້ແລ້ວ
 DocType: Opportunity,With Items,ມີລາຍການ
+DocType: Vehicle Log,last Odometer Value ,ມູນຄ່າ Odometer ສຸດທ້າຍ
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',ແຄມເປນ &#39;{0}&#39; ມີແລ້ວ ສຳ ລັບ {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,ທີມບໍາລຸງຮັກສາ
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","ຄຳ ສັ່ງໃນພາກໃດຄວນປະກົດຕົວ. 0 ແມ່ນອັນດັບ ທຳ ອິດ, 1 ແມ່ນອັນດັບສອງແລະອື່ນໆ."
@@ -2646,7 +2684,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ {0} ມີຢູ່ແລ້ວສໍາລັບການເຂົ້າສູ່ລະບົບຍານພາຫະນະ
 DocType: Asset Movement Item,Source Location,ສະຖານທີ່ແຫຼ່ງຂໍ້ມູນ
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ຊື່ສະຖາບັນ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ກະລຸນາໃສ່ຈໍານວນເງິນຊໍາລະຫນີ້
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,ກະລຸນາໃສ່ຈໍານວນເງິນຊໍາລະຫນີ້
 DocType: Shift Type,Working Hours Threshold for Absent,ຂອບເຂດຊົ່ວໂມງເຮັດວຽກ ສຳ ລັບການຂາດ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,ອາດຈະມີຫຼາຍປັດໄຈການລວບລວມໂດຍອີງໃສ່ການນໍາໃຊ້ທັງຫມົດ. ແຕ່ປັດໄຈທີ່ມີການປ່ຽນແປງສໍາລັບການໄຖ່ຈະເປັນແບບດຽວກັນກັບທຸກຂັ້ນຕອນ.
 apps/erpnext/erpnext/config/help.py,Item Variants,Variants ລາຍການ
@@ -2670,6 +2708,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},ນີ້ {0} ຄວາມຂັດແຍ້ງກັບ {1} ສໍາລັບ {2} {3}
 DocType: Student Attendance Tool,Students HTML,ນັກສຶກສາ HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} ຕ້ອງນ້ອຍກວ່າ {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,ກະລຸນາເລືອກປະເພດຜູ້ສະ ໝັກ ກ່ອນ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","ເລືອກ BOM, Qty ແລະ For Warehouse"
 DocType: GST HSN Code,GST HSN Code,GST Code HSN
 DocType: Employee External Work History,Total Experience,ຕໍາແຫນ່ງທີ່ທັງຫມົດ
@@ -2760,7 +2799,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",ບໍ່ພົບ BOM ທີ່ມີການເຄື່ອນໄຫວສໍາລັບລາຍການ {0}. ການຈັດສົ່ງໂດຍ \ Serial No ບໍ່ສາມາດຮັບປະກັນໄດ້
 DocType: Sales Partner,Sales Partner Target,Sales Partner ເປົ້າຫມາຍ
-DocType: Loan Type,Maximum Loan Amount,ຈໍານວນເງິນກູ້ສູງສຸດ
+DocType: Loan Application,Maximum Loan Amount,ຈໍານວນເງິນກູ້ສູງສຸດ
 DocType: Coupon Code,Pricing Rule,ກົດລະບຽບການຕັ້ງລາຄາ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ຈໍານວນມ້ວນຊ້ໍາກັນສໍາລັບນັກຮຽນ {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ຈໍານວນມ້ວນຊ້ໍາກັນສໍາລັບນັກຮຽນ {0}
@@ -2784,6 +2823,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},ໃບຈັດສັນສົບຜົນສໍາເລັດສໍາລັບການ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,ບໍ່ມີສິນຄ້າທີ່ຈະຊອງ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,ປະຈຸບັນມີພຽງແຕ່ໄຟລ໌ .csv ແລະ .xlsx ເທົ່ານັ້ນທີ່ຮອງຮັບ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ&gt; ການຕັ້ງຄ່າ HR
 DocType: Shipping Rule Condition,From Value,ຈາກມູນຄ່າ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,ປະລິມານການຜະລິດເປັນການບັງຄັບ
 DocType: Loan,Repayment Method,ວິທີການຊໍາລະ
@@ -2867,6 +2907,7 @@
 DocType: Customer,Customer POS Id,Id POS Customer
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,ນັກຮຽນທີ່ມີອີເມວ {0} ບໍ່ມີ
 DocType: Account,Account Name,ຊື່ບັນຊີ
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},ຈຳ ນວນເງິນກູ້ທີ່ຖືກ ຊຳ ລະແລ້ວ ສຳ ລັບ {0} ຕໍ່ບໍລິສັດ {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,ຈາກວັນທີບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເຖິງວັນທີ່
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} ປະລິມານ {1} ບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ
 DocType: Pricing Rule,Apply Discount on Rate,ນຳ ໃຊ້ສ່ວນຫຼຸດຕາມອັດຕາ
@@ -2938,6 +2979,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,ກໍາໄລສຸດທິ
 DocType: Purchase Invoice,Eligibility For ITC,ການຍອມຮັບສໍາລັບ ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,ປະເພດເຂົ້າ
 ,Customer Credit Balance,ຍອດສິນເຊື່ອລູກຄ້າ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ການປ່ຽນແປງສຸດທິໃນບັນຊີເຈົ້າຫນີ້
@@ -2949,6 +2991,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID ອຸປະກອນທີ່ເຂົ້າຮຽນ (ID ID Biometric / RF)
 DocType: Quotation,Term Details,ລາຍລະອຽດໃນໄລຍະ
 DocType: Item,Over Delivery/Receipt Allowance (%),ຫຼາຍກວ່າການສົ່ງ / ຮັບເງິນອຸດ ໜູນ (%)
+DocType: Appointment Letter,Appointment Letter Template,ແມ່ແບບຈົດ ໝາຍ ນັດພົບ
 DocType: Employee Incentive,Employee Incentive,ແຮງຈູງໃຈ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,ບໍ່ສາມາດລົງທະບຽນຫຼາຍກ່ວາ {0} ນັກສຶກສາສໍາລັບກຸ່ມນັກສຶກສານີ້.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),ລວມ (ໂດຍບໍ່ມີພາສີ)
@@ -2973,6 +3016,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",ບໍ່ສາມາດຮັບປະກັນການຈັດສົ່ງໂດຍ Serial No as \ Item {0} ຖືກເພີ່ມແລະບໍ່ມີການຮັບປະກັນການຈັດສົ່ງໂດຍ \ Serial No.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink ການຊໍາລະເງິນກ່ຽວກັບການຍົກເລີກການໃບເກັບເງິນ
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,ດອກເບັ້ຍເງິນກູ້ຂະບວນການ
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ອ່ານໄມປັດຈຸບັນເຂົ້າໄປຄວນຈະເປັນຫຼາຍກ່ວາເບື້ອງຕົ້ນພາຫະນະໄມ {0}
 ,Purchase Order Items To Be Received or Billed,ລາຍການສັ່ງຊື້ທີ່ຈະໄດ້ຮັບຫຼືເກັບເງິນ
 DocType: Restaurant Reservation,No Show,ບໍ່ມີສະແດງ
@@ -3059,6 +3103,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ສູນຕົ້ນທຶນທີ່ຕ້ອງການສໍາລັບການ &#39;ກໍາໄຮຂາດທຶນບັນຊີ {2}. ກະລຸນາສ້າງຕັ້ງຂຶ້ນເປັນສູນຕົ້ນທຶນມາດຕະຖານສໍາລັບການບໍລິສັດ.
 DocType: Payment Schedule,Payment Term,ໃນໄລຍະການຊໍາລະເງິນ
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A ກຸ່ມລູກຄ້າທີ່ມີຢູ່ມີຊື່ດຽວກັນກະລຸນາມີການປ່ຽນແປງຊື່ລູກຄ້າຫຼືປ່ຽນຊື່ກຸ່ມລູກຄ້າ
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,ວັນສິ້ນສຸດການເຂົ້າໂຮງຮຽນຄວນຈະໃຫຍ່ກ່ວາວັນທີເປີດປະຕູຮັບ.
 DocType: Location,Area,ພື້ນທີ່
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,ຕິດຕໍ່ໃຫມ່
 DocType: Company,Company Description,ລາຍລະອຽດຂອງບໍລິສັດ
@@ -3134,6 +3179,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data
 DocType: Purchase Order Item,Warehouse and Reference,ຄັງສິນຄ້າແລະເອກສານອ້າງອິງ
 DocType: Payroll Period Date,Payroll Period Date,ວັນເວລາຊໍາລະເງິນ
+DocType: Loan Disbursement,Against Loan,ຕໍ່ການກູ້ຢືມເງິນ
 DocType: Supplier,Statutory info and other general information about your Supplier,ຂໍ້ມູນນິຕິບັນຍັດແລະຂໍ້ມູນທົ່ວໄປອື່ນໆກ່ຽວກັບຜູ້ຜະລິດຂອງທ່ານ
 DocType: Item,Serial Nos and Batches,Serial Nos ແລະສໍາຫລັບຂະບວນ
 DocType: Item,Serial Nos and Batches,Serial Nos ແລະສໍາຫລັບຂະບວນ
@@ -3202,6 +3248,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,ເລືອກບໍລິສັດ
 DocType: Delivery Settings,Delivery Settings,ການຈັດສົ່ງສິນຄ້າ
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},ບໍ່ສາມາດປະຕິເສດເກີນ {0} ຈຳ ນວນຂອງ {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},ການອະນຸຍາດທີ່ສູງສຸດໃນປະເພດການປະຕິບັດ {0} ແມ່ນ {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,ເຜີຍແຜ່ 1 ລາຍການ
 DocType: SMS Center,Create Receiver List,ສ້າງບັນຊີຮັບ
@@ -3350,6 +3397,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),ຈໍານວນພື້ນຖານ (ບໍລິສັດສະກຸນເງິນ)
 DocType: Purchase Invoice,Registered Regular,ລົງທະບຽນເປັນປົກກະຕິ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ວັດຖຸດິບ
+DocType: Plaid Settings,sandbox,sandbox
 DocType: Payment Reconciliation Payment,Reference Row,Row ກະສານອ້າງອີງ
 DocType: Installation Note,Installation Time,ທີ່ໃຊ້ເວລາການຕິດຕັ້ງ
 DocType: Sales Invoice,Accounting Details,ລາຍລະອຽດການບັນຊີ
@@ -3362,12 +3410,11 @@
 DocType: Leave Ledger Entry,Transaction Type,ປະເພດການເຮັດທຸລະກໍາ
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ເງື່ອນໄຂການຍອມຮັບ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ກະລຸນາໃສ່ການຮ້ອງຂໍການວັດສະດຸໃນຕາຕະລາງຂ້າງເທິງ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,ຈໍານວນເງິນຫນີ້
 DocType: Task,Expected Time (in hours),ທີ່ໃຊ້ເວລາທີ່ຄາດວ່າຈະ (ຊົ່ວໂມງ)
 DocType: Item Reorder,Check in (group),ໃຫ້ກວດເບິ່ງໃນ (ກຸ່ມ)
 DocType: Soil Texture,Silt,Silt
@@ -3399,6 +3446,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,ເອົາພາສີອາກອນສໍາລັບການຍົກເວັ້ນພາສີທີ່ບໍ່ໄດ້ມອບໃຫ້
 DocType: Volunteer,Anytime,ທຸກເວລາ
 DocType: Bank Account,Bank Account No,ບັນຊີທະນາຄານ
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,ການເບີກຈ່າຍແລະການຈ່າຍຄືນ
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ຂໍ້ສະເຫນີຕົວຍົກເວັ້ນພາສີຂອງພະນັກງານ
 DocType: Patient,Surgical History,Surgical History
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3463,6 +3511,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,ສ້າງທົດລອງທົດລອງ (s) ໃນໃບແຈ້ງຍອດຂາຍສົ່ງ
 DocType: Serial No,Invoice Details,ລາຍລະອຽດໃບແຈ້ງຫນີ້
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,ໂຄງປະກອບເງິນເດືອນຕ້ອງຖືກສົ່ງກ່ອນການຍື່ນໃບແຈ້ງການການແຈ້ງພາສີ
+DocType: Loan Application,Proposed Pledges,ສັນຍາສະ ເໜີ
 DocType: Grant Application,Show on Website,ສະແດງເທິງເວັບໄຊທ໌
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,ເລີ່ມຕົ້ນສຸດ
 DocType: Hub Tracked Item,Hub Category,Category Hub
@@ -3474,7 +3523,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard ປະຈໍາ
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ແຖວ {0}: ບັນຊີລາຍການຂອງວັດສະດຸບໍ່ພົບມູນ {1}
 DocType: Contract Fulfilment Checklist,Requirement,ຄວາມຕ້ອງການ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ&gt; ການຕັ້ງຄ່າ HR
 DocType: Journal Entry,Accounts Receivable,ບັນຊີລູກຫນີ້
 DocType: Quality Goal,Objectives,ຈຸດປະສົງ
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ບົດບາດທີ່ອະນຸຍາດໃຫ້ສ້າງໃບສະ ໝັກ ການພັກຜ່ອນແບບເກົ່າ
@@ -3487,6 +3535,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,ປະກອບມີການອອກສຽງຄືນ
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,ຈຳ ນວນເງິນທີ່ຖືກຈັດສັນທັງ ໝົດ ({0}) ຖືກຈູດກ່ວາ ຈຳ ນວນເງິນທີ່ຈ່າຍ ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,ການແຈກຢາຍຄ່າບໍລິການຂຶ້ນຢູ່ກັບ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},ຈຳ ນວນເງິນທີ່ຈ່າຍບໍ່ ໜ້ອຍ ກວ່າ {0}
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,ການຕັ້ງຄ່າ HR
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,ບັນຊີປະລິນຍາໂທ
@@ -3632,6 +3681,7 @@
 DocType: Employee,Health Insurance,ປະກັນໄພສຸຂະພາບ
 DocType: Asset Repair,Manufacturing Manager,ຜູ້ຈັດການການຜະລິດ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serial No {0} ແມ່ນຢູ່ພາຍໃຕ້ການຮັບປະກັນບໍ່ເກີນ {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,ຈຳ ນວນເງິນກູ້ ຈຳ ນວນເກີນ ຈຳ ນວນເງິນກູ້ສູງສຸດຂອງ {0} ຕາມການສະ ເໜີ ຫຼັກຊັບ
 DocType: Plant Analysis Criteria,Minimum Permissible Value,ມູນຄ່າອະນຸຍາດຕ່ໍາສຸດ
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,User {0} ມີຢູ່ແລ້ວ
 apps/erpnext/erpnext/hooks.py,Shipments,ການຂົນສົ່ງ
@@ -3676,7 +3726,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,ປະເພດທຸລະກິດ
 DocType: Sales Invoice,Consumer,ຜູ້ບໍລິໂພກ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ກະລຸນາເລືອກນວນການຈັດສັນ, ປະເພດໃບເກັບເງິນແລະຈໍານວນໃບເກັບເງິນໃນ atleast ຫນຶ່ງຕິດຕໍ່ກັນ"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ກະລຸນາຕັ້ງຊຸດການໃສ່ຊື່ ສຳ ລັບ {0} ຜ່ານການຕັ້ງຄ່າ&gt; ການຕັ້ງຄ່າ&gt; ຊຸດການຕັ້ງຊື່
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,ຄ່າໃຊ້ຈ່າຍຂອງການສັ່ງຊື້ໃຫມ່
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},ຂາຍສິນຄ້າຕ້ອງການສໍາລັບລາຍການ {0}
 DocType: Grant Application,Grant Description,Grant Description
@@ -3685,6 +3734,7 @@
 DocType: Subscription,Discounts,ລາຄາຜ່ອນຜັນ
 DocType: Bank Transaction,Unallocated Amount,ຈໍານວນເງິນບໍ່ໄດ້ປັນສ່ວນ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,ກະລຸນາເປີດໃຊ້ໄດ້ໃນຄໍາສັ່ງຊື້ແລະສາມາດໃຊ້ໄດ້ໃນການຈອງຄ່າໃຊ້ຈ່າຍທີ່ແທ້ຈິງ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} ບໍ່ແມ່ນບັນຊີທະນາຄານຂອງບໍລິສັດ
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,ບໍ່ສາມາດຊອກຫາສິນຄ້າ. ກະລຸນາເລືອກບາງມູນຄ່າອື່ນໆ {0}.
 DocType: POS Profile,Taxes and Charges,ພາສີອາກອນແລະຄ່າບໍລິການ
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","A ຜະລິດຕະພັນຫຼືການບໍລິການທີ່ຊື້, ຂາຍຫຼືເກັບຮັກສາໄວ້ໃນຫຼັກຊັບ."
@@ -3735,6 +3785,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,ວັນທີ່ຖືກຕ້ອງແມ່ນຕ້ອງນ້ອຍກວ່າວັນທີ່ຖືກຕ້ອງ.
 DocType: Employee Skill,Evaluation Date,ວັນທີປະເມີນຜົນ
 DocType: Quotation Item,Stock Balance,ຍອດ Stock
+DocType: Loan Security Pledge,Total Security Value,ມູນຄ່າຄວາມປອດໄພທັງ ໝົດ
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ໃບສັ່ງຂາຍການຊໍາລະເງິນ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,ມີການຊໍາລະເງິນຂອງສ່ວຍສາອາກອນ
@@ -3747,6 +3798,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,ກະລຸນາເລືອກບັນຊີທີ່ຖືກຕ້ອງ
 DocType: Salary Structure Assignment,Salary Structure Assignment,Salary Structure Assignment
 DocType: Purchase Invoice Item,Weight UOM,ນ້ໍາຫນັກ UOM
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},ບັນຊີ {0} ບໍ່ມີຢູ່ໃນຕາຕະລາງ dashboard {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ລາຍຊື່ຜູ້ຖືຫຸ້ນທີ່ມີຈໍານວນຄົນທີ່ມີຢູ່
 DocType: Salary Structure Employee,Salary Structure Employee,ພະນັກງານໂຄງສ້າງເງິນເດືອນ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,ສະແດງຄຸນລັກສະນະຕົວແທນ
@@ -3828,6 +3880,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,ອັດຕາປະເມີນມູນຄ່າໃນປະຈຸບັນ
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,ຈຳ ນວນບັນຊີຮາກບໍ່ສາມາດຕ່ ຳ ກວ່າ 4
 DocType: Training Event,Advance,Advance
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,ຕໍ່ການກູ້ຢືມເງິນ:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,ການຕັ້ງຄ່າການຈ່າຍເງິນຜ່ານ GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,ແລກປ່ຽນເງິນຕາໄດ້ຮັບ / ການສູນເສຍ
 DocType: Opportunity,Lost Reason,ລືມເຫດຜົນ
@@ -3912,8 +3965,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,ເລືອກຊຸດ No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},ບໍ່ຖືກຕ້ອງ {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,ແຖວ {0}: ວັນເດືອນປີເກີດຂອງອ້າຍເອື້ອຍນ້ອງບໍ່ສາມາດໃຫຍ່ກວ່າມື້ນີ້.
 DocType: Fee Validity,Reference Inv,Reference Inv
 DocType: Sales Invoice Advance,Advance Amount,ລ່ວງຫນ້າຈໍານວນເງິນ
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,ອັດຕາດອກເບ້ຍການລົງໂທດ (%) ຕໍ່ມື້
 DocType: Manufacturing Settings,Capacity Planning,ການວາງແຜນຄວາມອາດສາມາດ
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,ການດັດປັບຮອບ (ເງິນສະກຸນຂອງບໍລິສັດ
 DocType: Asset,Policy number,ຫມາຍເລກນະໂຍບາຍ
@@ -3929,7 +3984,9 @@
 DocType: Normal Test Items,Require Result Value,ຕ້ອງການມູນຄ່າຜົນໄດ້ຮັບ
 DocType: Purchase Invoice,Pricing Rules,ກົດລະບຽບການ ກຳ ນົດລາຄາ
 DocType: Item,Show a slideshow at the top of the page,ສະແດງໃຫ້ເຫັນ slideshow ເປັນຢູ່ປາຍສຸດຂອງຫນ້າ
+DocType: Appointment Letter,Body,ຮ່າງກາຍ
 DocType: Tax Withholding Rate,Tax Withholding Rate,ອັດຕາການເກັບພາສີ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,ວັນທີເລີ່ມຕົ້ນການຈ່າຍຄືນແມ່ນ ຈຳ ເປັນ ສຳ ລັບການກູ້ຢືມໄລຍະ
 DocType: Pricing Rule,Max Amt,ສູງສຸດທີ່ເຄຍ Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,ແອບເປີ້ນ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,ຮ້ານຄ້າ
@@ -3949,7 +4006,7 @@
 DocType: Call Log,Received By,ໄດ້ຮັບໂດຍ
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),ໄລຍະເວລານັດ ໝາຍ (ໃນນາທີ)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ລາຍະລະອຽດແບບແຜນແຜນຜັງເງິນສົດ
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,ການຄຸ້ມຄອງເງິນກູ້
+DocType: Loan,Loan Management,ການຄຸ້ມຄອງເງິນກູ້
 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,Update Cost,ການປັບປຸງຄ່າໃຊ້ຈ່າຍ
@@ -3957,6 +4014,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Mode of Transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Slip ສະແດງໃຫ້ເຫັນເງິນເດືອນ
+DocType: Loan,Is Term Loan,ແມ່ນເງີນກູ້ໄລຍະ
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,ການຖ່າຍໂອນການວັດສະດຸ
 DocType: Fees,Send Payment Request,ສົ່ງຄໍາຮ້ອງຂໍການຊໍາລະເງິນ
 DocType: Travel Request,Any other details,ລາຍລະອຽດອື່ນໆ
@@ -3974,6 +4032,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,ກະແສເງິນສົດຈາກການເງິນ
 DocType: Budget Account,Budget Account,ບັນຊີງົບປະມານ
 DocType: Quality Inspection,Verified By,ການຢັ້ງຢືນໂດຍ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,ເພີ່ມຄວາມປອດໄພເງິນກູ້
 DocType: Travel Request,Name of Organizer,ຊື່ຂອງອົງການຈັດຕັ້ງ
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,ແມ່ນຄວາມຮັບຜິດຊອບພາສີລາຍໄດ້
@@ -4024,6 +4083,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ຄວາມຕ້ອງການໃນ
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","ຖ້າມີການກວດກາ, ເຊື່ອງແລະປິດບ່ອນທີ່ຢູ່ໃນຕາຕະລາງລວມທັງ ໝົດ ໃນໃບເງິນເດືອນ"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,ນີ້ແມ່ນການຊົດເຊີຍໃນຕອນຕົ້ນ (ວັນ) ສຳ ລັບວັນທີສົ່ງສິນຄ້າໃນ ຄຳ ສັ່ງຂາຍ. ການຊົດເຊີຍການຫຼຸດລົງແມ່ນ 7 ວັນນັບແຕ່ວັນທີ່ລົງບັນຊີ.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕັ້ງຄ່າ&gt; ເລກ ລຳ ດັບ
 DocType: Rename Tool,File to Rename,ເອກະສານການປ່ຽນຊື່
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},ກະລຸນາເລືອກ BOM ສໍາລັບລາຍການໃນແຖວ {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Fetch Subscription Updates
@@ -4036,6 +4096,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,ເລກ Serial ຖືກສ້າງຂື້ນ
 DocType: POS Profile,Applicable for Users,ສາມາດໃຊ້ໄດ້ສໍາລັບຜູ້ໃຊ້
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,ນັບແຕ່ວັນທີແລະວັນທີແມ່ນບັງຄັບ
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,ຕັ້ງຄ່າໂຄງການແລະ ໜ້າ ວຽກທັງ ໝົດ ໃຫ້ເປັນສະຖານະພາບ {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),ກໍານົດຄວາມກ້າວຫນ້າແລະຈັດສັນ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,ບໍ່ມີການສັ່ງຊື້ເຮັດວຽກ
@@ -4045,6 +4106,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,ລາຍການໂດຍ
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ຄ່າໃຊ້ຈ່າຍຂອງສິນຄ້າທີ່ຊື້
 DocType: Employee Separation,Employee Separation Template,ແມ່ແບບການແຍກແຮງງານ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},ອັດຕາສ່ວນຮ້ອຍຂອງ {0} ໄດ້ສັນຍາກັບການກູ້ຢືມເງິນ {0}
 DocType: Selling Settings,Sales Order Required,ຕ້ອງການຂາຍສິນຄ້າ
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,ກາຍເປັນຜູ້ຂາຍ
 ,Procurement Tracker,ຜູ້ຕິດຕາມການຈັດຊື້
@@ -4143,11 +4205,12 @@
 ,Minutes to First Response for Opportunity,ນາທີຄວາມຮັບຜິດຊອບຫນ້າທໍາອິດສໍາລັບໂອກາດ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,ທັງຫມົດຂາດ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,ລາຍການຫຼືໂກດັງຕິດຕໍ່ກັນ {0} ບໍ່ມີຄໍາວ່າວັດສະດຸຂໍ
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,ຈຳ ນວນທີ່ຕ້ອງຈ່າຍ
+DocType: Loan Repayment,Payable Amount,ຈຳ ນວນທີ່ຕ້ອງຈ່າຍ
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,ໂອກາດ
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,ຄວາມເຂັ້ມແຂງສູງສຸດບໍ່ສາມາດນ້ອຍກວ່າສູນ.
 DocType: Options,Option,ທາງເລືອກ
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},ທ່ານບໍ່ສາມາດສ້າງລາຍການບັນຊີໃນຊ່ວງບັນຊີທີ່ປິດ {0}
 DocType: Operation,Default Workstation,Workstation ມາດຕະຖານ
@@ -4189,6 +4252,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,ຈຳ ນວນດອກເບ້ຍແມ່ນ ຈຳ ເປັນ
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ອອກຈາກໂດຍບໍ່ມີການຈ່າຍບໍ່ມີຄໍາວ່າດ້ວຍການອະນຸມັດການບັນທຶກການອອກຈາກຄໍາຮ້ອງສະຫມັກ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ຂັ້ນຕອນຕໍ່ໄປ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ລາຍການທີ່ບັນທຶກໄວ້
@@ -4240,8 +4304,6 @@
 DocType: Grant Application,Grant Application Details ,Grant Application Details
 DocType: Employee Separation,Employee Separation,Employee Separation
 DocType: BOM Item,Original Item,Original Item
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ກະລຸນາລຶບພະນັກງານ <a href=""#Form/Employee/{0}"">{0}</a> \ ເພື່ອຍົກເລີກເອກະສານນີ້"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ຄ່າບໍລິການບັນທຶກຂຽນເມື່ອຫລາຍ - {0}
 DocType: Asset Category Account,Asset Category Account,ບັນຊີຊັບສິນປະເພດ
@@ -4277,6 +4339,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ລາຍການທົດລອງຫ້ອງທົດລອງ {0} ມີຢູ່ແລ້ວ
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ເປັນວັນພັກຂອງບໍລິສັດ
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ຊົ່ວໂມງບິນໄດ້
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,ອັດຕາດອກເບ້ຍການລົງໂທດແມ່ນຄິດໄລ່ຕາມອັດຕາດອກເບ້ຍທີ່ຍັງຄ້າງໃນແຕ່ລະວັນໃນກໍລະນີທີ່ມີການຈ່າຍຄືນທີ່ຊັກຊ້າ
+DocType: Appointment Letter content,Appointment Letter content,ເນື້ອໃນຈົດ ໝາຍ ນັດ ໝາຍ
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ອອກຈາກແຈ້ງການສະຖານະພາບ
 DocType: Patient Appointment,Procedure Prescription,Procedure Prescription
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,ເຟີນິເຈີແລະການແຂ່ງຂັນ
@@ -4296,7 +4360,7 @@
 DocType: Opportunity,Customer / Lead Name,ລູກຄ້າ / ຊື່ Lead
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ການເກັບກູ້ Date ບໍ່ໄດ້ກ່າວເຖິງ
 DocType: Payroll Period,Taxable Salary Slabs,ເງິນເດືອນເງິນເດືອນ
-DocType: Job Card,Production,ການຜະລິດ
+DocType: Plaid Settings,Production,ການຜະລິດ
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN ບໍ່ຖືກຕ້ອງ! ວັດສະດຸປ້ອນທີ່ທ່ານໄດ້ໃສ່ບໍ່ກົງກັບຮູບແບບຂອງ GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ມູນຄ່າບັນຊີ
 DocType: Guardian,Occupation,ອາຊີບ
@@ -4442,6 +4506,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Loyalty Program Collection
 DocType: Stock Entry Detail,Subcontracted Item,Subcontracted Item
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},ນັກຮຽນ {0} ບໍ່ໄດ້ເປັນກຸ່ມ {1}
+DocType: Appointment Letter,Appointment Date,ວັນທີນັດ ໝາຍ
 DocType: Budget,Cost Center,ສູນຕົ້ນທຶນ
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,ການຂົນສົ່ງປະເທດ
@@ -4512,6 +4577,7 @@
 DocType: Accounting Dimension,Accounting Dimension,ຂະ ໜາດ ບັນຊີ
 ,Profit and Loss Statement,ຖະແຫຼງການຜົນກໍາໄລແລະການສູນເສຍ
 DocType: Bank Reconciliation Detail,Cheque Number,ຈໍານວນກະແສລາຍວັນ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,ຈຳ ນວນເງິນທີ່ຈ່າຍບໍ່ສາມາດເປັນສູນ
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,ລາຍການທີ່ອ້າງອີງໃສ່ {0} - {1} ແມ່ນໄດ້ຖືກໃບເກັບເງິນແລ້ວ
 ,Sales Browser,ຂອງຕົວທ່ອງເວັບການຂາຍ
 DocType: Journal Entry,Total Credit,ການປ່ອຍສິນເຊື່ອທັງຫມົດ
@@ -4616,6 +4682,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,ເພີ່ມ / ແກ້ໄຂເງື່ອນໄຂຄູປອງ
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ບັນຊີຄ່າໃຊ້ຈ່າຍ / ຄວາມແຕກຕ່າງ ({0}) ຈະຕ້ອງບັນຊີກໍາໄຮຫລືຂາດທຶນ &#39;
 DocType: Stock Entry Detail,Stock Entry Child,ເດັກເຂົ້າ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,ບໍລິສັດສັນຍາຄວາມປອດໄພດ້ານເງິນກູ້ແລະບໍລິສັດໃຫ້ກູ້ຢືມຕ້ອງຄືກັນ
 DocType: Project,Copied From,ຄັດລອກຈາກ
 DocType: Project,Copied From,ຄັດລອກຈາກ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,ໃບເກັບເງິນທີ່ສ້າງແລ້ວສໍາລັບຊົ່ວໂມງເອີ້ນເກັບເງິນທັງຫມົດ
@@ -4624,6 +4691,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,ແມ່ນຄ່າໃຊ້ຈ່າຍດ້ານການເງິນ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,ຜູ້ເຂົ້າຮ່ວມສໍາລັບພະນັກງານ {0} ແມ່ນຫມາຍແລ້ວ
 DocType: Packing Slip,If more than one package of the same type (for print),ຖ້າຫາກວ່າຫຼາຍກ່ວາຫນຶ່ງຊຸດຂອງປະເພດດຽວກັນ (ສໍາລັບການພິມ)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,ກະລຸນາຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ&gt; ການຕັ້ງຄ່າການສຶກສາ
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,ກະລຸນາຕັ້ງຄ່າລູກຄ້າເລີ່ມຕົ້ນໃນການຕັ້ງຮ້ານອາຫານ
 ,Salary Register,ເງິນເດືອນຫມັກສະມາຊິກ
 DocType: Company,Default warehouse for Sales Return,ຄັງສິນຄ້າເລີ່ມຕົ້ນ ສຳ ລັບການສົ່ງຄືນການຂາຍ
@@ -4668,7 +4736,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,ສະບັບເລກທີບໍ່ມີໃນປະຈຸບັນ
 DocType: Employee,Attendance and Leave Details,ລາຍລະອຽດການເຂົ້າຮ່ວມແລະຝາກເບີໄວ້
 ,BOM Comparison Tool,ເຄື່ອງມືປຽບທຽບ BOM
-,Requested,ການຮ້ອງຂໍ
+DocType: Loan Security Pledge,Requested,ການຮ້ອງຂໍ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,ບໍ່ມີຂໍ້ສັງເກດ
 DocType: Asset,In Maintenance,ໃນການບໍາລຸງຮັກສາ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ກົດປຸ່ມນີ້ເພື່ອດຶງຂໍ້ມູນສັ່ງຊື້ຂາຍຂອງທ່ານຈາກ Amazon MWS.
@@ -4680,7 +4748,6 @@
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Service Level,Support and Resolution,ການສະ ໜັບ ສະ ໜູນ ແລະການແກ້ໄຂ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,ລະຫັດສິນຄ້າບໍ່ຖືກເລືອກ
-DocType: Loan,Repaid/Closed,ຊໍາລະຄືນ / ປິດ
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,ທັງຫມົດໂຄງການຈໍານວນ
 DocType: Monthly Distribution,Distribution Name,ຊື່ການແຜ່ກະຈາຍ
@@ -4714,6 +4781,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Entry ບັນຊີສໍາລັບ Stock
 DocType: Lab Test,LabTest Approver,ຜູ້ຮັບຮອງ LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ທ່ານໄດ້ປະເມີນແລ້ວສໍາລັບມາດຕະຖານການປະເມີນຜົນ {}.
+DocType: Loan Security Shortfall,Shortfall Amount,ຈຳ ນວນຂາດແຄນ
 DocType: Vehicle Service,Engine Oil,ນ້ໍາມັນເຄື່ອງຈັກ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},ຄໍາສັ່ງເຮັດວຽກກໍ່ສ້າງ: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},ກະລຸນາຕັ້ງ id ອີເມວ ສຳ ລັບ Lead {0}
@@ -4732,6 +4800,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ບັນຊີບໍ່ໄດ້ຖືກ ກຳ ນົດໄວ້ໃນຕາຕະລາງ dashboard {0}
 DocType: Purchase Invoice,Apply Additional Discount On,ສະຫມັກຕໍາສ່ວນລົດເພີ່ມເຕີມກ່ຽວກັບ
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,ເລືອກປະເພດ ...
+DocType: Loan Interest Accrual,Amounts,ຈຳ ນວນເງິນ
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,ຕົ໋ວຂອງທ່ານ
 DocType: Account,Root Type,ປະເພດຮາກ
 DocType: Item,FIFO,FIFO
@@ -4739,6 +4808,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},"ຕິດຕໍ່ກັນ, {0}: ບໍ່ສາມາດກັບຄືນຫຼາຍກ່ວາ {1} ສໍາລັບລາຍການ {2}"
 DocType: Item Group,Show this slideshow at the top of the page,ສະແດງໃຫ້ເຫັນ slideshow ນີ້ຢູ່ສົ້ນເທິງຂອງຫນ້າ
 DocType: BOM,Item UOM,ລາຍການ UOM
+DocType: Loan Security Price,Loan Security Price,ລາຄາຄວາມປອດໄພຂອງເງິນກູ້
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ຈໍານວນເງິນພາສີຫຼັງຈາກຈໍານວນສ່ວນລົດ (ບໍລິສັດສະກຸນເງິນ)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ຄັງສິນຄ້າເປົ້າຫມາຍມີຜົນບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,ການປະຕິບັດການຂາຍຍ່ອຍ
@@ -4879,6 +4949,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},batch ເປັນຂໍ້ບັງຄັບໃນການຕິດຕໍ່ກັນ {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},batch ເປັນຂໍ້ບັງຄັບໃນການຕິດຕໍ່ກັນ {0}
 DocType: Company,Default Buying Terms,ເງື່ອນໄຂການຊື້ແບບເລີ່ມຕົ້ນ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,ການເບີກຈ່າຍເງິນກູ້
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ຊື້ຮັບສິນຄ້າທີ່ຈໍາຫນ່າຍ
 DocType: Amazon MWS Settings,Enable Scheduled Synch,ເປີດໃຊ້ງານ Synch ທີ່ກໍານົດໄວ້
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,ການ DATETIME
@@ -4907,6 +4978,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ກະລຸນາໃສ່ມູນຄ່າການພະນັນ {0} ແລະ {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,ກະລຸນາໃສ່ຊື່ຂອງຂະບວນການຖ້າຫາກວ່າແຫລ່ງທີ່ມາຂອງຄໍາຖາມແມ່ນການໂຄສະນາ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,ຫນັງສືພິມຜູ້ຈັດພິມ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},ບໍ່ພົບ <b>ລາຄາຄວາມປອດໄພເງິນກູ້</b> ທີ່ຖືກຕ້ອງ ສຳ ລັບ {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ວັນທີອະນາຄົດບໍ່ອະນຸຍາດ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,ວັນທີຄາດວ່າສົ່ງຄວນຈະຕາມລະບຽບ Sales ວັນທີ່
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,ລະດັບລໍາດັບ
@@ -4973,6 +5045,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Proposal / Quote Quote
 DocType: Antibiotic,Healthcare,ຮັກສາສຸຂະພາບ
 DocType: Target Detail,Target Detail,ຄາດຫມາຍລະອຽດ
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,ຂັ້ນຕອນການກູ້ຢືມເງິນ
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Single Variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,ວຽກເຮັດງານທໍາທັງຫມົດ
 DocType: Sales Order,% of materials billed against this Sales Order,% ຂອງອຸປະກອນການບິນຕໍ່ຂາຍສິນຄ້ານີ້
@@ -5036,7 +5109,7 @@
 DocType: Item,Reorder level based on Warehouse,ລະດັບລໍາດັບຂຶ້ນຢູ່ກັບຄັງສິນຄ້າ
 DocType: Activity Cost,Billing Rate,ອັດຕາການເອີ້ນເກັບເງິນ
 ,Qty to Deliver,ຈໍານວນການສົ່ງ
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,ສ້າງລາຍການເບີກຈ່າຍ
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,ສ້າງລາຍການເບີກຈ່າຍ
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon ຈະ sync ຂໍ້ມູນທີ່ປັບປຸງພາຍຫຼັງວັນທີນີ້
 ,Stock Analytics,ການວິເຄາະຫຼັກຊັບ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,ການດໍາເນີນງານບໍ່ສາມາດໄດ້ຮັບການປະໄວ້ເປົ່າ
@@ -5070,6 +5143,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,ຍົກເລີກການເຊື່ອມໂຍງພາຍນອກ
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,ເລືອກການຈ່າຍເງິນທີ່ສອດຄ້ອງກັນ
 DocType: Pricing Rule,Item Code,ລະຫັດສິນຄ້າ
+DocType: Loan Disbursement,Pending Amount For Disbursal,ຈຳ ນວນເງິນທີ່ຍັງຄ້າງ ສຳ ລັບການເບີກຈ່າຍ
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-yYYY.-
 DocType: Serial No,Warranty / AMC Details,ການຮັບປະກັນ / ລາຍລະອຽດ AMC
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,ເລືອກນັກສຶກສາດ້ວຍຕົນເອງສໍາລັບກຸ່ມບໍລິສັດກິດຈະກໍາຕາມ
@@ -5095,6 +5169,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Qty Total
 DocType: Landed Cost Item,Receipt Document,ເອກະສານຮັບ
 DocType: Employee Education,School/University,ໂຮງຮຽນ / ວິທະຍາໄລ
+DocType: Loan Security Pledge,Loan  Details,ລາຍລະອຽດເງິນກູ້
 DocType: Sales Invoice Item,Available Qty at Warehouse,ມີຈໍານວນຢູ່ໃນສາງ
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,ຈໍານວນເງິນເກັບ
 DocType: Share Transfer,(including),(ລວມທັງ)
@@ -5118,6 +5193,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,ກຸ່ມ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Group ໂດຍບັນຊີ
 DocType: Purchase Invoice,Hold Invoice,ຖືໃບເກັບເງິນ
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,ສະຖານະສັນຍາ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,ກະລຸນາເລືອກພະນັກງານ
 DocType: Sales Order,Fully Delivered,ສົ່ງຢ່າງເຕັມທີ່
 DocType: Promotional Scheme Price Discount,Min Amount,ຈຳ ນວນເງິນ ໜ້ອຍ
@@ -5127,7 +5203,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},ຈ່າຍຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເງິນກູ້ຈໍານວນ {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ແຖວ {0} # ຈໍານວນເງິນທີ່ຈັດສັນ {1} ບໍ່ສາມາດຈະສູງກວ່າຈໍານວນເງິນທີ່ຍັງບໍ່ໄດ້ຮັບການຂໍ {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ຊື້ຈໍານວນຄໍາສັ່ງທີ່ຕ້ອງການສໍາລັບລາຍການ {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,ປະຕິບັດໃບໄມ້ສົ່ງຕໍ່
@@ -5155,6 +5230,7 @@
 DocType: Pick List Item,Serial No and Batch,ບໍ່ມີ Serial ແລະ Batch
 DocType: Warranty Claim,From Company,ຈາກບໍລິສັດ
 DocType: GSTR 3B Report,January,ມັງກອນ
+DocType: Loan Repayment,Principal Amount Paid,ເງິນຕົ້ນຕໍ ຈຳ ນວນເງີນ
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ຜົນບວກຂອງຄະແນນຂອງເງື່ອນໄຂການປະເມີນຜົນທີ່ຕ້ອງການຈະ {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,ກະລຸນາທີ່ກໍານົດໄວ້ຈໍານວນຂອງການອ່ອນຄ່າຈອງ
 DocType: Supplier Scorecard Period,Calculations,ການຄິດໄລ່
@@ -5181,6 +5257,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ກ່ຽວກັບບໍລິສັດຂອງທ່ານ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,ສະແດງຂໍ້ມູນຜູ້ສູງອາຍຸຂອງຫຸ້ນ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ
+DocType: Loan Repayment,Penalty Amount,ຈຳ ນວນໂທດ
 DocType: Donor,Donor,ຜູ້ໃຫ້ທຶນ
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ປັບປຸງພາສີ ສຳ ລັບສິນຄ້າຕ່າງໆ
 DocType: Global Defaults,Disable In Words,ປິດການໃຊ້ງານໃນຄໍາສັບຕ່າງໆ
@@ -5211,6 +5288,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ສູນຕົ້ນທຶນແລະງົບປະມານ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Equity Balance ເປີດ
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,ການເຂົ້າຈ່າຍບາງສ່ວນ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,ກະລຸນາ ກຳ ນົດຕາຕະລາງການຈ່າຍເງິນ
 DocType: Pick List,Items under this warehouse will be suggested,ລາຍການຕ່າງໆທີ່ຢູ່ພາຍໃຕ້ສາງນີ້ຈະຖືກແນະ ນຳ
 DocType: Purchase Invoice,N,N
@@ -5244,7 +5322,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ບໍ່ພົບສໍາລັບລາຍການ {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ຄຸນຄ່າຕ້ອງຢູ່ລະຫວ່າງ {0} ແລະ {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,ສະແດງພາສີລວມໃນການພິມ
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","ບັນຊີທະນາຄານ, ຈາກວັນທີແລະວັນທີແມ່ນບັງຄັບ"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,ຂໍ້ຄວາມທີ່ສົ່ງ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການກໍານົດໄວ້ເປັນຊີແຍກປະເພດ
 DocType: C-Form,II,II
@@ -5258,6 +5335,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,ເປີດໃຊ້ການສັ່ງຊື້ຄືນອັດຕະໂນມັດ
 DocType: Stock Settings,Item Naming By,ລາຍການຕັ້ງຊື່ໂດຍ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},ອີກປະການຫນຶ່ງ Entry ໄລຍະເວລາປິດ {0} ໄດ້ຮັບການເຮັດໃຫ້ຫຼັງຈາກ {1}
+DocType: Proposed Pledge,Proposed Pledge,ສັນຍາສະ ເໜີ
 DocType: Work Order,Material Transferred for Manufacturing,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,ບັນຊີ {0} ບໍ່ໄດ້ຢູ່
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ເລືອກໂຄງການຄວາມພັກດີ
@@ -5268,7 +5346,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ການສ້າງຕັ້ງກິດຈະກໍາເພື່ອ {0}, ນັບຕັ້ງແຕ່ພະນັກງານທີ່ຕິດກັບຂ້າງລຸ່ມນີ້ຄົນຂາຍບໍ່ມີ User ID {1}"
 DocType: Timesheet,Billing Details,ລາຍລະອຽດການເອີ້ນເກັບເງິນ
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ແຫຼ່ງຂໍ້ມູນແລະຄັງສິນຄ້າເປົ້າຫມາຍຕ້ອງໄດ້ຮັບທີ່ແຕກຕ່າງກັນ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ&gt; ການຕັ້ງຄ່າ HR
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ການຊໍາລະເງິນລົ້ມເຫລວ. ໂປດກວດເບິ່ງບັນຊີ GoCardless ຂອງທ່ານສໍາລັບລາຍລະອຽດເພີ່ມເຕີມ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ບໍ່ອະນຸຍາດໃຫ້ປັບປຸງການເຮັດທຸລະຫຸ້ນອາຍຸຫຼາຍກວ່າ {0}
 DocType: Stock Entry,Inspection Required,ການກວດກາຕ້ອງ
@@ -5281,6 +5358,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,ໂຄງການ
+DocType: Unpledge,Against Pledge,ຕໍ່ສັນຍາ
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ຜູ້ໃຊ້ທີ່ມີພາລະບົດບາດນີ້ໄດ້ຖືກອະນຸຍາດໃຫ້ສ້າງຕັ້ງບັນຊີ frozen ແລະສ້າງ / ປັບປຸງແກ້ໄຂການອອກສຽງການບັນຊີກັບບັນຊີ frozen
 DocType: Plaid Settings,Plaid Environment,ສິ່ງແວດລ້ອມ Plaid
 ,Project Billing Summary,ບົດສະຫຼຸບໃບເກັບເງິນຂອງໂຄງການ
@@ -5333,6 +5411,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ສໍາຫລັບຂະບວນ
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ຈຳ ນວນມື້ນັດ ໝາຍ ສາມາດຈອງລ່ວງ ໜ້າ ໄດ້
 DocType: Article,LMS User,ຜູ້ໃຊ້ LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,ສັນຍາຄວາມປອດໄພດ້ານການກູ້ຢືມແມ່ນມີຄວາມ ຈຳ ເປັນ ສຳ ລັບການກູ້ຢືມທີ່ປອດໄພ
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),ສະຖານທີ່ສະ ໜອງ (State / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,ການສັ່ງຊື້ {0} ບໍ່ໄດ້ສົ່ງ
@@ -5408,6 +5487,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ສ້າງບັດວຽກ
 DocType: Quotation,Referral Sales Partner,ຄູ່ຄ້າການສົ່ງຕໍ່
 DocType: Quality Procedure Process,Process Description,ລາຍລະອຽດຂອງຂະບວນການ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","ບໍ່ສາມາດປະຕິເສດໄດ້, ມູນຄ່າຄວາມປອດໄພຂອງເງິນກູ້ແມ່ນໃຫຍ່ກວ່າ ຈຳ ນວນທີ່ໄດ້ຈ່າຍຄືນ"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ລູກຄ້າ {0} ຖືກສ້າງຂຶ້ນ.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ໃນປະຈຸບັນບໍ່ມີຫຼັກຊັບໃນຄັງສິນຄ້າໃດໆ
 ,Payment Period Based On Invoice Date,ໄລຍະເວລາການຊໍາລະເງິນໂດຍອີງໃສ່ວັນ Invoice
@@ -5428,7 +5508,7 @@
 DocType: Asset,Insurance Details,ລາຍລະອຽດການປະກັນໄພ
 DocType: Account,Payable,ຈ່າຍ
 DocType: Share Balance,Share Type,ແບ່ງປັນປະເພດ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,ກະລຸນາໃສ່ໄລຍະເວລາຊໍາລະຄືນ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,ກະລຸນາໃສ່ໄລຍະເວລາຊໍາລະຄືນ
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ລູກຫນີ້ ({0})
 DocType: Pricing Rule,Margin,margin
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,ລູກຄ້າໃຫມ່
@@ -5437,6 +5517,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,ໂອກາດໂດຍແຫຼ່ງນໍາ
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,ປ່ຽນ POS Profile
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Qty ຫຼື Amount ແມ່ນ mandatroy ສຳ ລັບຄວາມປອດໄພໃນການກູ້ຢືມ
 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,Assessment Report,ບົດລາຍງານການປະເມີນຜົນ
@@ -5472,6 +5553,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,ໃບແຈ້ງຍອດຂາຍສ້າງ {0}
 DocType: Employee,Confirmation Date,ວັນທີ່ສະຫມັກການຢັ້ງຢືນ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","ກະລຸນາລຶບພະນັກງານ <a href=""#Form/Employee/{0}"">{0}</a> \ ເພື່ອຍົກເລີກເອກະສານນີ້"
 DocType: Inpatient Occupancy,Check Out,ເຊັກເອົາ
 DocType: C-Form,Total Invoiced Amount,ຈໍານວນອະນຸທັງຫມົດ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min ຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວານ້ໍາຈໍານວນ
@@ -5485,7 +5568,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,ເງິນທຶນການເດີນທາງ
 DocType: Employee Skill,Proficiency,ຄວາມສາມາດ
-DocType: Loan Application,Required by Date,ທີ່ກໍານົດໄວ້ by Date
 DocType: Purchase Invoice Item,Purchase Receipt Detail,ລາຍລະອຽດໃບຮັບເງິນຊື້
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ການເຊື່ອມຕໍ່ກັບສະຖານທີ່ທັງຫມົດທີ່ປູກພືດທີ່ເຕີບໃຫຍ່
 DocType: Lead,Lead Owner,ເຈົ້າຂອງເປັນຜູ້ນໍາພາ
@@ -5504,7 +5586,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM ປັດຈຸບັນແລະໃຫມ່ BOM ບໍ່ສາມາດຈະເປັນຄືກັນ
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ເງິນເດືອນ ID Slip
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ວັນທີ່ສະຫມັກຂອງເງິນກະສຽນຈະຕ້ອງຫຼາຍກ່ວາວັນທີຂອງການເຂົ້າຮ່ວມ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ&gt; ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Multiple Variants
 DocType: Sales Invoice,Against Income Account,ຕໍ່ບັນຊີລາຍໄດ້
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ສົ່ງ
@@ -5537,7 +5618,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,ຄ່າບໍລິການປະເພດການປະເມີນຄ່າບໍ່ສາມາດເຮັດເຄື່ອງຫມາຍເປັນ Inclusive
 DocType: POS Profile,Update Stock,ຫລັກຊັບ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,ລາຍລະອຽດການຊໍາລະເງິນ
+DocType: Loan Repayment,Payment Details,ລາຍລະອຽດການຊໍາລະເງິນ
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM ອັດຕາ
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,ອ່ານໄຟລ໌ທີ່ຖືກອັບໂຫລດ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","ບໍ່ສາມາດຍົກເລີກການຍົກເລີກການສັ່ງວຽກໄດ້, ຍົກເລີກທໍາອິດໃຫ້ຍົກເລີກ"
@@ -5573,6 +5654,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,ມູນຄ່າເງິນກູ້ສູງສຸດ
 ,Stock Ledger,Ledger Stock
 DocType: Company,Exchange Gain / Loss Account,ແລກປ່ຽນກໍາໄຮ / ບັນຊີການສູນເສຍ
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
@@ -5580,6 +5662,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},ຈຸດປະສົງຕ້ອງເປັນຫນຶ່ງໃນ {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,ຕື່ມຂໍ້ມູນໃສ່ໃນແບບຟອມແລະຊ່ວຍປະຢັດມັນ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Forum ຊຸມຊົນ
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},ໃບທີ່ບໍ່ມີການຈັດສັນໃຫ້ພະນັກງານ: {0} ສຳ ລັບໃບປະກາດ: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,ຈໍານວນທີ່ແທ້ຈິງໃນຫຸ້ນ
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,ຈໍານວນທີ່ແທ້ຈິງໃນຫຸ້ນ
 DocType: Homepage,"URL for ""All Products""",URL ສໍາລັບການ &quot;ຜະລິດຕະພັນທັງຫມົດ&quot;
@@ -5682,7 +5765,6 @@
 DocType: Fee Schedule,Fee Schedule,ຕາຕະລາງຄ່າທໍານຽມ
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,ປ້າຍ ກຳ ກັບຄໍ ລຳ:
 DocType: Bank Transaction,Settled,ຕົກລົງ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,ວັນທີເບີກຈ່າຍເງິນບໍ່ສາມາດເປັນໄປໄດ້ຫລັງຈາກມື້ເລີ່ມການຈ່າຍຄືນເງິນກູ້
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,ພາລາມິເຕີ
 DocType: Company,Create Chart Of Accounts Based On,ສ້າງຕາຕະລາງຂອງການບັນຊີພື້ນຖານກ່ຽວກັບ
@@ -5702,6 +5784,7 @@
 DocType: Customer,Credit Limit and Payment Terms,ເງື່ອນໄຂການຢືມແລະເງື່ອນໄຂການຊໍາລະເງິນ
 DocType: Loyalty Program,Collection Rules,Collection Rules
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,ຂໍ້ 3
+DocType: Loan Security Shortfall,Shortfall Time,ເວລາຂາດເຂີນ
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Order Entry
 DocType: Purchase Order,Customer Contact Email,ລູກຄ້າຕິດຕໍ່ Email
 DocType: Warranty Claim,Item and Warranty Details,ລາຍການແລະການຮັບປະກັນລາຍລະອຽດ
@@ -5721,12 +5804,14 @@
 DocType: Sales Person,Sales Person Name,Sales Person ຊື່
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,ກະລຸນາໃສ່ atleast 1 ໃບເກັບເງິນໃນຕາຕະລາງ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ບໍ່ມີການທົດລອງທົດລອງສ້າງ
+DocType: Loan Security Shortfall,Security Value ,ມູນຄ່າຄວາມປອດໄພ
 DocType: POS Item Group,Item Group,ກຸ່ມສິນຄ້າ
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ກຸ່ມນັກຮຽນ:
 DocType: Depreciation Schedule,Finance Book Id,Financial Book Id
 DocType: Item,Safety Stock,Stock ຄວາມປອດໄພ
 DocType: Healthcare Settings,Healthcare Settings,Health Settings Settings
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,ຈໍານວນໃບທີ່ຖືກມອບຫມາຍ
+DocType: Appointment Letter,Appointment Letter,ຈົດ ໝາຍ ນັດ ໝາຍ
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,% ຄວາມຄືບຫນ້າສໍາລັບວຽກງານທີ່ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 100.
 DocType: Stock Reconciliation Item,Before reconciliation,ກ່ອນທີ່ຈະ reconciliation
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},ເພື່ອ {0}
@@ -5782,6 +5867,7 @@
 DocType: Stock Entry,From BOM,ຈາກ BOM
 DocType: Assessment Code,Assessment Code,ລະຫັດການປະເມີນຜົນ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ພື້ນຖານ
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,ຄຳ ຮ້ອງຂໍເງິນກູ້ຈາກລູກຄ້າແລະລູກຈ້າງ.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ເຮັດທຸລະກໍາຫຼັກຊັບກ່ອນ {0} ໄດ້ຖືກ frozen
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',ກະລຸນາຄລິກໃສ່ &quot;ສ້າງຕາຕະລາງ&quot;
 DocType: Job Card,Current Time,ເວລາປະຈຸບັນ
@@ -5808,7 +5894,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ບໍ່ມີກຸ່ມນັກສຶກສາສ້າງຕັ້ງຂື້ນ.
 DocType: Purchase Invoice Item,Serial No,Serial No
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ຈໍານວນເງິນຊໍາລະຄືນປະຈໍາເດືອນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນເງິນກູ້
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ຈໍານວນເງິນຊໍາລະຄືນປະຈໍາເດືອນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນເງິນກູ້
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,ກະລຸນາໃສ່ລາຍລະອຽດ Maintaince ທໍາອິດ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ແຖວ # {0}: ວັນທີຄາດວ່າສົ່ງບໍ່ສາມາດຈະກ່ອນທີ່ຈະສັ່ງຊື້ວັນທີ່
 DocType: Purchase Invoice,Print Language,ພິມພາສາ
@@ -5822,6 +5908,7 @@
 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,All Territories,ອານາເຂດທັງຫມົດ
+DocType: Plaid Settings,development,ການພັດທະນາ
 DocType: Lost Reason Detail,Lost Reason Detail,ລາຍລະອຽດເຫດຜົນທີ່ສູນຫາຍ
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,ກະລຸນາຕັ້ງຄ່ານະໂຍບາຍໄວ້ສໍາລັບພະນັກງານ {0} ໃນບັນທຶກພະນັກງານ / ລະດັບ
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,ໃບສັ່ງບໍ່ຖືກຕ້ອງສໍາລັບລູກຄ້າແລະລາຍການທີ່ເລືອກ
@@ -5886,12 +5973,14 @@
 DocType: Staffing Plan Detail,Current Openings,Current Openings
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ກະແສເງິນສົດຈາກການດໍາເນີນວຽກ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,ຈໍານວນ CGST
+DocType: Vehicle Log,Current Odometer value ,ມູນຄ່າ Odometer ປັດຈຸບັນ
 apps/erpnext/erpnext/utilities/activation.py,Create Student,ສ້າງນັກສຶກສາ
 DocType: Asset Movement Item,Asset Movement Item,ລາຍການເຄື່ອນໄຫວຊັບສິນ
 DocType: Purchase Invoice,Shipping Rule,ກົດລະບຽບການຂົນສົ່ງ
 DocType: Patient Relation,Spouse,ຄູ່ສົມລົດ
 DocType: Lab Test Groups,Add Test,ຕື່ມການທົດສອບ
 DocType: Manufacturer,Limited to 12 characters,ຈໍາກັດເຖິງ 12 ລັກສະນະ
+DocType: Appointment Letter,Closing Notes,ປິດບັນທຶກ
 DocType: Journal Entry,Print Heading,ຫົວພິມ
 DocType: Quality Action Table,Quality Action Table,ຕາຕະລາງການປະຕິບັດຄຸນນະພາບ
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,ທັງຫມົດບໍ່ສາມາດຈະສູນ
@@ -5959,6 +6048,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),ທັງຫມົດ (AMT)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},ກະລຸນາລະບຸ / ສ້າງບັນຊີ (ກຸ່ມ) ສຳ ລັບປະເພດ - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,ຄວາມບັນເທີງແລະສັນທະນາການ
+DocType: Loan Security,Loan Security,ເງິນກູ້ຄວາມປອດໄພ
 ,Item Variant Details,Item Variant Details
 DocType: Quality Inspection,Item Serial No,ລາຍການບໍ່ມີ Serial
 DocType: Payment Request,Is a Subscription,ເປັນການຈອງ
@@ -5971,7 +6061,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,ອາຍຸລ້າສຸດ
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,ວັນທີ ກຳ ນົດແລະມື້ຍອມຮັບບໍ່ສາມາດຕ່ ຳ ກວ່າມື້ນີ້
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ໂອນເອກະສານໃຫ້ຜູ້ສະ ໜອງ
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ໃຫມ່ບໍ່ມີ Serial ບໍ່ສາມາດມີ Warehouse. Warehouse ຕ້ອງໄດ້ຮັບການກໍານົດໂດຍ Stock Entry ຫລືຮັບຊື້
 DocType: Lead,Lead Type,ປະເພດນໍາ
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,ສ້າງວົງຢືມ
@@ -5989,7 +6078,6 @@
 DocType: Leave Allocation,Leave Period,ອອກຈາກໄລຍະເວລາ
 DocType: Item,Default Material Request Type,ມາດຕະຖານການວັດສະດຸປະເພດຂໍ
 DocType: Supplier Scorecard,Evaluation Period,ການປະເມີນຜົນໄລຍະເວລາ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ລູກຄ້າ&gt; ກຸ່ມລູກຄ້າ&gt; ອານາເຂດ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ບໍ່ຮູ້ຈັກ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ຄໍາສັ່ງເຮັດວຽກບໍ່ໄດ້ສ້າງ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6075,7 +6163,8 @@
 ,Customer-wise Item Price,ລາຄາສິນຄ້າຕາມຄວາມຕ້ອງການຂອງລູກຄ້າ
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,ຖະແຫຼງການກະແສເງິນສົດ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ບໍ່ມີການຮ້ອງຂໍອຸປະກອນການສ້າງ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ຈໍານວນເງິນກູ້ບໍ່ເກີນຈໍານວນເງິນກູ້ສູງສຸດຂອງ {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ຈໍານວນເງິນກູ້ບໍ່ເກີນຈໍານວນເງິນກູ້ສູງສຸດຂອງ {0}
+DocType: Loan,Loan Security Pledge,ສັນຍາຄວາມປອດໄພເງິນກູ້
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,ໃບອະນຸຍາດ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,ກະລຸນາເລືອກປະຕິບັດຕໍ່ຖ້າຫາກວ່າທ່ານຍັງຕ້ອງການທີ່ຈະປະກອບມີຍອດເຫຼືອເດືອນກ່ອນປີງົບປະມານຂອງໃບປີງົບປະມານນີ້
@@ -6093,6 +6182,7 @@
 DocType: Pricing Rule,Price Discount Scheme,ໂຄງການຫຼຸດລາຄາ
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,ສະຖານະການບໍາລຸງຮັກສາຕ້ອງຖືກຍົກເລີກຫຼືສິ້ນສຸດລົງເພື່ອສົ່ງ
 DocType: Amazon MWS Settings,US,ພວກເຮົາ
+DocType: Loan Security Pledge,Pledged,ຄຳ ໝັ້ນ ສັນຍາ
 DocType: Holiday List,Add Weekly Holidays,ເພີ່ມວັນຢຸດຕໍ່ອາທິດ
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,ລາຍງານລາຍການ
 DocType: Staffing Plan Detail,Vacancies,ຕໍາແຫນ່ງວຽກຫວ່າງ
@@ -6111,7 +6201,6 @@
 DocType: Production Plan Item,Planned Start Date,ການວາງແຜນວັນທີ່
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,ກະລຸນາເລືອກ BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ໄດ້ຮັບສິນເຊື່ອ ITC Integrated Tax
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,ສ້າງລາຍການຈ່າຍຄືນ
 DocType: Purchase Order Item,Blanket Order Rate,Blanket Order Rate
 ,Customer Ledger Summary,ບົດສະຫຼຸບລູກຄ້າ
 apps/erpnext/erpnext/hooks.py,Certification,ການຢັ້ງຢືນ
@@ -6132,6 +6221,7 @@
 DocType: Appraisal Template,Appraisal Template Title,ການປະເມີນ Template Title
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ການຄ້າ
 DocType: Patient,Alcohol Current Use,Alcohol Current Use
+DocType: Loan,Loan Closure Requested,ຂໍປິດປະຕູເງິນກູ້
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,ຄ່າເຊົ່າຄ່າເຊົ່າເຮືອນ
 DocType: Student Admission Program,Student Admission Program,Student Admission Program
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,ຫມວດສິນຄ້າຍົກເວັ້ນພາສີ
@@ -6155,6 +6245,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Sales
 DocType: Stock Entry Detail,Basic Amount,ຈໍານວນພື້ນຖານ
 DocType: Training Event,Exam,ການສອບເສັງ
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,ການກູ້ຢືມເງິນຂະບວນການຂາດເຂີນຄວາມປອດໄພ
 DocType: Email Campaign,Email Campaign,ແຄມເປນອີເມວ
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Marketplace Error
 DocType: Complaint,Complaint,ຄໍາຮ້ອງທຸກ
@@ -6234,6 +6325,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,ສົ່ງຂໍ້ມູນນີ້ເພື່ອສ້າງບັນທຶກພະນັກງານ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},ລາຄາຄວາມປອດໄພຂອງເງິນກູ້ຄ້ ຳ ຊ້ອນກັນກັບ {0}
 DocType: Item Default,Item Default,Item default
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,ເຄື່ອງໃຊ້ພາຍໃນລັດ
 DocType: Chapter Member,Leave Reason,ອອກຈາກເຫດຜົນ
@@ -6261,6 +6353,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} ຄູປອງທີ່ໃຊ້ແມ່ນ {1}. ປະລິມານທີ່ອະນຸຍາດ ໝົດ ແລ້ວ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,ທ່ານຕ້ອງການສົ່ງ ຄຳ ຮ້ອງຂໍເອກະສານ
 DocType: Job Offer,Awaiting Response,ລັງລໍຖ້າການຕອບໂຕ້
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,ການກູ້ຢືມແມ່ນ ຈຳ ເປັນ
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-yYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,ຂ້າງເທິງ
 DocType: Support Search Source,Link Options,Link Options
@@ -6273,6 +6366,7 @@
 DocType: Training Event Employee,Optional,ທາງເລືອກ
 DocType: Salary Slip,Earning & Deduction,ທີ່ໄດ້ຮັບແລະການຫັກ
 DocType: Agriculture Analysis Criteria,Water Analysis,ການວິເຄາະນ້ໍາ
+DocType: Pledge,Post Haircut Amount,ຈຳ ນວນປະລິມານການຕັດຜົມ
 DocType: Sales Order,Skip Delivery Note,ຂ້າມຫມາຍເຫດສົ່ງ
 DocType: Price List,Price Not UOM Dependent,ລາຄາບໍ່ແມ່ນຂຶ້ນກັບ UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} variants ສ້າງ.
@@ -6299,6 +6393,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,ຮັບສິນຄ້າຈາກມັດດຽວກັນຜະລິດຕະພັນ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,ວິທີການຈ່າຍຄືນແມ່ນ ຈຳ ເປັນ ສຳ ລັບການກູ້ຢືມໄລຍະ
 DocType: Asset,Straight Line,Line ຊື່
 DocType: Project User,Project User,User ໂຄງການ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Split
@@ -6347,7 +6442,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ພາລະບົດບາດອະນຸຍາດໃຫ້ກໍານົດບັນຊີ Frozen ແລະແກ້ໄຂການອອກສຽງ Frozen
 DocType: Supplier Scorecard Scoring Variable,Path,ເສັ້ນທາງ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ບໍ່ສາມາດແປງສູນຕົ້ນທຶນການບັນຊີຍ້ອນວ່າມັນມີຂໍ້ເດັກ
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ປັດໄຈການປ່ຽນ UOM ({0} -&gt; {1}) ບໍ່ພົບ ສຳ ລັບລາຍການ: {2}
 DocType: Production Plan,Total Planned Qty,Total Planned Qty
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ການເຮັດທຸລະ ກຳ ໄດ້ຖອຍລົງຈາກ ຄຳ ຖະແຫຼງການແລ້ວ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ມູນຄ່າການເປີດ
@@ -6356,11 +6450,8 @@
 DocType: Material Request Plan Item,Required Quantity,ຈຳ ນວນທີ່ ຈຳ ເປັນ
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},ໄລຍະເວລາການບັນຊີຊ້ອນກັນກັບ {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ&gt; ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,ບັນຊີການຂາຍ
 DocType: Purchase Invoice Item,Total Weight,ນ້ໍາຫນັກລວມ
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ກະລຸນາລຶບພະນັກງານ <a href=""#Form/Employee/{0}"">{0}</a> \ ເພື່ອຍົກເລີກເອກະສານນີ້"
 DocType: Pick List Item,Pick List Item,ເລືອກລາຍການລາຍການ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,ຄະນະກໍາມະການຂາຍ
 DocType: Job Offer Term,Value / Description,ມູນຄ່າ / ລາຍລະອຽດ
@@ -6407,6 +6498,7 @@
 DocType: Patient Encounter,Encounter Date,Encounter Date
 DocType: Work Order,Update Consumed Material Cost In Project,ປັບປຸງຄ່າໃຊ້ຈ່າຍອຸປະກອນການບໍລິໂພກໃນໂຄງການ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ບັນຊີ: {0} ກັບສະກຸນເງິນ: {1} ບໍ່ສາມາດໄດ້ຮັບການຄັດເລືອກ
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ເງິນກູ້ໄດ້ສະ ໜອງ ໃຫ້ແກ່ລູກຄ້າແລະລູກຈ້າງ.
 DocType: Bank Statement Transaction Settings Item,Bank Data,Bank Data
 DocType: Purchase Receipt Item,Sample Quantity,ຕົວຢ່າງຈໍານວນ
 DocType: Bank Guarantee,Name of Beneficiary,ຊື່ຜູ້ຮັບຜົນປະໂຫຍດ
@@ -6475,7 +6567,6 @@
 DocType: Contract,Signed On,Signed On
 DocType: Bank Account,Party Type,ປະເພດພັກ
 DocType: Discounted Invoice,Discounted Invoice,ໃບເກັບເງິນຫຼຸດ
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ໝາຍ ເອົາການເຂົ້າຮຽນເປັນ <b></b>
 DocType: Payment Schedule,Payment Schedule,ຕາຕະລາງການຈ່າຍເງິນ
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ບໍ່ພົບພະນັກງານ ສຳ ລັບມູນຄ່າພາກສະ ໜາມ ຂອງພະນັກງານທີ່ໄດ້ຮັບ. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,ຊື່ຫຍໍ້
@@ -6547,6 +6638,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ຫນີ້
 DocType: Assessment Plan,Assessment Name,ຊື່ການປະເມີນຜົນ
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,"ຕິດຕໍ່ກັນ, {0}: ບໍ່ມີ Serial ເປັນການບັງຄັບ"
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,ຈຳ ນວນເງິນຂອງ {0} ແມ່ນ ຈຳ ເປັນ ສຳ ລັບການປິດການກູ້ຢືມເງິນ
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ລາຍການຂໍ້ມູນພາສີສະຫລາດ
 DocType: Employee Onboarding,Job Offer,Job Offer
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ສະຖາບັນສະບັບຫຍໍ້
@@ -6571,7 +6663,6 @@
 DocType: Purchase Order,To Receive,ທີ່ຈະໄດ້ຮັບ
 DocType: Leave Period,Holiday List for Optional Leave,ລາຍຊື່ພັກຜ່ອນສໍາລັບການເລືອກທາງເລືອກ
 DocType: Item Tax Template,Tax Rates,ອັດຕາອາກອນ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ລະຫັດສິນຄ້າ&gt; ກຸ່ມລາຍການ&gt; ຍີ່ຫໍ້
 DocType: Asset,Asset Owner,ເຈົ້າຂອງຊັບສິນ
 DocType: Item,Website Content,ເນື້ອຫາຂອງເວບໄຊທ໌
 DocType: Bank Account,Integration ID,ບັດປະສົມປະສານ
@@ -6587,6 +6678,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch Orders
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,ຄໍາສັ່ງປ່ອຍອອກມາເມື່ອສໍາລັບການຜະລິດ.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,ເລືອກປີງົບປະມານ ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},ກະລຸນາເລືອກປະເພດເງິນກູ້ ສຳ ລັບບໍລິສັດ {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS ຂໍ້ມູນທີ່ຕ້ອງການເພື່ອເຮັດໃຫ້ POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","ຈຸດເຄົາລົບຈະຖືກຄໍານວນຈາກການໃຊ້ຈ່າຍ (ຜ່ານໃບເກັບເງິນການຂາຍ), ອີງໃສ່ປັດໄຈການເກັບກໍາທີ່ໄດ້ກ່າວມາ."
 DocType: Program Enrollment Tool,Enroll Students,ລົງທະບຽນນັກສຶກສາ
@@ -6615,6 +6707,7 @@
 DocType: Customer,Mention if non-standard receivable account,ເວົ້າເຖິງຖ້າຫາກວ່າບໍ່ໄດ້ມາດຕະຖານບັນຊີລູກຫນີ້
 DocType: Bank,Plaid Access Token,Token Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,ກະລຸນາເພີ່ມຜົນປະໂຫຍດສ່ວນທີ່ເຫລືອ {0} ໃຫ້ກັບອົງປະກອບທີ່ມີຢູ່
+DocType: Bank Account,Is Default Account,ແມ່ນບັນຊີເລີ່ມຕົ້ນ
 DocType: Journal Entry Account,If Income or Expense,ຖ້າຫາກລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍ
 DocType: Course Topic,Course Topic,ຫົວຂໍ້ຫລັກສູດ
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS ປິດ alouay ມີຢູ່ ສຳ ລັບ {0} ລະຫວ່າງວັນທີ {1} ແລະ {2}
@@ -6627,7 +6720,7 @@
 DocType: Disease,Treatment Task,ວຽກງານການປິ່ນປົວ
 DocType: Payment Order Reference,Bank Account Details,ລາຍະລະອຽດບັນຊີທະນາຄານ
 DocType: Purchase Order Item,Blanket Order,Blanket Order
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ຈຳ ນວນເງິນຈ່າຍຄືນຕ້ອງຫຼາຍກວ່າ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ຈຳ ນວນເງິນຈ່າຍຄືນຕ້ອງຫຼາຍກວ່າ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ຊັບສິນອາກອນ
 DocType: BOM Item,BOM No,BOM No
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ລາຍລະອຽດປັບປຸງ
@@ -6684,6 +6777,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,ຜະລິດຕະພັນ WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},ຄວາມຜິດພາດ syntax ໃນສູດຫຼືສະພາບ: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,ລາຍການ {0} ລະເລີຍຕັ້ງແຕ່ມັນບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ
+,Loan Security Status,ສະຖານະພາບຄວາມປອດໄພຂອງເງິນກູ້
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ບໍ່ໃຊ້ກົດລະບຽບການຕັ້ງລາຄາໃນການສະເພາະໃດຫນຶ່ງ, ກົດລະບຽບການຕັ້ງລາຄາສາມາດນໍາໃຊ້ທັງຫມົດທີ່ຄວນຈະໄດ້ຮັບການພິການ."
 DocType: Payment Term,Day(s) after the end of the invoice month,ມື້ (s) ຫຼັງຈາກສິ້ນເດືອນໃບແຈ້ງ
 DocType: Assessment Group,Parent Assessment Group,ພໍ່ແມ່ກຸ່ມການປະເມີນຜົນ
@@ -6698,7 +6792,6 @@
 DocType: Stock Entry Detail,Additional Cost,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ Voucher No, ຖ້າຫາກວ່າເປັນກຸ່ມຕາມ Voucher"
 DocType: Quality Inspection,Incoming,ເຂົ້າມາ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕິດຕັ້ງ&gt; ຊຸດເລກ ລຳ ດັບ
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ແມ່ແບບພາສີມາດຕະຖານສໍາລັບການຂາຍແລະການຊື້ໄດ້ຖືກສ້າງຂຶ້ນ.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,ບັນທຶກການປະເມີນຜົນ {0} ມີຢູ່ແລ້ວ.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",ຕົວຢ່າງ: ABCD #####. ຖ້າຊຸດໄດ້ຖືກກໍານົດແລະ Batch No ບໍ່ໄດ້ກ່າວເຖິງໃນການເຮັດທຸລະກໍາແລ້ວຈໍານວນ batch ອັດຕະໂນມັດຈະຖືກສ້າງຂຶ້ນໂດຍອີງໃສ່ຊຸດນີ້. ຖ້າທ່ານຕ້ອງການທີ່ຈະກ່າວຢ່າງລະອຽດກ່ຽວກັບເຄື່ອງຫມາຍການຜະລິດສໍາລັບສິນຄ້ານີ້ໃຫ້ປ່ອຍໃຫ້ມັນຫວ່າງ. ຫມາຍເຫດ: ການຕັ້ງຄ່ານີ້ຈະມີຄວາມສໍາຄັນກວ່າຊື່ຊຸດຊື່ໃນການຕັ້ງຄ່າຫຼັກຊັບ.
@@ -6709,8 +6802,10 @@
 DocType: Contract,Party User,ພັກຜູ້ໃຊ້
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,ຊັບສິນທີ່ບໍ່ໄດ້ຖືກສ້າງຂື້ນ ສຳ ລັບ <b>{0}</b> . ທ່ານຈະຕ້ອງສ້າງຊັບສິນດ້ວຍຕົນເອງ.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',ກະລຸນາຕັ້ງບໍລິສັດກັ່ນຕອງ blank ຖ້າ Group By ແມ່ນ &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ລູກຄ້າ&gt; ກຸ່ມລູກຄ້າ&gt; ອານາເຂດ
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,ວັນທີ່ບໍ່ສາມາດເປັນວັນໃນອະນາຄົດ
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},"ຕິດຕໍ່ກັນ, {0}: ບໍ່ມີ Serial {1} ບໍ່ກົງກັບ {2} {3}"
+DocType: Loan Repayment,Interest Payable,ດອກເບ້ຍທີ່ຈ່າຍໄດ້
 DocType: Stock Entry,Target Warehouse Address,Target Warehouse Address
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ອອກຈາກການບາດເຈັບແລະ
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ເວລາກ່ອນເວລາການປ່ຽນວຽກຈະເລີ່ມໃນໄລຍະທີ່ການເຂົ້າເຮັດວຽກຂອງພະນັກງານຈະຖືກພິຈາລະນາເຂົ້າຮ່ວມ.
@@ -6839,6 +6934,7 @@
 DocType: Issue,Reset Service Level Agreement,ປັບສັນຍາລະດັບການບໍລິການຄືນ ໃໝ່
 ,Sales Person-wise Transaction Summary,Summary ທຸລະກໍາຄົນສະຫລາດ
 DocType: Training Event,Contact Number,ຫມາຍເລກໂທລະສັບ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,ຈຳ ນວນເງິນກູ້ແມ່ນ ຈຳ ເປັນ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Warehouse {0} ບໍ່ມີ
 DocType: Cashier Closing,Custody,ການຮັກສາສຸຂະພາບ
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ລາຍລະອຽດການສະເຫນີຍົກເວັ້ນພາສີຂອງພະນັກງານ
@@ -6887,6 +6983,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ການດຸ່ນດ່ຽງຈໍານວນ
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,ເງື່ອນໄຂຕ່າງໆຈະຖືກ ນຳ ໃຊ້ກັບທຸກໆລາຍການທີ່ເລືອກຮ່ວມກັນ.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,ເປົ້າຫມາຍບໍ່ສາມາດປ່ອຍຫວ່າງ
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,ສາງທີ່ບໍ່ຖືກຕ້ອງ
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,ລົງທະບຽນນັກຮຽນ
 DocType: Item Group,Parent Item Group,ກຸ່ມສິນຄ້າຂອງພໍ່ແມ່
 DocType: Appointment Type,Appointment Type,ປະເພດການນັດຫມາຍ
@@ -6942,10 +7039,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ອັດຕາເສລີ່ຍ
 DocType: Appointment,Appointment With,ນັດພົບກັບ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ຈໍານວນເງິນຈ່າຍທັງຫມົດໃນຕາຕະລາງການຊໍາລະເງິນຕ້ອງເທົ່າກັບ Grand / Total Rounded
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ໝາຍ ເອົາການເຂົ້າຮຽນເປັນ <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;ສິນຄ້າທີ່ໃຫ້ກັບລູກຄ້າ&quot; ບໍ່ສາມາດມີອັດຕາການປະເມີນມູນຄ່າໄດ້
 DocType: Subscription Plan Detail,Plan,ແຜນການ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,ທະນາຄານການດຸ່ນດ່ຽງງົບເປັນຕໍ່ຊີແຍກປະເພດທົ່ວໄປ
-DocType: Job Applicant,Applicant Name,ຊື່ຜູ້ສະຫມັກ
+DocType: Appointment Letter,Applicant Name,ຊື່ຜູ້ສະຫມັກ
 DocType: Authorization Rule,Customer / Item Name,ລູກຄ້າ / ສິນຄ້າ
 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**. 
 
@@ -6989,11 +7087,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນການເຂົ້າຫຸ້ນຊີແຍກປະເພດທີ່ມີຢູ່ສໍາລັບການສາງນີ້.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ການແຜ່ກະຈາຍ
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,ສະຖານະພາບຂອງພະນັກງານບໍ່ສາມາດຖືກຕັ້ງເປັນ &#39;ຊ້າຍ&#39; ເນື່ອງຈາກວ່າພະນັກງານຕໍ່ໄປນີ້ ກຳ ລັງລາຍງານຕໍ່ພະນັກງານຜູ້ນີ້:
-DocType: Journal Entry Account,Loan,ເງິນກູ້ຢືມ
+DocType: Loan Repayment,Amount Paid,ຈໍານວນເງິນທີ່ຊໍາລະເງິນ
+DocType: Loan Security Shortfall,Loan,ເງິນກູ້ຢືມ
 DocType: Expense Claim Advance,Expense Claim Advance,ຄ່າໃຊ້ຈ່າຍທີ່ຮ້ອງຂໍລ່ວງຫນ້າ
 DocType: Lab Test,Report Preference,Report Preference
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ຂໍ້ມູນອາສາສະຫມັກ.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,ຜູ້ຈັດການໂຄງການ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,ກຸ່ມໂດຍລູກຄ້າ
 ,Quoted Item Comparison,ປຽບທຽບບາຍດີທຸກທ່ານ Item
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},ກັນໃນການໃຫ້ຄະແນນລະຫວ່າງ {0} ແລະ {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,ຫນັງສືທາງການ
@@ -7013,6 +7113,7 @@
 DocType: Material Request Plan Item,Material Issue,ສະບັບອຸປະກອນການ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ສິນຄ້າທີ່ບໍ່ໄດ້ ກຳ ນົດໃນກົດລາຄາ {0}
 DocType: Employee Education,Qualification,ຄຸນສົມບັດ
+DocType: Loan Security Shortfall,Loan Security Shortfall,ການຂາດແຄນຄວາມປອດໄພຂອງເງິນກູ້
 DocType: Item Price,Item Price,ລາຍການລາຄາ
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,ສະບູ່ແລະຜົງຊັກຟອກ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},ພະນັກງານ {0} ບໍ່ຂຶ້ນກັບບໍລິສັດ {1}
@@ -7035,6 +7136,7 @@
 DocType: Appointment Booking Settings,Appointment Details,ລາຍລະອຽດການນັດພົບ
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ຜະລິດຕະພັນ ສຳ ເລັດຮູບ
 DocType: Warehouse,Warehouse Name,ຊື່ Warehouse
+DocType: Loan Security Pledge,Pledge Time,ເວລາສັນຍາ
 DocType: Naming Series,Select Transaction,ເລືອກເຮັດທຸລະກໍາ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ກະລຸນາໃສ່ອະນຸມັດການພາລະບົດບາດຫຼືອະນຸມັດຜູ້ໃຊ້
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,ຂໍ້ຕົກລົງລະດັບການບໍລິການກັບປະເພດຫົວ ໜ່ວຍ {0} ແລະ ໜ່ວຍ ງານ {1} ມີຢູ່ແລ້ວ.
@@ -7042,7 +7144,6 @@
 DocType: BOM,Rate Of Materials Based On,ອັດຕາຂອງວັດສະດຸພື້ນຖານກ່ຽວກັບ
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ຖ້າເປີດໃຊ້, ໄລຍະທາງວິຊາການຈະເປັນຂໍ້ບັງຄັບໃນເຄື່ອງມືການເຂົ້າຮຽນຂອງໂຄງການ."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","ຄຸນຄ່າຂອງການຍົກເວັ້ນ, ການຈັດອັນດັບແລະການສະ ໜອງ ທີ່ບໍ່ແມ່ນ GST ພາຍໃນ"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ລູກຄ້າ&gt; ກຸ່ມລູກຄ້າ&gt; ອານາເຂດ
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ບໍລິສັດ</b> ແມ່ນຕົວກອງທີ່ ຈຳ ເປັນ.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ຍົກເລີກທັງຫມົດ
 DocType: Purchase Taxes and Charges,On Item Quantity,ກ່ຽວກັບ ຈຳ ນວນສິນຄ້າ
@@ -7088,7 +7189,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ການຂາດແຄນຈໍານວນ
 DocType: Purchase Invoice,Input Service Distributor,ຕົວແທນ ຈຳ ໜ່າຍ ບໍລິການຂາເຂົ້າ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,variant item {0} ມີຢູ່ກັບຄຸນລັກສະນະດຽວກັນ
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ&gt; ການຕັ້ງຄ່າການສຶກສາ
 DocType: Loan,Repay from Salary,ຕອບບຸນແທນຄຸນຈາກເງິນເດືອນ
 DocType: Exotel Settings,API Token,API Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ຂໍຊໍາລະເງິນກັບ {0} {1} ສໍາລັບຈໍານວນເງິນທີ່ {2}
@@ -7108,6 +7208,7 @@
 DocType: Salary Slip,Total Interest Amount,ຈໍານວນດອກເບ້ຍທັງຫມົດ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,ຄັງສິນຄ້າທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ
 DocType: BOM,Manage cost of operations,ການຄຸ້ມຄອງຄ່າໃຊ້ຈ່າຍຂອງການດໍາເນີນງານ
+DocType: Unpledge,Unpledge,ປະຕິເສດ
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,ໄລຍະເວລາມາຮອດ
 DocType: Tax Rule,Billing Zipcode,ລະຫັດຫັດໄປສະນີ
@@ -7294,6 +7395,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ຊົ່ວໂມງ
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},ການນັດພົບ ໃໝ່ ໄດ້ຖືກສ້າງຂື້ນ ສຳ ລັບທ່ານດ້ວຍ {0}
 DocType: Project,Expected Start Date,ຄາດວ່າຈະເລີ່ມວັນທີ່
+DocType: Work Order,This is a location where raw materials are available.,ນີ້ແມ່ນສະຖານທີ່ທີ່ມີວັດຖຸດິບ.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correction in Invoice
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,ວຽກງານການສັ່ງຊື້ແລ້ວສໍາລັບລາຍການທັງຫມົດທີ່ມີ BOM
 DocType: Bank Account,Party Details,ລາຍລະອຽດພັກ
@@ -7312,6 +7414,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,ການຊື້ຂາຍ:
 DocType: Contract,Partially Fulfilled,ບາງສ່ວນໄດ້ປະຕິບັດ
 DocType: Maintenance Visit,Fully Completed,ສໍາເລັດຢ່າງເຕັມສ່ວນ
+DocType: Loan Security,Loan Security Name,ຊື່ຄວາມປອດໄພເງິນກູ້
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","ຕົວລະຄອນພິເສດຍົກເວັ້ນ &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; ແລະ &quot;}&quot; ບໍ່ໄດ້ຖືກອະນຸຍາດໃນຊຸດຊື່"
 DocType: Purchase Invoice Item,Is nil rated or exempted,ຖືກຈັດອັນດັບຫລືຖືກຍົກເວັ້ນ
 DocType: Employee,Educational Qualification,ຄຸນສົມບັດການສຶກສາ
@@ -7369,6 +7472,7 @@
 DocType: Program,Is Featured,ແມ່ນທີ່ໂດດເດັ່ນ
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ກຳ ລັງດຶງ ...
 DocType: Agriculture Analysis Criteria,Agriculture User,ກະສິກໍາຜູ້ໃຊ້
+DocType: Loan Security Shortfall,America/New_York,ອາເມລິກາ / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,ຖືກຕ້ອງຈົນເຖິງວັນທີ່ບໍ່ສາມາດຈະກ່າວກ່ອນວັນທີທຸລະກໍາ
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,ນັກສຶກສາປະເພດ
@@ -7446,8 +7550,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},ພະນັກງານ {0} ແມ່ນຢູ່ໃນວັນພັກສຸດ {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,ບໍ່ມີການຈ່າຍຄືນສໍາລັບວາລະສານເຂົ້າ
 DocType: Purchase Invoice,GST Category,ໝວດ GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,ຂໍ້ສະ ເໜີ ທີ່ເປັນສັນຍາແມ່ນມີຄວາມ ຈຳ ເປັນ ສຳ ລັບເງິນກູ້ທີ່ໄດ້ຮັບປະກັນ
 DocType: Payment Reconciliation,From Invoice Date,ຈາກ Invoice ວັນທີ່
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,ງົບປະມານ
 DocType: Invoice Discounting,Disbursed,ເງິນກູ້ຢືມ
@@ -7505,14 +7609,13 @@
 DocType: Restaurant,Active Menu,Active Menu
 DocType: Accounting Dimension Detail,Default Dimension,ຂະ ໜາດ ເລີ່ມຕົ້ນ
 DocType: Target Detail,Target Qty,ເປົ້າຫມາຍຈໍານວນ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},ກັບເງິນກູ້: {0}
 DocType: Shopping Cart Settings,Checkout Settings,ການຕັ້ງຄ່າການຊໍາລະເງິນ
 DocType: Student Attendance,Present,ປັດຈຸບັນ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ສົ່ງຫມາຍເຫດ {0} ຕ້ອງບໍ່ໄດ້ຮັບການສົ່ງ
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","ໃບເລື່ອນເງິນເດືອນທີ່ສົ່ງໃຫ້ພະນັກງານຈະໄດ້ຮັບການປົກປ້ອງລະຫັດຜ່ານ, ລະຫັດຜ່ານຈະຖືກສ້າງຂື້ນໂດຍອີງໃສ່ນະໂຍບາຍລະຫັດລັບ."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,ບັນຊີ {0} ປິດຈະຕ້ອງເປັນຂອງປະເພດຄວາມຮັບຜິດຊອບ / Equity
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບເອກະສານທີ່ໃຊ້ເວລາ {1}
-DocType: Vehicle Log,Odometer,ໄມ
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,ໄມ
 DocType: Production Plan Item,Ordered Qty,ຄໍາສັ່ງຈໍານວນ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,ລາຍການ {0} ເປັນຄົນພິການ
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen ເກີນ
@@ -7571,7 +7674,6 @@
 DocType: Serial No,Delivery Document Type,ສົ່ງປະເພດເອກະສານ
 DocType: Sales Order,Partly Delivered,ສົ່ງສ່ວນຫນຶ່ງແມ່ນ
 DocType: Item Variant Settings,Do not update variants on save,ຢ່າອັບເດດເວີຊັນໃນການບັນທຶກ
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ກຸ່ມຜູ້ດູແລ ໝວດ
 DocType: Email Digest,Receivables,ລູກຫນີ້
 DocType: Lead Source,Lead Source,ມາເປັນຜູ້ນໍາພາ
 DocType: Customer,Additional information regarding the customer.,ຂໍ້ມູນເພີ່ມເຕີມກ່ຽວກັບການລູກຄ້າ.
@@ -7669,6 +7771,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ທີ່ແທ້ຈິງ
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,ຜູ້ຈັດການຮ້ານອາຫານ
+DocType: Loan,Penalty Income Account,ບັນຊີລາຍໄດ້ການລົງໂທດ
 DocType: Call Log,Call Log,ໂທເຂົ້າ
 DocType: Authorization Rule,Customerwise Discount,Customerwise ສ່ວນລົດ
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet ສໍາລັບວຽກງານ.
@@ -7757,6 +7860,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,ໂຄງການຫຼຸດລາຄາສິນຄ້າ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,ບໍ່ມີບັນຫາໃດຖືກຍົກຂື້ນມາໂດຍຜູ້ໂທ.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,ກຸ່ມໂດຍຜູ້ສະ ໜອງ ສິນຄ້າ
 DocType: Restaurant Reservation,Waitlisted,ລໍຖ້າລາຍການ
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ຫມວດຍົກເວັ້ນ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ສະກຸນເງິນບໍ່ສາມາດມີການປ່ຽນແປງຫຼັງຈາກການເຮັດໃຫ້ການອອກສຽງການນໍາໃຊ້ສະກຸນເງິນອື່ນ ໆ
@@ -7767,7 +7871,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,ໃຫ້ຄໍາປຶກສາ
 DocType: Subscription Plan,Based on price list,ອີງຕາມລາຍຊື່ລາຄາ
 DocType: Customer Group,Parent Customer Group,ກຸ່ມລູກຄ້າຂອງພໍ່ແມ່
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON ສາມາດຜະລິດໄດ້ຈາກໃບເກັບເງິນໃນການຂາຍເທົ່ານັ້ນ
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ບັນລຸໄດ້ຄວາມພະຍາຍາມສູງສຸດ ສຳ ລັບແບບສອບຖາມນີ້!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Subscription
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ການສ້າງຄ່າທໍານຽມທີ່ຍັງຄ້າງຢູ່
@@ -7785,6 +7888,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,ການປ້ອງກັນການປ້ອງກັນ
 DocType: Delivery Note Item,Against Sales Invoice,ຕໍ່ Invoice Sales
 DocType: Purchase Invoice,07-Others,07-Others
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,ຈຳ ນວນວົງຢືມ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,ກະລຸນາໃສ່ຈໍານວນ serial ສໍາລັບລາຍການເນື່ອງ
 DocType: Bin,Reserved Qty for Production,ລິຂະສິດຈໍານວນການຜະລິດ
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ອອກຈາກການກວດກາຖ້າຫາກວ່າທ່ານບໍ່ຕ້ອງການທີ່ຈະພິຈາລະນາໃນຂະນະທີ່ batch ເຮັດໃຫ້ກຸ່ມແນ່ນອນຕາມ.
@@ -7896,6 +8000,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ການຊໍາລະເງິນການຮັບ Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການເຮັດທຸລະກໍາຕໍ່ລູກຄ້ານີ້. ເບິ່ງໄລຍະເວລາຂ້າງລຸ່ມນີ້ສໍາລັບລາຍລະອຽດ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,ສ້າງການຮ້ອງຂໍເອກະສານ
+DocType: Loan Interest Accrual,Pending Principal Amount,ຈຳ ນວນເງີນທີ່ຍັງຄ້າງ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","ວັນທີເລີ່ມຕົ້ນແລະສິ້ນສຸດບໍ່ໄດ້ຢູ່ໃນໄລຍະການຈ່າຍເງິນເດືອນທີ່ຖືກຕ້ອງ, ບໍ່ສາມາດຄິດໄລ່ {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7939,6 +8044,7 @@
 											to fullfill Sales Order {2}",ບໍ່ສາມາດສົ່ງ Serial No {0} ຂອງລາຍະການ {1} ຍ້ອນວ່າມັນຖືກຈອງໄວ້ \ to Full Order Sales Order {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN -YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,ສະເຫນີລາຄາຜູ້ຜະລິດ {0} ສ້າງ
+DocType: Loan Security Unpledge,Unpledge Type,ປະເພດແບບບໍ່ຄາດຄິດ
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,ປີສຸດທ້າຍບໍ່ສາມາດກ່ອນທີ່ Start ປີ
 DocType: Employee Benefit Application,Employee Benefits,ຜົນປະໂຫຍດພະນັກງານ
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ບັດປະ ຈຳ ຕົວຂອງພະນັກງານ
@@ -8021,6 +8127,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,ລະຫັດຂອງລາຍວິຊາ:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ກະລຸນາໃສ່ທີ່ຄຸ້ມຄ່າ
 DocType: Quality Action Resolution,Problem,ປັນຫາ
+DocType: Loan Security Type,Loan To Value Ratio,ເງິນກູ້ເພື່ອສົມທຽບມູນຄ່າ
 DocType: Account,Stock,Stock
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຊື້, ຊື້ໃບເກັບເງິນຫຼືການອະນຸທິນ"
 DocType: Employee,Current Address,ທີ່ຢູ່ປະຈຸບັນ
@@ -8038,6 +8145,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bank Statement Transaction Entry
 DocType: Sales Invoice Item,Discount and Margin,ສ່ວນລົດແລະຂອບ
 DocType: Lab Test,Prescription,prescription
+DocType: Process Loan Security Shortfall,Update Time,ເວລາປັບປຸງ
 DocType: Import Supplier Invoice,Upload XML Invoices,ອັບໂຫລດໃບເກັບເງິນ XML
 DocType: Company,Default Deferred Revenue Account,ບັນຊີລາຍຮັບລາຍໄດ້ພິເສດ
 DocType: Project,Second Email,ອີເມວສອງຄັ້ງ
@@ -8051,7 +8159,7 @@
 DocType: Quality Action,Preventive,ປ້ອງກັນ
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ເຄື່ອງສະ ໜອງ ໃຫ້ແກ່ບຸກຄົນທີ່ບໍ່ໄດ້ລົງທະບຽນ
 DocType: Company,Date of Incorporation,Date of Incorporation
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ພາສີທັງຫມົດ
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,ພາສີທັງຫມົດ
 DocType: Manufacturing Settings,Default Scrap Warehouse,ສາງເກັບຂີ້ເຫຍື່ອເລີ່ມຕົ້ນ
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,ລາຄາຊື້ສຸດທ້າຍ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ສໍາລັບປະລິມານ (ຜະລິດຈໍານວນ) ເປັນການບັງຄັບ
@@ -8070,6 +8178,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ກໍານົດຮູບແບບການໃນຕອນຕົ້ນຊໍາລະເງິນ
 DocType: Stock Entry Detail,Against Stock Entry,ຕໍ່ການເຂົ້າຫຸ້ນ
 DocType: Grant Application,Withdrawn,ຖອນ
+DocType: Loan Repayment,Regular Payment,ການຈ່າຍເງິນປົກກະຕິ
 DocType: Support Search Source,Support Search Source,ສະຫນັບສະຫນູນຄົ້ນຫາແຫຼ່ງຂໍ້ມູນ
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,ຮັບຜິດຊອບ
 DocType: Project,Gross Margin %,Gross Margin%
@@ -8083,8 +8192,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,ໂດຍບໍ່ມີການຊໍາລະເງິນຂອງສ່ວຍສາອາກອນ
 DocType: BOM Operation,BOM Operation,BOM ການດໍາເນີນງານ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,ກ່ຽວກັບຈໍານວນແຖວ Previous
+DocType: Student,Home Address,ທີ່ຢູ່ເຮືອນ
 DocType: Options,Is Correct,ແມ່ນຖືກຕ້ອງ
 DocType: Item,Has Expiry Date,ມີວັນຫມົດອາຍຸ
+DocType: Loan Repayment,Paid Accrual Entries,ການຈ່າຍຄ່າເຂົ້າ
+DocType: Loan Security,Loan Security Type,ປະເພດຄວາມປອດໄພເງິນກູ້
 apps/erpnext/erpnext/config/support.py,Issue Type.,ປະເພດອອກ.
 DocType: POS Profile,POS Profile,ຂໍ້ມູນ POS
 DocType: Training Event,Event Name,ຊື່ກໍລະນີ
@@ -8096,6 +8208,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ລະດູການສໍາລັບການສ້າງຕັ້ງງົບປະມານ, ເປົ້າຫມາຍແລະອື່ນໆ"
 apps/erpnext/erpnext/www/all-products/index.html,No values,ບໍ່ມີຄຸນຄ່າ
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ຊື່ຂອງຕົວປ່ຽນແປງ
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,ເລືອກບັນຊີທະນາຄານເພື່ອຄືນດີ.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","ລາຍການ {0} ເປັນແມ່ແບບໄດ້, ກະລຸນາເລືອກເອົາຫນຶ່ງຂອງ variants ຂອງຕົນ"
 DocType: Purchase Invoice Item,Deferred Expense,ຄ່າໃຊ້ຈ່າຍຕໍ່ປີ
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,ກັບໄປທີ່ຂໍ້ຄວາມ
@@ -8147,7 +8260,6 @@
 DocType: GL Entry,To Rename,ເພື່ອປ່ຽນຊື່
 DocType: Stock Entry,Repack,ຫຸ້ມຫໍ່ຄືນ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,ເລືອກທີ່ຈະເພີ່ມ Serial Number.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ&gt; ການຕັ້ງຄ່າການສຶກສາ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',ກະລຸນາຕັ້ງລະຫັດງົບປະມານ ສຳ ລັບລູກຄ້າ &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ກະລຸນາເລືອກບໍລິສັດທໍາອິດ
 DocType: Item Attribute,Numeric Values,ມູນຄ່າຈໍານວນ
@@ -8171,6 +8283,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,ການດຶງເອົາໂດຍອີງໃສ່ FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,ຮາກບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,ມູນຄ່າຄວາມປອດໄພຂອງເງິນກູ້
 DocType: Item,Units of Measure,ຫົວຫນ່ວຍວັດແທກ
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,ເຊົ່າໃນ Metro City
 DocType: Supplier,Default Tax Withholding Config,Default ການຖອນເງິນຄ່າຕັງ
@@ -8217,6 +8330,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,ກະລຸນາເລືອກປະເພດທໍາອິດ
 apps/erpnext/erpnext/config/projects.py,Project master.,ຕົ້ນສະບັບຂອງໂຄງການ.
 DocType: Contract,Contract Terms,ເງື່ອນໄຂສັນຍາ
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,ຂອບເຂດຈໍາກັດຈໍານວນເງິນທີ່ຖືກລົງໂທດ
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,ສືບຕໍ່ການຕັ້ງຄ່າ
 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,Maximum benefit amount of component {0} exceeds {1},ປະລິມານປະໂຫຍດສູງສຸດຂອງອົງປະກອບ {0} ເກີນ {1}
@@ -8249,6 +8363,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,ເບິ່ງບັນທຶກການໂທ
 DocType: BOM Operation,Operating Cost(Company Currency),ຄ່າໃຊ້ຈ່າຍປະຕິບັດການ (ບໍລິສັດສະກຸນເງິນ)
 DocType: Loan Application,Rate of Interest,ອັດຕາການທີ່ຫນ້າສົນໃຈ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},ສັນຍາຄວາມປອດໄພເງິນກູ້ໄດ້ສັນຍາໄວ້ແລ້ວຕໍ່ກັບການກູ້ຢືມເງິນ {0}
 DocType: Expense Claim Detail,Sanctioned Amount,ຈໍານວນເງິນທີ່ຖືກເກືອດຫ້າມ
 DocType: Item,Shelf Life In Days,ຊີວິດຊີວິດໃນມື້
 DocType: GL Entry,Is Opening,ເປັນການເປີດກວ້າງການ
@@ -8262,3 +8377,4 @@
 DocType: Account,Cash,ເງິນສົດ
 DocType: Sales Invoice,Unpaid and Discounted,ບໍ່ທັນໄດ້ຈ່າຍແລະລາຄາຜ່ອນຜັນ
 DocType: Employee,Short biography for website and other publications.,biography ສັ້ນສໍາລັບເວັບໄຊທ໌ແລະສິ່ງພິມອື່ນໆ.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,ແຖວ # {0}: ບໍ່ສາມາດເລືອກສາງຜູ້ສະ ໜອງ ສິນຄ້າໃນຂະນະທີ່ສະ ໜອງ ວັດຖຸດິບໃຫ້ຜູ້ຮັບ ເໝົາ ຍ່ອຍ
diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv
index 97e8a36..8dff444 100644
--- a/erpnext/translations/lt.csv
+++ b/erpnext/translations/lt.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Galimybė prarasti priežastį
 DocType: Patient Appointment,Check availability,Patikrinkite užimtumą
 DocType: Retention Bonus,Bonus Payment Date,Premijos mokėjimo data
-DocType: Employee,Job Applicant,Darbas Pareiškėjas
+DocType: Appointment Letter,Job Applicant,Darbas Pareiškėjas
 DocType: Job Card,Total Time in Mins,Bendras laikas minutėmis
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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ą
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontaktinė informacija
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Ieškok nieko ...
 ,Stock and Account Value Comparison,Atsargų ir sąskaitų vertės palyginimas
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Išmokėta suma negali būti didesnė už paskolos sumą
 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
@@ -290,6 +291,7 @@
 DocType: Lead,Interested,Suinteresuotas
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,atidarymas
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programa:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Galioja nuo laiko turi būti mažesnė nei galiojanti iki laiko.
 DocType: Item,Copy From Item Group,Kopijuoti Nuo punktas grupės
 DocType: Journal Entry,Opening Entry,atidarymas įrašas
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Sąskaita mokate tik
@@ -337,6 +339,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,klasė
 DocType: Restaurant Table,No of Seats,Sėdimų vietų skaičius
+DocType: Loan Type,Grace Period in Days,Lengvatinis laikotarpis dienomis
 DocType: Sales Invoice,Overdue and Discounted,Pavėluotai ir su nuolaida
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Turtas {0} nepriklauso saugotojui {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Skambutis atjungtas
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Nustatytos procedūros
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Rodyti tik POS
 DocType: Supplier Group,Supplier Group Name,Tiekėjo grupės pavadinimas
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Pažymėkite dalyvavimą kaip <b></b>
 DocType: Driver,Driving License Categories,Vairuotojo pažymėjimo kategorijos
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Įveskite pristatymo datą
 DocType: Depreciation Schedule,Make Depreciation Entry,Padaryti nusidėvėjimo įrašą
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Išsami informacija apie atliktas operacijas.
 DocType: Asset Maintenance Log,Maintenance Status,techninės priežiūros būseną
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Prekės vertė, įskaičiuota į vertę"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Paskolos užstatas
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Narystės duomenys
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Tiekėjas privalo prieš MOKĖTINOS sąskaitą {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Elementus ir kainodara
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Iš viso valandų: {0}
+DocType: Loan,Loan Manager,Paskolų tvarkytojas
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Nuo data turėtų būti per finansinius metus. Darant prielaidą Iš data = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervalas
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Atnaujinta per &quot;Time Prisijungti&quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Pasirinkite klientą ar tiekėją.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Šalyje esantis šalies kodas nesutampa su sistemoje nustatytu šalies kodu
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Sąskaita {0} nepriklauso Company {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Pasirinkite tik vieną prioritetą kaip numatytąjį.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Palikite Užblokuoti
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Banko įrašai
-DocType: Customer,Is Internal Customer,Yra vidinis klientas
+DocType: Sales Invoice,Is Internal Customer,Yra vidinis klientas
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,medžiaga Prašymas
 DocType: Bank Reconciliation,Update Clearance Date,Atnaujinti Sąskaitų data
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Rinkinys Kiekis
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Neįmanoma sukurti paskolos, kol nebus patvirtinta paraiška"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Teisingai
 DocType: Student Guardian,Mother,Motina
 DocType: Restaurant Reservation,Reservation End Time,Rezervacijos pabaiga
+DocType: Salary Slip Loan,Loan Repayment Entry,Paskolos grąžinimo įrašas
 DocType: Crop,Biennial,Bienalė
 ,BOM Variance Report,BOM Variance Report
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Patvirtinti užsakymus iš klientų.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Mokėjimo prieš {0} {1} negali būti didesnis nei nesumokėtos sumos {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Visi sveikatos priežiūros tarnybos vienetai
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Apie galimybės konvertavimą
+DocType: Loan,Total Principal Paid,Iš viso sumokėta pagrindinė suma
 DocType: Bank Account,Address HTML,adresas HTML
 DocType: Lead,Mobile No.,Mobilus Ne
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Mokėjimų būdas
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Balansas bazine valiuta
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Maksimalus įvertinimas
 DocType: Email Digest,New Quotations,Nauja citatos
+DocType: Loan Interest Accrual,Loan Interest Accrual,Sukauptos paskolų palūkanos
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Lankymas neatsiunčiamas {0} kaip {1} atostogų metu.
 DocType: Journal Entry,Payment Order,Pirkimo užsakymas
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Patvirtinkite elektroninį paštą
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Pajamos iš kitų šaltinių
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Jei tuščia, bus svarstoma pagrindinė sandėlio sąskaita arba įmonės įsipareigojimų nevykdymas"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Parašyta darbo užmokestį į darbuotojo remiantis pageidaujamą paštu pasirinkto darbuotojo
+DocType: Work Order,This is a location where operations are executed.,"Tai vieta, kurioje vykdomos operacijos."
 DocType: Tax Rule,Shipping County,Pristatymas apskritis
 DocType: Currency Exchange,For Selling,Pardavimui
 apps/erpnext/erpnext/config/desktop.py,Learn,Mokytis
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Taikomas kupono kodas
 DocType: Asset,Next Depreciation Date,Kitas Nusidėvėjimas data
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Veiklos sąnaudos vienam darbuotojui
+DocType: Loan Security,Haircut %,Kirpimas%
 DocType: Accounts Settings,Settings for Accounts,Nustatymai sąskaitų
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Tiekėjas sąskaitoje Nr egzistuoja pirkimo sąskaitoje faktūroje {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Valdyti pardavimo asmuo medį.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Prašome nustatyti viešbučio kambario kainą už ()
 DocType: Journal Entry,Multi Currency,Daugiafunkciniai Valiuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Sąskaitos faktūros tipas
+DocType: Loan,Loan Security Details,Paskolos saugumo duomenys
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,"Galioja nuo datos, turi būti mažesnė už galiojančią datą"
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Išimtis įvyko derinant {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Nustatykite priimtiną sandėlį
@@ -775,7 +787,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Reikalauti gero bandymo patvirtinimo
 DocType: Attendance,Working Hours,Darbo valandos
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Viso neįvykdyti
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konversijos koeficientas ({0} -&gt; {1}) nerastas elementui: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Pakeisti pradinį / trumpalaikiai eilės numerį esamo serijos.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procentas, kuriam leidžiama sumokėti daugiau už užsakytą sumą. Pvz .: Jei prekės užsakymo vertė yra 100 USD, o paklaida yra nustatyta 10%, tada leidžiama atsiskaityti už 110 USD."
 DocType: Dosage Strength,Strength,Jėga
@@ -793,6 +804,7 @@
 DocType: Purchase Receipt,Vehicle Date,Automobilio data
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampanijos el. Pašto tvarkaraštis
 DocType: Student Log,Medical,medicinos
+DocType: Work Order,This is a location where scraped materials are stored.,"Tai vieta, kurioje laikomos subraižytos medžiagos."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Pasirinkite vaistą
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,"Švinas savininkas gali būti toks pat, kaip pirmaujančios"
 DocType: Announcement,Receiver,imtuvas
@@ -889,7 +901,7 @@
 DocType: Driver,Applicable for external driver,Taikoma išoriniam vairuotojui
 DocType: Sales Order Item,Used for Production Plan,Naudojamas gamybos planas
 DocType: BOM,Total Cost (Company Currency),Bendros išlaidos (įmonės valiuta)
-DocType: Loan,Total Payment,bendras Apmokėjimas
+DocType: Repayment Schedule,Total Payment,bendras Apmokėjimas
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO jau sukurtas visiems pardavimo užsakymo elementams
@@ -915,6 +927,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Įspėti pirkimo užsakymus
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Išnuomotas nuo datos
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Pakankamai Dalys sukurti
+DocType: Loan Security,Loan Security Code,Paskolos saugumo kodas
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Pirmiausia išsaugokite
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Daiktai reikalingi iš su juo susijusių žaliavų traukimui.
 DocType: POS Profile User,POS Profile User,POS vartotojo profilis
@@ -973,6 +986,7 @@
 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,Stock Entries already created for Work Order ,Daliniai įrašai jau sukurta darbo užsakymui
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Prekės kodas&gt; Prekių grupė&gt; Prekės ženklas
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Peržiūrėkite ankstesnius užsakymus
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} pokalbiai
 DocType: Vital Signs,Respiratory rate,Kvėpavimo dažnis
@@ -1035,6 +1049,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Mokesčių išskaitymo sąskaita
 DocType: Pricing Rule,Sales Partner,Partneriai pardavimo
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Visi tiekėjų rezultatų kortelės.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Užsakymo suma
+DocType: Loan,Disbursed Amount,Išmokėta suma
 DocType: Buying Settings,Purchase Receipt Required,Pirkimo kvito Reikalinga
 DocType: Sales Invoice,Rail,Geležinkelis
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tikroji kaina
@@ -1074,6 +1090,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Prisijungta prie &quot;QuickBooks&quot;
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Nurodykite / sukurkite sąskaitą (knygą) tipui - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,mokėtinos sąskaitos
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Sąskaita yra privaloma norint gauti mokėjimų įrašus
 DocType: Payment Entry,Type of Payment,Mokėjimo rūšis
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Pusės dienos data yra privaloma
 DocType: Sales Order,Billing and Delivery Status,Atsiskaitymo ir pristatymo statusas
@@ -1113,7 +1130,7 @@
 DocType: Purchase Order Item,Billed Amt,Apmokestinti Amt
 DocType: Training Result Employee,Training Result Employee,Mokymai Rezultatas Darbuotojų
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Logiškas Sandėlių nuo kurių akcijų įrašai būtų daromi.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,pagrindinę sumą
+DocType: Repayment Schedule,Principal Amount,pagrindinę sumą
 DocType: Loan Application,Total Payable Interest,Viso mokėtinos palūkanos
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Iš viso neįvykdyti: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Atidaryti kontaktą
@@ -1127,6 +1144,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Atnaujinimo proceso metu įvyko klaida
 DocType: Restaurant Reservation,Restaurant Reservation,Restorano rezervavimas
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Jūsų daiktai
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Tiekėjas&gt; Tiekėjo tipas
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pasiūlymas rašymas
 DocType: Payment Entry Deduction,Payment Entry Deduction,Mokėjimo Įėjimo išskaičiavimas
 DocType: Service Level Priority,Service Level Priority,Aptarnavimo lygio prioritetas
@@ -1160,6 +1178,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Studentų grupės kūrimas
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Studentų grupės kūrimas
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Mokėjimo šliuzai paskyra nebuvo sukurta, prašome sukurti rankiniu būdu."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Grupiniai sandėliai negali būti naudojami sandoriuose. Pakeiskite {0} reikšmę
 DocType: Supplier Scorecard,Per Year,Per metus
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Negalima dalyvauti šioje programoje pagal DOB
 DocType: Sales Invoice,Sales Taxes and Charges,Pardavimų Mokesčiai ir rinkliavos
@@ -1283,7 +1302,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Kuriant sąskaitą vaikų įmonei {0}, pagrindinė sąskaita {1} nerasta. Sukurkite pagrindinę sąskaitą atitinkamame COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,Studentų dalyvavimas
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,"Nėra duomenų, kuriuos būtų galima eksportuoti"
 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
@@ -1296,6 +1314,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktinė pristatymo data
 DocType: Lab Test,Test Template,Bandymo šablonas
+DocType: Loan Security Pledge,Securities,Vertybiniai popieriai
 DocType: Restaurant Order Entry Item,Served,Pateikta
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Skyrius informacija.
 DocType: Account,Accounts,sąskaitos
@@ -1390,6 +1409,7 @@
 DocType: Inpatient Record,O Negative,O neigiamas
 DocType: Work Order Operation,Planned End Time,Planuojamas Pabaigos laikas
 DocType: POS Profile,Only show Items from these Item Groups,Rodyti tik šių elementų grupių elementus
+DocType: Loan,Is Secured Loan,Yra užtikrinta paskola
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Mokesčių tipo duomenys
 DocType: Delivery Note,Customer's Purchase Order No,Kliento Užsakymo Nėra
@@ -1426,6 +1446,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Gaukite &quot;Patient Encounter&quot;
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konversijos koeficientas ({0} -&gt; {1}) nerastas elementui: {2}
 DocType: Subscriber,Subscriber,Abonentas
 DocType: Item Attribute Value,Item Attribute Value,Prekė Pavadinimas Reikšmė
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valiutos keitimas turi būti taikomas pirkimui arba pardavimui.
@@ -1505,6 +1526,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nėra leidimo
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Sutarties įvykdymo kontrolinis sąrašas
 DocType: Vital Signs,Heart Rate / Pulse,Širdies ritmas / impulsas
+DocType: Customer,Default Company Bank Account,Numatytoji įmonės banko sąskaita
 DocType: Supplier,Default Bank Account,Numatytasis banko sąskaitos
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Filtruoti remiantis partijos, pasirinkite Šalis Įveskite pirmą"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Atnaujinti sandėlį"" negali būti patikrintas, nes daiktai nėra pristatomi per {0}"
@@ -1623,7 +1645,6 @@
 DocType: Sales Team,Incentives,paskatos
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vertės nesinchronizuotos
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Skirtumo reikšmė
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Prašome nustatyti numeracijos serijas lankymui per sąranką&gt; Numeravimo serijos
 DocType: SMS Log,Requested Numbers,Pageidaujami numeriai
 DocType: Volunteer,Evening,Vakaras
 DocType: Quiz,Quiz Configuration,Viktorinos konfigūracija
@@ -1643,6 +1664,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Dėl ankstesnės eilės viso
 DocType: Purchase Invoice Item,Rejected Qty,atmesta Kiekis
 DocType: Setup Progress Action,Action Field,Veiksmų laukas
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Paskolos rūšis palūkanoms ir baudos dydžiui
 DocType: Healthcare Settings,Manage Customer,Valdyti klientą
 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
@@ -1654,6 +1676,7 @@
 ,Final Assessment Grades,Galutiniai vertinimo balai
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Jūsų įmonės pavadinimas, dėl kurių jūs nustatote šią sistemą."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Įtraukti atostogas iš viso ne. darbo dienų
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Visos sumos
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Nustatykite savo institutą ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Augalų analizė
 DocType: Task,Timeline,Laiko juosta
@@ -1661,9 +1684,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Pakaitinis punktas
 DocType: Shopify Log,Request Data,Prašyti duomenų
 DocType: Employee,Date of Joining,Data Prisijungimas
+DocType: Delivery Note,Inter Company Reference,Tarpinstitucinė nuoroda
 DocType: Naming Series,Update Series,Atnaujinti serija
 DocType: Supplier Quotation,Is Subcontracted,subrangos sutartis
 DocType: Restaurant Table,Minimum Seating,Minimali sėdimoji vietovė
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Klausimas negali būti dubliuojamas
 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,Purchase Receipt,pirkimo kvito
@@ -1765,6 +1790,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinchronizuoti Atsijungęs Sąskaitos
 DocType: Payment Request,Paid,Mokama
 DocType: Service Level,Default Priority,Numatytasis prioritetas
+DocType: Pledge,Pledge,Pasižadėjimas
 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."
@@ -1778,6 +1804,7 @@
 DocType: Guardian,Guardian Name,globėjas Vardas
 DocType: Cheque Print Template,Has Print Format,Ar spausdintos
 DocType: Support Settings,Get Started Sections,Pradėti skyrių
+,Loan Repayment and Closure,Paskolų grąžinimas ir uždarymas
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sankcijos
 ,Base Amount,Bazinė suma
@@ -1788,10 +1815,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Iš vietos
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Paskolos suma negali būti didesnė nei {0}
 DocType: Student Admission,Publish on website,Skelbti tinklapyje
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Tiekėjas sąskaitos faktūros išrašymo data negali būti didesnis nei Skelbimo data
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Prekės kodas&gt; Prekių grupė&gt; Prekės ženklas
 DocType: Subscription,Cancelation Date,Atšaukimo data
 DocType: Purchase Invoice Item,Purchase Order Item,Pirkimui užsakyti Elementą
 DocType: Agriculture Task,Agriculture Task,Žemės ūkio Užduotis
@@ -1810,7 +1837,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Papildoma nuolaida procentais
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Peržiūrėkite visas pagalbos video sąrašą
 DocType: Agriculture Analysis Criteria,Soil Texture,Dirvožemio tekstūra
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Pasirinkite sąskaita Banko vadovas kurioje patikrinimas buvo deponuoti.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Leisti vartotojui redaguoti kainoraštį Balsuok sandoriuose
 DocType: Pricing Rule,Max Qty,Maksimalus Kiekis
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Spausdinti ataskaitos kortelę
@@ -1945,7 +1971,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Kai nustatyta, ši sąskaita bus sulaikyta iki nustatytos datos"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Parduodami suma
-DocType: Repayment Schedule,Interest Amount,palūkanų suma
+DocType: Loan Interest Accrual,Interest Amount,palūkanų suma
 DocType: Job Card,Time Logs,Laiko žurnalai
 DocType: Sales Invoice,Loyalty Amount,Lojalumo suma
 DocType: Employee Transfer,Employee Transfer Detail,Darbuotojo pervedimas
@@ -1960,6 +1986,7 @@
 DocType: Cashier Closing,Returns,grąžinimas
 DocType: Job Card,WIP Warehouse,WIP sandėlis
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serijos Nr {0} yra pagal priežiūros sutartį net iki {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Sankcionuota {0} {1} peržengta sumos riba
 apps/erpnext/erpnext/config/hr.py,Recruitment,verbavimas
 DocType: Lead,Organization Name,Organizacijos pavadinimas
 DocType: Support Settings,Show Latest Forum Posts,Rodyti naujausius forumo pranešimus
@@ -1986,7 +2013,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Įsigijimo pavedimai yra atidėti
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Pašto kodas
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Pardavimų užsakymų {0} yra {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Padaryti atsargų papildymams
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,"Negalima reklamuoti darbuotojo, kurio statusas kairėje"
@@ -2072,7 +2098,6 @@
 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,Start Year,pradžios metus
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Sukurti paskolą
 DocType: Purchase Invoice,Start date of current invoice's period,Pradžios data einamųjų sąskaitos faktūros laikotarpį
 DocType: Shift Type,Process Attendance After,Proceso lankomumas po
 ,IRS 1099,IRS 1099
@@ -2093,6 +2118,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Pasirinkite savo domenus
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify tiekėjas
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Mokėjimo sąskaitos faktūros elementai
+DocType: Repayment Schedule,Is Accrued,Yra sukaupta
 DocType: Payroll Entry,Employee Details,Informacija apie darbuotoją
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Apdorojame XML failus
 DocType: Amazon MWS Settings,CN,CN
@@ -2124,6 +2150,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Lojalumo taškas
 DocType: Employee Checkin,Shift End,„Shift“ pabaiga
 DocType: Stock Settings,Default Item Group,Numatytasis Elementas Grupė
+DocType: Loan,Partially Disbursed,dalinai Išmokėta
 DocType: Job Card Time Log,Time In Mins,Laikas min
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Informacija apie dotaciją.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Šis veiksmas atjungs šią sąskaitą nuo bet kokių išorinių paslaugų, integruojančių „ERPNext“ su jūsų banko sąskaitomis. Tai negali būti anuliuota. Ar tu tikras?"
@@ -2139,6 +2166,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Paskolos uždarymas
 DocType: Call Log,Lead,Vadovauti
 DocType: Email Digest,Payables,Mokėtinos sumos
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2172,6 +2200,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Darbuotojų mokestis ir išmokos
 DocType: Bank Guarantee,Validity in Days,Galiojimas dienomis
 DocType: Bank Guarantee,Validity in Days,Galiojimas dienomis
+DocType: Unpledge,Haircut,Kirpimas
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-formos netaikoma Sąskaita: {0}
 DocType: Certified Consultant,Name of Consultant,Konsultanto vardas
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled Mokėjimo informacija
@@ -2225,7 +2254,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Likęs pasaulis
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Naudodami {0} punktas negali turėti Serija
 DocType: Crop,Yield UOM,Išeiga UOM
+DocType: Loan Security Pledge,Partially Pledged,Iš dalies pažadėta
 ,Budget Variance Report,Biudžeto Dispersija ataskaita
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Sankcijos sankcijos suma
 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,Get Items from Healthcare Services,Gauti daiktus iš sveikatos priežiūros paslaugų
@@ -2260,6 +2291,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nauja kokybės tvarka
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Likutis sąskaitoje {0} visada turi būti {1}
 DocType: Patient Appointment,More Info,Daugiau informacijos
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Gimimo data negali būti didesnė už prisijungimo datą.
 DocType: Supplier Scorecard,Scorecard Actions,Rezultatų kortelės veiksmai
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Tiekėjas {0} nerastas {1}
 DocType: Purchase Invoice,Rejected Warehouse,atmesta sandėlis
@@ -2357,6 +2389,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Pirmiausia nustatykite elemento kodą
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc tipas
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Sukurtas paskolos užstatas: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Paskyrimai ir pacientų susitikimai
@@ -2412,6 +2445,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Vienu metu vykstančių paskyrimų skaičius
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Darbo pradžia
 DocType: Purchase Invoice,Taxes and Charges Calculation,Mokesčiai ir rinkliavos apskaičiavimas
+DocType: Loan Interest Accrual,Payable Principal Amount,Mokėtina pagrindinė suma
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Užsakyti Turto nusidėvėjimas Įėjimas Automatiškai
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Užsakyti Turto nusidėvėjimas Įėjimas Automatiškai
 DocType: BOM Operation,Workstation,Kompiuterizuotos darbo vietos
@@ -2449,7 +2483,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,maistas
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Senėjimas klasės 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS uždarymo kupono duomenys
-DocType: Bank Account,Is the Default Account,Ar numatytoji sąskaita
 DocType: Shopify Log,Shopify Log,Shopify žurnalas
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nerasta jokio ryšio.
 DocType: Inpatient Occupancy,Check In,Įsiregistruoti
@@ -2507,12 +2540,14 @@
 DocType: Sales Order Item,Planned Quantity,planuojamas kiekis
 DocType: Water Analysis,Water Analysis Criteria,Vandens analizės kriterijai
 DocType: Item,Maintain Stock,išlaikyti Stock
+DocType: Loan Security Unpledge,Unpledge Time,Neįsipareigojimo laikas
 DocType: Terms and Conditions,Applicable Modules,Taikomi moduliai
 DocType: Employee,Prefered Email,Pageidaujamas paštas
 DocType: Student Admission,Eligibility and Details,Tinkamumas ir detalės
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Įtrauktas į bendrąjį pelną
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Grynasis pokytis ilgalaikio turto
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,"Tai vieta, kurioje laikomas galutinis produktas."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,nuo datetime
@@ -2553,6 +2588,7 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garantija / AMC Būsena
 ,Accounts Browser,sąskaitos naršyklė
 DocType: Procedure Prescription,Referral,Persiuntimas
+,Territory-wise Sales,Pardavimas teritorijos atžvilgiu
 DocType: Payment Entry Reference,Payment Entry Reference,Mokėjimo Įėjimo Nuoroda
 DocType: GL Entry,GL Entry,GL įrašas
 DocType: Support Search Source,Response Options,Atsakymo parinktys
@@ -2630,6 +2666,7 @@
 DocType: Item,Sales Details,pardavimų detalės
 DocType: Coupon Code,Used,Naudota
 DocType: Opportunity,With Items,su daiktais
+DocType: Vehicle Log,last Odometer Value ,paskutinė odometro reikšmė
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampanija „{0}“ jau egzistuoja {1} „{2}“
 DocType: Asset Maintenance,Maintenance Team,Techninės priežiūros komanda
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Tvarka, kurioje skiltyse turėtų būti. 0 yra pirma, 1 yra antra ir tt."
@@ -2640,7 +2677,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,"Kompensuojamos Pretenzija {0} jau egzistuoja, kad transporto priemonė Prisijungti"
 DocType: Asset Movement Item,Source Location,Šaltinio vieta
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,institutas Vardas
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Prašome įvesti grąžinimo suma
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Prašome įvesti grąžinimo suma
 DocType: Shift Type,Working Hours Threshold for Absent,"Darbo laiko riba, kai nėra"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,"Remiantis išleistu bendra suma, gali būti kelias pakopų rinkimo koeficientas. Tačiau išpirkimo konversijos koeficientas visada bus vienodas visame lygyje."
 apps/erpnext/erpnext/config/help.py,Item Variants,Prekė Variantai
@@ -2664,6 +2701,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} turi būti mažesnis nei {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Pirmiausia pasirinkite pareiškėjo tipą
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Pasirinkite „BOM“, „Kiekis“ ir „Sandėliui“"
 DocType: GST HSN Code,GST HSN Code,"Paaiškėjo, kad GST HSN kodas"
 DocType: Employee External Work History,Total Experience,Iš viso Patirtis
@@ -2754,7 +2792,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Nebuvo rasta aktyvios BOM elementui {0}. Pristatymas pagal serijos numerį negali būti užtikrintas
 DocType: Sales Partner,Sales Partner Target,Partneriai pardavimo Tikslinė
-DocType: Loan Type,Maximum Loan Amount,Maksimali paskolos suma
+DocType: Loan Application,Maximum Loan Amount,Maksimali paskolos suma
 DocType: Coupon Code,Pricing Rule,kainodaros taisyklė
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Dublikatas ritinys numeris studentas {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Dublikatas ritinys numeris studentas {0}
@@ -2778,6 +2816,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Lapai Paskirti sėkmingai {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Neturite prekių pakuotės
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Šiuo metu palaikomi tik .csv ir .xlsx failai
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Prašome nustatyti darbuotojų įvardijimo sistemą skyriuje Žmogiškieji ištekliai&gt; HR nustatymai
 DocType: Shipping Rule Condition,From Value,nuo Vertė
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Gamyba Kiekis yra privalomi
 DocType: Loan,Repayment Method,grąžinimas būdas
@@ -2861,6 +2900,7 @@
 DocType: Customer,Customer POS Id,Klientų POS ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,"Studentas, kurio el. Pašto adresas {0}, neegzistuoja"
 DocType: Account,Account Name,Paskyros vardas
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},{0} įmonei {1} jau yra sankcionuotos paskolos suma
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Nuo data negali būti didesnis nei data
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serijos Nr {0} kiekis {1} negali būti frakcija
 DocType: Pricing Rule,Apply Discount on Rate,Taikykite nuolaidą pagal kainą
@@ -2932,6 +2972,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Grynasis pelnas
 DocType: Purchase Invoice,Eligibility For ITC,Tinkamumas ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Neįpareigotas
 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,Net Change in Accounts Payable,Grynasis pokytis mokėtinos sumos
@@ -2943,6 +2984,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Lankomumo įrenginio ID (biometrinis / RF žymos ID)
 DocType: Quotation,Term Details,Terminuoti detalės
 DocType: Item,Over Delivery/Receipt Allowance (%),Virš pristatymo / gavimo pašalpa (%)
+DocType: Appointment Letter,Appointment Letter Template,Paskyrimo laiško šablonas
 DocType: Employee Incentive,Employee Incentive,Darbuotojų skatinimas
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Iš viso (be mokesčio)
@@ -2967,6 +3009,7 @@
 					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į."
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Atsieti Apmokėjimas atšaukimas sąskaita faktūra
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Proceso paskolų palūkanų kaupimas
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Dabartinis Odometro skaitymo įvesta turėtų būti didesnis nei pradinis transporto priemonės hodometro {0}
 ,Purchase Order Items To Be Received or Billed,"Pirkimo užsakymo elementai, kuriuos reikia gauti ar išrašyti"
 DocType: Restaurant Reservation,No Show,Nr šou
@@ -3053,6 +3096,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kaina centras yra reikalingas &quot;Pelno ir nuostolio&quot; sąskaitos {2}. Prašome įkurti numatytąją sąnaudų centro bendrovei.
 DocType: Payment Schedule,Payment Term,Mokėjimo terminas
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Klientų grupė egzistuoja to paties pavadinimo prašome pakeisti kliento vardą arba pervardyti klientų grupei
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Priėmimo pabaigos data turėtų būti didesnė nei priėmimo pradžios data.
 DocType: Location,Area,Plotas
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,nauja Susisiekite
 DocType: Company,Company Description,kompanijos aprašymas
@@ -3128,6 +3172,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Įrašyti duomenys
 DocType: Purchase Order Item,Warehouse and Reference,Sandėliavimo ir nuoroda
 DocType: Payroll Period Date,Payroll Period Date,Darbo užmokesčio laikotarpio data
+DocType: Loan Disbursement,Against Loan,Prieš paskolą
 DocType: Supplier,Statutory info and other general information about your Supplier,Teisės aktų informacijos ir kita bendra informacija apie jūsų tiekėjas
 DocType: Item,Serial Nos and Batches,Eilės Nr ir Partijos
 DocType: Item,Serial Nos and Batches,Eilės Nr ir Partijos
@@ -3196,6 +3241,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Pasirinkite įmonę
 DocType: Delivery Settings,Delivery Settings,Pristatymo nustatymai
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Paimkite duomenis
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Negalima atimti daugiau nei {0} kiekio iš {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Didžiausias leistinas atostogas tipo atostogų {0} yra {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Paskelbkite 1 elementą
 DocType: SMS Center,Create Receiver List,Sukurti imtuvas sąrašas
@@ -3344,6 +3390,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Bazinė suma (Įmonės valiuta)
 DocType: Purchase Invoice,Registered Regular,Registruotas įprastas
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Žaliavos
+DocType: Plaid Settings,sandbox,smėlio dėžė
 DocType: Payment Reconciliation Payment,Reference Row,nuoroda eilutė
 DocType: Installation Note,Installation Time,montavimo laikas
 DocType: Sales Invoice,Accounting Details,apskaitos informacija
@@ -3356,12 +3403,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Sandorio tipas
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,priimtinumo kriterijai
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Iš viso mokėtina suma
 DocType: Task,Expected Time (in hours),Numatomas laikas (valandomis)
 DocType: Item Reorder,Check in (group),Atvykimas (grupė)
 DocType: Soil Texture,Silt,Silt
@@ -3393,6 +3439,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Išskyrus mokesčius už neapmokestinamojo mokesčio išimties įrodymą
 DocType: Volunteer,Anytime,Anytime
 DocType: Bank Account,Bank Account No,Banko sąskaita Nr
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Išmokos ir grąžinimas
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Darbuotojų atleidimo nuo mokesčio įrodymas pateikimas
 DocType: Patient,Surgical History,Chirurginė istorija
 DocType: Bank Statement Settings Item,Mapped Header,Mape Header
@@ -3457,6 +3504,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Sukurkite laboratorijos testą (-us) dėl pardavimo sąskaitų pateikimo
 DocType: Serial No,Invoice Details,informacija apie sąskaitą
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Atlyginimo struktūra turi būti pateikta prieš pateikiant mokesčių pašalinimo deklaraciją
+DocType: Loan Application,Proposed Pledges,Siūlomi pasižadėjimai
 DocType: Grant Application,Show on Website,Rodyti svetainėje
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Pradėk nuo
 DocType: Hub Tracked Item,Hub Category,Hub kategorija
@@ -3468,7 +3516,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tiekėjo rezultatų lentelė nuolatinė
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Eilutė {0}: bilis medžiagas prekė nerasta {1}
 DocType: Contract Fulfilment Checklist,Requirement,Reikalavimas
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Prašome nustatyti darbuotojų įvardijimo sistemą skyriuje Žmogiškieji ištekliai&gt; HR nustatymai
 DocType: Journal Entry,Accounts Receivable,gautinos
 DocType: Quality Goal,Objectives,Tikslai
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Vaidmuo, kurį leidžiama sukurti pasenusio atostogų programos sukūrimui"
@@ -3481,6 +3528,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Įtraukti susitaikė įrašai
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Visa paskirta suma ({0}) yra didesnė nei sumokėta suma ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Paskirstykite Mokesčiai remiantis
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Sumokėta suma negali būti mažesnė kaip {0}
 DocType: Projects Settings,Timesheets,laiko apskaitos žiniaraščiai
 DocType: HR Settings,HR Settings,HR Nustatymai
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Apskaitos meistrai
@@ -3626,6 +3674,7 @@
 DocType: Employee,Health Insurance,Sveikatos draudimas
 DocType: Asset Repair,Manufacturing Manager,gamybos direktorius
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serijos Nr {0} yra garantija net iki {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Paskolos suma viršija maksimalią {0} paskolos sumą pagal siūlomus vertybinius popierius
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Mažiausias leistinas dydis
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Naudotojas {0} jau egzistuoja
 apps/erpnext/erpnext/hooks.py,Shipments,vežimas
@@ -3678,6 +3727,7 @@
 DocType: Subscription,Discounts,Nuolaidos
 DocType: Bank Transaction,Unallocated Amount,Nepaskirstytas kiekis
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Prašome įjunkite galiojantį pirkimo užsakymą ir galiojančią rezervuojant faktines išlaidas
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} nėra įmonės banko sąskaita
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Nerandate atitikimo elementą. Prašome pasirinkti kokią nors kitą vertę {0}.
 DocType: POS Profile,Taxes and Charges,Mokesčiai ir rinkliavos
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Paslauga arba Produktas, kuris yra perkamas, parduodamas arba laikomas sandėlyje."
@@ -3728,6 +3778,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Galioja nuo datos turi būti mažesnis nei galiojanti iki datos.
 DocType: Employee Skill,Evaluation Date,Vertinimo data
 DocType: Quotation Item,Stock Balance,akcijų balansas
+DocType: Loan Security Pledge,Total Security Value,Bendra saugumo vertė
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,"Pardavimų užsakymų, kad mokėjimo"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Vadovas
 DocType: Purchase Invoice,With Payment of Tax,Mokesčio mokėjimas
@@ -3740,6 +3791,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Paskyros {0} prietaisų skydelio diagramoje {1} nėra.
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Rodyti variantų savybes
@@ -3820,6 +3872,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Dabartinis vertinimas Balsuok
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Pagrindinių paskyrų skaičius negali būti mažesnis nei 4
 DocType: Training Event,Advance,Iš anksto
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Prieš paskolą:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,&quot;GoCardless&quot; mokėjimo šliuzo nustatymai
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Valiutų Pelnas / nuostolis
 DocType: Opportunity,Lost Reason,Pamiršote Priežastis
@@ -3904,8 +3957,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Pasirinkite Serija Nėra
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Neteisingas {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,{0} eilutė: gimimo data negali būti didesnė nei šiandien.
 DocType: Fee Validity,Reference Inv,Informacinė investicija
 DocType: Sales Invoice Advance,Advance Amount,avanso suma
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Baudų palūkanų norma (%) per dieną
 DocType: Manufacturing Settings,Capacity Planning,Talpa planavimas
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Apvalinimo koregavimas (įmonės valiuta
 DocType: Asset,Policy number,Policijos numeris
@@ -3921,7 +3976,9 @@
 DocType: Normal Test Items,Require Result Value,Reikalauti rezultato vertės
 DocType: Purchase Invoice,Pricing Rules,Kainodaros taisyklės
 DocType: Item,Show a slideshow at the top of the page,Rodyti skaidrių peržiūrą į puslapio viršuje
+DocType: Appointment Letter,Body,kūnas
 DocType: Tax Withholding Rate,Tax Withholding Rate,Mokesčių palūkanų norma
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Grąžinimo pradžios data yra privaloma terminuotoms paskoloms
 DocType: Pricing Rule,Max Amt,Maks
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,parduotuvės
@@ -3941,7 +3998,7 @@
 DocType: Call Log,Received By,Gauta nuo
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Skyrimo trukmė (minutėmis)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pinigų srautų žemėlapių šablono detalės
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Paskolų valdymas
+DocType: Loan,Loan Management,Paskolų valdymas
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sekti atskirą pajamos ir išlaidos už produktų segmentus ar padalinių.
 DocType: Rename Tool,Rename Tool,pervadinti įrankis
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Atnaujinti Kaina
@@ -3949,6 +4006,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B forma
 DocType: Sales Invoice,Mode of Transport,Transporto rūšis
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Rodyti Pajamos Kuponas
+DocType: Loan,Is Term Loan,Yra terminuota paskola
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,perduoti medžiagą
 DocType: Fees,Send Payment Request,Siųsti mokėjimo užklausą
 DocType: Travel Request,Any other details,Bet kokia kita informacija
@@ -3966,6 +4024,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Pinigų srautai iš finansavimo
 DocType: Budget Account,Budget Account,biudžeto sąskaita
 DocType: Quality Inspection,Verified By,Patvirtinta
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Pridėti paskolos saugumą
 DocType: Travel Request,Name of Organizer,Organizatoriaus pavadinimas
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nepavyksta pakeisti įmonės numatytasis valiuta, nes yra esami sandoriai. Sandoriai turi būti atšauktas pakeisti numatytasis valiuta."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Yra pajamų mokesčio atskaitomybė
@@ -4016,6 +4075,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Reikalinga Apie
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jei pažymėtas, paslepia ir išjungia „Apvalų bendrą“ laukelį „Atlyginimų kortelės“"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Tai yra numatytasis pristatymo datos įskaitymas (dienomis) pardavimo užsakymuose. Atsargų kompensavimas yra 7 dienos nuo užsakymo pateikimo dienos.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Prašome nustatyti numeracijos serijas lankymui per sąranką&gt; Numeravimo serijos
 DocType: Rename Tool,File to Rename,Failo pervadinti
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Atsisiųskite prenumeratos naujinius
@@ -4028,6 +4088,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Sukurti serijos numeriai
 DocType: POS Profile,Applicable for Users,Taikoma naudotojams
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Nuo datos iki datos yra privaloma
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Nustatyti projekto ir visų užduočių būseną {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Nustatyti avansus ir paskirstyti (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nepavyko sukurti užsakymų
@@ -4037,6 +4098,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Prekės
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kaina įsigytų daiktų
 DocType: Employee Separation,Employee Separation Template,Darbuotojų atskyrimo šablonas
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},"Nulis {0}, įkeistas už paskolą {0}"
 DocType: Selling Settings,Sales Order Required,Pardavimų užsakymų Reikalinga
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Tapk pardavėju
 ,Procurement Tracker,Pirkimų stebėjimo priemonė
@@ -4133,11 +4195,12 @@
 ,Minutes to First Response for Opportunity,Minučių iki Pirmosios atsakas Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Iš viso Nėra
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Mokėtina suma
+DocType: Loan Repayment,Payable Amount,Mokėtina suma
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,galimybė
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Didžiausias stiprumas negali būti mažesnis už nulį.
 DocType: Options,Option,Pasirinkimas
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Negalite kurti apskaitos įrašų per uždarą ataskaitinį laikotarpį {0}
 DocType: Operation,Default Workstation,numatytasis Workstation
@@ -4179,6 +4242,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Palūkanų suma yra privaloma
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Tolesni žingsniai
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Išsaugotos prekės
@@ -4230,8 +4294,6 @@
 DocType: Grant Application,Grant Application Details ,Pareiškimo detalės
 DocType: Employee Separation,Employee Separation,Darbuotojų atskyrimas
 DocType: BOM Item,Original Item,Originalus elementas
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Ištrinkite darbuotoją <a href=""#Form/Employee/{0}"">{0}</a> \, kad galėtumėte atšaukti šį dokumentą"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumento data
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Įrašai Sukurta - {0}
 DocType: Asset Category Account,Asset Category Account,Turto Kategorija paskyra
@@ -4267,6 +4329,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,{0} laboratorijos bandymo elementas jau yra
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} yra įmonės atostogos
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Apmokestinamos valandos
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,"Baudos palūkanų norma už kiekvieną delspinigių sumą imama kiekvieną dieną, jei grąžinimas vėluoja"
+DocType: Appointment Letter content,Appointment Letter content,Skyrimo laiško turinys
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Palikite būsenos pranešimą
 DocType: Patient Appointment,Procedure Prescription,Procedūros išrašymas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Baldai ir Šviestuvai
@@ -4286,7 +4350,7 @@
 DocType: Opportunity,Customer / Lead Name,Klientas / Švino Vardas
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Sąskaitų data nepaminėta
 DocType: Payroll Period,Taxable Salary Slabs,Apmokestinamos atlyginimo plokštės
-DocType: Job Card,Production,Gamyba
+DocType: Plaid Settings,Production,Gamyba
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Neteisingas GSTIN! Įvestas įvestis neatitinka GSTIN formato.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Sąskaitos vertė
 DocType: Guardian,Occupation,okupacija
@@ -4432,6 +4496,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojalumo programos kolekcija
 DocType: Stock Entry Detail,Subcontracted Item,Subrangos punktas
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Studentas {0} nepriklauso grupei {1}
+DocType: Appointment Letter,Appointment Date,Skyrimo data
 DocType: Budget,Cost Center,kaina centras
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Bon #
 DocType: Tax Rule,Shipping Country,Pristatymas Šalis
@@ -4502,6 +4567,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Apskaitos matmuo
 ,Profit and Loss Statement,Pelno ir nuostolio ataskaita
 DocType: Bank Reconciliation Detail,Cheque Number,Komunalinės Taškų
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Sumokėta suma negali būti lygi nuliui
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Elementas, kurio nuorodos yra {0} - {1} jau yra išrašytas sąskaitoje faktūroje"
 ,Sales Browser,pardavimų naršyklė
 DocType: Journal Entry,Total Credit,Kreditai
@@ -4606,6 +4672,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Pridėti / redaguoti kupono sąlygas
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kompensuojamos / Skirtumas sąskaita ({0}) turi būti &quot;pelnas arba nuostolis&quot; sąskaita
 DocType: Stock Entry Detail,Stock Entry Child,Akcijų įvedimo vaikas
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Paskolos užstato įkeitimo įmonė ir Paskolų įmonė turi būti vienodos
 DocType: Project,Copied From,Nukopijuota iš
 DocType: Project,Copied From,Nukopijuota iš
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Sąskaita faktūra jau sukurta visoms atsiskaitymo valandoms
@@ -4614,6 +4681,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Ar yra finansinės išlaidos
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Lankomumas darbuotojo {0} jau yra pažymėtas
 DocType: Packing Slip,If more than one package of the same type (for print),Jeigu yra daugiau nei vienas paketas tos pačios rūšies (spausdinimui)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Prašome įdiegti instruktoriaus pavadinimo sistemą švietime&gt; Švietimo nustatymai
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Nustatykite numatytąjį klientą Restoranų nustatymuose
 ,Salary Register,Pajamos Registruotis
 DocType: Company,Default warehouse for Sales Return,"Numatytasis sandėlis, skirtas pardavimui"
@@ -4658,7 +4726,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Dabartinis serijos Nr
 DocType: Employee,Attendance and Leave Details,Lankomumas ir atostogų duomenys
 ,BOM Comparison Tool,BOM palyginimo įrankis
-,Requested,prašoma
+DocType: Loan Security Pledge,Requested,prašoma
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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;."
@@ -4670,7 +4738,6 @@
 DocType: Drug Prescription,Drug Prescription,Narkotikų recepcija
 DocType: Service Level,Support and Resolution,Palaikymas ir sprendimas
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Nemokamas prekės kodas nepasirinktas
-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
@@ -4704,6 +4771,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Jūs jau įvertintas vertinimo kriterijus {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Trūkumų suma
 DocType: Vehicle Service,Engine Oil,Variklio alyva
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Sukurtas darbo užsakymas: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Prašome nustatyti kliento el. Pašto adresą {0}
@@ -4722,6 +4790,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Prietaisų skydelio diagrama {0} nenustatyta.
 DocType: Purchase Invoice,Apply Additional Discount On,Būti taikomos papildomos nuolaida
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Pasirinkite tipą ...
+DocType: Loan Interest Accrual,Amounts,Sumos
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Jūsų bilietai
 DocType: Account,Root Type,Šaknų tipas
 DocType: Item,FIFO,FIFO
@@ -4729,6 +4798,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Eilutės # {0}: negali grįžti daugiau nei {1} už prekę {2}
 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: Loan Security Price,Loan Security Price,Paskolos užstato kaina
 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,Target warehouse is mandatory for row {0},Tikslinė sandėlis yra privalomas eilės {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Mažmeninės prekybos operacijos
@@ -4869,6 +4939,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Partijos yra imperatyvaus eilės {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Partijos yra imperatyvaus eilės {0}
 DocType: Company,Default Buying Terms,Numatytosios pirkimo sąlygos
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Paskolos išmokėjimas
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Pirkimo kvito punktas Pateikiamas
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Įgalinti numatytą sinchronizavimą
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Norėdami datetime
@@ -4897,6 +4968,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Įveskite reikšmę tarp {0} ir {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Įveskite vardą kampanijos jei šaltinis tyrimo yra akcija
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,laikraščių leidėjai
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Nerasta galiojančios <b>paskolos užstato kainos</b> {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Ateities datos neleidžiamos
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Laukiama pristatymo data turėtų būti pateikta po Pardavimų užsakymo data
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Pertvarkyti lygis
@@ -4963,6 +5035,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Pasiūlymas / kainos pasiūlymas
 DocType: Antibiotic,Healthcare,Sveikatos apsauga
 DocType: Target Detail,Target Detail,Tikslinė detalės
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Paskolų procesai
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Vienas variantas
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Visi Darbai
 DocType: Sales Order,% of materials billed against this Sales Order,% medžiagų yra pateiktos sąskaitos pagal šį Pardavimo Užsakymą
@@ -5026,7 +5099,7 @@
 DocType: Item,Reorder level based on Warehouse,Pertvarkyti lygį remiantis Warehouse
 DocType: Activity Cost,Billing Rate,atsiskaitymo Balsuok
 ,Qty to Deliver,Kiekis pristatyti
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Sukurti įmokų įrašą
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Sukurti įmokų įrašą
 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,Operations cannot be left blank,Operacijos negali būti paliktas tuščias
@@ -5060,6 +5133,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Atsieti išorines integracijas
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Pasirinkite atitinkamą mokėjimą
 DocType: Pricing Rule,Item Code,Prekės kodas
+DocType: Loan Disbursement,Pending Amount For Disbursal,Laukiama išmokėjimo suma
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garantija / AMC detalės
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Pasirinkite studentai rankiniu veikla grindžiamo grupės
@@ -5085,6 +5159,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Kiekis Iš viso
 DocType: Landed Cost Item,Receipt Document,gavimas Dokumentų
 DocType: Employee Education,School/University,Mokykla / Universitetas
+DocType: Loan Security Pledge,Loan  Details,Informacija apie paskolą
 DocType: Sales Invoice Item,Available Qty at Warehouse,Turimas Kiekis į sandėlį
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,įvardintas suma
 DocType: Share Transfer,(including),(įskaitant)
@@ -5108,6 +5183,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupės
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupuoti pagal sąskaitą
 DocType: Purchase Invoice,Hold Invoice,Laikykite sąskaitą faktūrą
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Įkeitimo būsena
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Pasirinkite darbuotoją
 DocType: Sales Order,Fully Delivered,pilnai Paskelbta
 DocType: Promotional Scheme Price Discount,Min Amount,Min. Suma
@@ -5117,7 +5193,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Išmokėta suma negali būti didesnis nei paskolos suma {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Eilutė {0} # paskirstyta suma {1} negali būti didesnė nei nepageidaujama suma {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},"Pirkimo užsakymo numerį, reikalingą punkto {0}"
 DocType: Leave Allocation,Carry Forwarded Leaves,Nešiokite lapus
@@ -5145,6 +5220,7 @@
 DocType: Pick List Item,Serial No and Batch,Serijos Nr paketais
 DocType: Warranty Claim,From Company,iš Company
 DocType: GSTR 3B Report,January,Sausio mėn
+DocType: Loan Repayment,Principal Amount Paid,Pagrindinė sumokėta suma
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma balais vertinimo kriterijai turi būti {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Prašome nustatyti Taškų nuvertinimai Užsakytas
 DocType: Supplier Scorecard Period,Calculations,Skaičiavimai
@@ -5171,6 +5247,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Apie jūsų įmonę
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Rodyti atsargų senėjimo duomenis
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kreditas sąskaitos turi būti balansas sąskaitos
+DocType: Loan Repayment,Penalty Amount,Baudos suma
 DocType: Donor,Donor,Donoras
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Atnaujinkite elementų mokesčius
 DocType: Global Defaults,Disable In Words,Išjungti žodžiais
@@ -5201,6 +5278,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Išlaidų centras ir biudžeto sudarymas
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Atidarymas Balansas Akcijų
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Dalinis mokamas įrašas
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Prašome nustatyti mokėjimo grafiką
 DocType: Pick List,Items under this warehouse will be suggested,Bus siūlomos šiame sandėlyje esančios prekės
 DocType: Purchase Invoice,N,N
@@ -5234,7 +5312,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nerasta {1} elementui
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vertė turi būti nuo {0} iki {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Rodyti inkliuzinį mokestį spausdinant
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Žinutė išsiųsta
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5248,6 +5325,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Įgalinti automatinį užsakymą
 DocType: Stock Settings,Item Naming By,Prekė Pavadinimų Iki
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Kitas Laikotarpis uždarymas Įėjimas {0} buvo padaryta po {1}
+DocType: Proposed Pledge,Proposed Pledge,Siūlomas pasižadėjimas
 DocType: Work Order,Material Transferred for Manufacturing,"Medžiagos, perduotos gamybos"
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Sąskaita {0} neegzistuoja
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Pasirinkite lojalumo programą
@@ -5258,7 +5336,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nustatymas įvykių {0}, nes pridedamas prie žemiau pardavėjai darbuotojas neturi naudotojo ID {1}"
 DocType: Timesheet,Billing Details,Atsiskaitymo informacija
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Originalo ir vertimo sandėlis turi skirtis
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Prašome nustatyti darbuotojų įvardijimo sistemą skyriuje Žmogiškieji ištekliai&gt; HR nustatymai
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Mokėjimas nepavyko. Prašome patikrinti savo &quot;GoCardless&quot; sąskaitą, kad gautumėte daugiau informacijos"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Neleidžiama atnaujinti akcijų sandorius senesnis nei {0}
 DocType: Stock Entry,Inspection Required,Patikrinimo Reikalinga
@@ -5271,6 +5348,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Pristatymas sandėlis reikalingas akcijų punkte {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bendras svoris pakuotės. Paprastai neto masė + pakavimo medžiagos svorio. (Spausdinimo)
 DocType: Assessment Plan,Program,programa
+DocType: Unpledge,Against Pledge,Prieš įkeitimą
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Vartotojai, turintys šį vaidmenį yra leidžiama nustatyti įšaldytas sąskaitas ir sukurti / pakeisti apskaitos įrašus prieš įšaldytų sąskaitų"
 DocType: Plaid Settings,Plaid Environment,Pledinė aplinka
 ,Project Billing Summary,Projekto atsiskaitymo suvestinė
@@ -5323,6 +5401,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partijos
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Susitikimų dienų skaičių galima užsisakyti iš anksto
 DocType: Article,LMS User,LMS vartotojas
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Paskolos užstatas yra būtinas užtikrinant paskolą
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Tiekimo vieta (valstija / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,akcijų UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Pirkimui užsakyti {0} nebus pateiktas
@@ -5396,6 +5475,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Sukurkite darbo kortelę
 DocType: Quotation,Referral Sales Partner,Persiuntimo pardavimo partneris
 DocType: Quality Procedure Process,Process Description,Proceso aprašymas
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Neįmanoma įkeisti, paskolos užstato vertė yra didesnė už grąžintą sumą"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klientas {0} sukurtas.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5416,7 +5496,7 @@
 DocType: Asset,Insurance Details,draudimo detalės
 DocType: Account,Payable,mokėtinas
 DocType: Share Balance,Share Type,Bendrinti tipą
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Prašome įvesti grąžinimo terminams
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Prašome įvesti grąžinimo terminams
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Skolininkai ({0})
 DocType: Pricing Rule,Margin,marža
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nauji klientai
@@ -5425,6 +5505,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Keisti POS profilį
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Kiekis ar suma yra būtini paskolos užtikrinimui
 DocType: Bank Reconciliation Detail,Clearance Date,Sąskaitų data
 DocType: Delivery Settings,Dispatch Notification Template,Išsiuntimo pranešimo šablonas
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Vertinimo ataskaita
@@ -5460,6 +5541,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Dalinkis &quot;Ledger&quot;
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Sukurta pardavimo sąskaitą {0}
 DocType: Employee,Confirmation Date,Patvirtinimas data
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Ištrinkite darbuotoją <a href=""#Form/Employee/{0}"">{0}</a> \, kad galėtumėte atšaukti šį dokumentą"
 DocType: Inpatient Occupancy,Check Out,Patikrinkite
 DocType: C-Form,Total Invoiced Amount,Iš viso Sąskaitoje suma
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Kiekis negali būti didesnis nei Max Kiekis
@@ -5473,7 +5556,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,&quot;Quickbooks&quot; įmonės ID
 DocType: Travel Request,Travel Funding,Kelionių finansavimas
 DocType: Employee Skill,Proficiency,Mokėjimas
-DocType: Loan Application,Required by Date,Reikalauja data
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Pirkimo kvito informacija
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Nuoroda į visas vietas, kuriose auga augalas"
 DocType: Lead,Lead Owner,Švinas autorius
@@ -5492,7 +5574,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Dabartinis BOM ir Naujoji BOM negali būti tas pats
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Pajamos Kuponas ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data nuo išėjimo į pensiją turi būti didesnis nei įstoti data
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Tiekėjas&gt; Tiekėjo tipas
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Keli variantai
 DocType: Sales Invoice,Against Income Account,Prieš pajamų sąskaita
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Pristatyta
@@ -5525,7 +5606,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Vertinimo tipas mokesčiai negali pažymėta kaip įskaičiuota
 DocType: POS Profile,Update Stock,Atnaujinti sandėlyje
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Mokėjimo detalės
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Balsuok
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Įkelto failo skaitymas
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5561,6 +5642,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maksimali paskolos vertė
 ,Stock Ledger,akcijų Ledgeris
 DocType: Company,Exchange Gain / Loss Account,Valiutų Pelnas / nuostolis paskyra
 DocType: Amazon MWS Settings,MWS Credentials,MWS įgaliojimai
@@ -5568,6 +5650,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Tikslas turi būti vienas iš {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,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,Community Forum,Bendruomenė Forumas
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Nėra darbuotojui skirtų lapų: {0} atostogų tipui: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Tikrasis Kiekis sandėlyje
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Tikrasis Kiekis sandėlyje
 DocType: Homepage,"URL for ""All Products""",URL &quot;Visi produktai&quot;
@@ -5670,7 +5753,6 @@
 DocType: Fee Schedule,Fee Schedule,mokestis Tvarkaraštis
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Stulpelių etiketės:
 DocType: Bank Transaction,Settled,Įsikūrė
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Išmokėjimo data negali būti vėlesnė už paskolos grąžinimo pradžios datą
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parametrai
 DocType: Company,Create Chart Of Accounts Based On,Sukurti sąskaitų planą remiantis
@@ -5690,6 +5772,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kredito limitas ir mokėjimo sąlygos
 DocType: Loyalty Program,Collection Rules,Rinkimo taisyklės
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,3 punktas
+DocType: Loan Security Shortfall,Shortfall Time,Trūksta laiko
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Užsakymo įrašas
 DocType: Purchase Order,Customer Contact Email,Klientų Kontaktai El.paštas
 DocType: Warranty Claim,Item and Warranty Details,Punktas ir garantijos informacija
@@ -5709,12 +5792,14 @@
 DocType: Sales Person,Sales Person Name,Pardavimų Asmuo Vardas
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Prašome įvesti atleast 1 sąskaitą lentelėje
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nepavyko sukurti laboratorijos testo
+DocType: Loan Security Shortfall,Security Value ,Apsaugos vertė
 DocType: POS Item Group,Item Group,Prekė grupė
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentų grupė:
 DocType: Depreciation Schedule,Finance Book Id,Finansų knygos ID
 DocType: Item,Safety Stock,saugos kodas
 DocType: Healthcare Settings,Healthcare Settings,Sveikatos priežiūros nustatymai
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Iš viso paskirstytų lapų
+DocType: Appointment Letter,Appointment Letter,Susitikimo laiškas
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Pažanga% užduoties negali būti daugiau nei 100.
 DocType: Stock Reconciliation Item,Before reconciliation,prieš susitaikymo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Norėdami {0}
@@ -5770,6 +5855,7 @@
 DocType: Stock Entry,From BOM,nuo BOM
 DocType: Assessment Code,Assessment Code,vertinimas kodas
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,pagrindinis
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Klientų ir darbuotojų paskolų paraiškos.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Akcijų sandoriai iki {0} yra sušaldyti
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Prašome spausti &quot;Generuoti grafiką&quot;
 DocType: Job Card,Current Time,Dabartinis laikas
@@ -5795,7 +5881,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nėra Studentų grupės sukurta.
 DocType: Purchase Invoice Item,Serial No,Serijos Nr
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mėnesio grąžinimo suma negali būti didesnė nei paskolos suma
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mėnesio grąžinimo suma negali būti didesnė nei paskolos suma
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Prašome įvesti maintaince Details pirmas
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Eilutė # {0}: laukiama pristatymo data negali būti prieš Pirkimo užsakymo datą
 DocType: Purchase Invoice,Print Language,Spausdinti kalba
@@ -5809,6 +5895,7 @@
 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,All Territories,visos teritorijos
+DocType: Plaid Settings,development,plėtra
 DocType: Lost Reason Detail,Lost Reason Detail,Pamirštos priežasties detalė
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Neteisingas užpildo užsakymas pasirinktam klientui ir elementui
@@ -5873,12 +5960,14 @@
 DocType: Staffing Plan Detail,Current Openings,Dabartinės atidarymo vietos
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Pinigų srautai iš operacijų
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST suma
+DocType: Vehicle Log,Current Odometer value ,Dabartinė odometro vertė
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Sukurti studentą
 DocType: Asset Movement Item,Asset Movement Item,Turto judėjimo elementas
 DocType: Purchase Invoice,Shipping Rule,Pristatymas taisyklė
 DocType: Patient Relation,Spouse,Sutuoktinis
 DocType: Lab Test Groups,Add Test,Pridėti testą
 DocType: Manufacturer,Limited to 12 characters,Ribojamas iki 12 simbolių
+DocType: Appointment Letter,Closing Notes,Baigiamosios pastabos
 DocType: Journal Entry,Print Heading,Spausdinti pozicijoje
 DocType: Quality Action Table,Quality Action Table,Kokybės veiksmų lentelė
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Bendras negali būti nulis
@@ -5946,6 +6035,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Iš viso (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Nurodykite / sukurkite sąskaitą (grupę) tipui - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Pramogos ir poilsis
+DocType: Loan Security,Loan Security,Paskolos saugumas
 ,Item Variant Details,Prekės variantai
 DocType: Quality Inspection,Item Serial No,Prekė Serijos Nr
 DocType: Payment Request,Is a Subscription,Yra prenumerata
@@ -5958,7 +6048,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Naujausias amžius
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Suplanuotos ir priimamos datos negali būti mažesnės nei šiandien
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Perduoti medžiagą tiekėjui
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nauja Serijos Nr negalite turime sandėlyje. Sandėlių turi nustatyti vertybinių popierių atvykimo arba pirkimo kvito
 DocType: Lead,Lead Type,Švinas tipas
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Sukurti citatą
@@ -5976,7 +6065,6 @@
 DocType: Leave Allocation,Leave Period,Palikti laikotarpį
 DocType: Item,Default Material Request Type,Numatytasis Medžiaga Prašymas tipas
 DocType: Supplier Scorecard,Evaluation Period,Vertinimo laikotarpis
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klientas&gt; Klientų grupė&gt; Teritorija
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nežinomas
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Darbo užsakymas nerastas
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6062,7 +6150,8 @@
 ,Customer-wise Item Price,Prekės kaina pagal klientą
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Pinigų srautų ataskaita
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nepateiktas jokių svarbių užklausų
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Paskolos suma negali viršyti maksimalios paskolos sumos iš {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Paskolos suma negali viršyti maksimalios paskolos sumos iš {0}
+DocType: Loan,Loan Security Pledge,Paskolos užstatas
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,licencija
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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ų"
@@ -6080,6 +6169,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Kainų nuolaidų schema
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Techninės priežiūros statusas turi būti atšauktas arba baigtas pateikti
 DocType: Amazon MWS Settings,US,JAV
+DocType: Loan Security Pledge,Pledged,Pasižadėjo
 DocType: Holiday List,Add Weekly Holidays,Pridėti savaitgalio atostogas
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Pranešti apie prekę
 DocType: Staffing Plan Detail,Vacancies,Laisvos darbo vietos
@@ -6098,7 +6188,6 @@
 DocType: Production Plan Item,Planned Start Date,Planuojama pradžios data
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Pasirinkite BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Pasinaudojo ITC integruotu mokesčiu
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Sukurkite grąžinimo įrašą
 DocType: Purchase Order Item,Blanket Order Rate,Antklodžių užsakymų norma
 ,Customer Ledger Summary,Kliento knygos suvestinė
 apps/erpnext/erpnext/hooks.py,Certification,Sertifikavimas
@@ -6119,6 +6208,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Vertinimas Šablonas Pavadinimas
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,prekybos
 DocType: Patient,Alcohol Current Use,Alkoholio vartojimas
+DocType: Loan,Loan Closure Requested,Prašoma paskolos uždarymo
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Namo nuomos mokesčio suma
 DocType: Student Admission Program,Student Admission Program,Studentų priėmimo programa
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Mokesčio išimties kategorija
@@ -6142,6 +6232,7 @@
 DocType: Opening Invoice Creation Tool,Sales,pardavimų
 DocType: Stock Entry Detail,Basic Amount,bazinis dydis
 DocType: Training Event,Exam,Egzaminas
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Proceso paskolų saugumo trūkumas
 DocType: Email Campaign,Email Campaign,El. Pašto kampanija
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Prekybos vietos klaida
 DocType: Complaint,Complaint,Skundas
@@ -6221,6 +6312,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Pateikite šį, kad sukurtumėte Darbuotojo įrašą"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Paskolos užstato kaina sutampa su {0}
 DocType: Item Default,Item Default,Numatytasis elementas
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Šalių vidaus atsargos
 DocType: Chapter Member,Leave Reason,Palikite Priežastis
@@ -6248,6 +6340,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,Naudojamas {0} kuponas yra {1}. Leistinas kiekis išnaudotas
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ar norite pateikti medžiagos prašymą?
 DocType: Job Offer,Awaiting Response,Laukiama atsakymo
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Paskola yra privaloma
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Virš
 DocType: Support Search Source,Link Options,Nuorodos parinktys
@@ -6260,6 +6353,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ė
+DocType: Pledge,Post Haircut Amount,Skelbkite kirpimo sumą
 DocType: Sales Order,Skip Delivery Note,Praleisti pristatymo pranešimą
 DocType: Price List,Price Not UOM Dependent,Kaina nepriklauso nuo UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,Sukurta {0} variantų.
@@ -6286,6 +6380,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Gauti prekes iš prekė Bundle
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Grąžinimo būdas yra privalomas terminuotoms paskoloms
 DocType: Asset,Straight Line,Tiesi linija
 DocType: Project User,Project User,Projektų Vartotojas
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,skilimas
@@ -6334,7 +6429,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Vaidmuo leidžiama nustatyti užšaldytų sąskaitų ir redaguoti Šaldyti įrašai
 DocType: Supplier Scorecard Scoring Variable,Path,Kelias
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Negali konvertuoti Cost centrą knygoje, nes ji turi vaikų mazgai"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konversijos koeficientas ({0} -&gt; {1}) nerastas elementui: {2}
 DocType: Production Plan,Total Planned Qty,Bendras planuojamas kiekis
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Sandoriai jau atimami iš pareiškimo
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,atidarymo kaina
@@ -6343,11 +6437,8 @@
 DocType: Material Request Plan Item,Required Quantity,Reikalingas kiekis
 DocType: Lab Test Template,Lab Test Template,Laboratorijos bandymo šablonas
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Apskaitos laikotarpis sutampa su {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Tiekėjas&gt; Tiekėjo tipas
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Pardavimų sąskaita
 DocType: Purchase Invoice Item,Total Weight,Bendras svoris
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Ištrinkite darbuotoją <a href=""#Form/Employee/{0}"">{0}</a> \, kad galėtumėte atšaukti šį dokumentą"
 DocType: Pick List Item,Pick List Item,Pasirinkite sąrašo elementą
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija dėl pardavimo
 DocType: Job Offer Term,Value / Description,Vertė / Aprašymas
@@ -6394,6 +6485,7 @@
 DocType: Patient Encounter,Encounter Date,Susitikimo data
 DocType: Work Order,Update Consumed Material Cost In Project,Atnaujinkite suvartotų medžiagų sąnaudas projekte
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Sąskaita: {0} su valiutos: {1} negalima pasirinkti
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Klientams ir darbuotojams suteiktos paskolos.
 DocType: Bank Statement Transaction Settings Item,Bank Data,Banko duomenys
 DocType: Purchase Receipt Item,Sample Quantity,Mėginių kiekis
 DocType: Bank Guarantee,Name of Beneficiary,Gavėjo vardas ir pavardė
@@ -6462,7 +6554,6 @@
 DocType: Contract,Signed On,Prisijungta
 DocType: Bank Account,Party Type,šalis tipas
 DocType: Discounted Invoice,Discounted Invoice,Sąskaita su nuolaida
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Pažymėkite dalyvavimą kaip <b></b>
 DocType: Payment Schedule,Payment Schedule,Mokėjimo planas
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nurodytos darbuotojo lauko vertės nerasta. „{}“: {}
 DocType: Item Attribute Value,Abbreviation,Santrumpa
@@ -6534,6 +6625,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,kreditoriai
 DocType: Assessment Plan,Assessment Name,vertinimas Vardas
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Eilutės # {0}: Serijos Nr privaloma
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Norint uždaryti paskolą reikalinga {0} suma
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Prekė Išminčius Mokesčių detalės
 DocType: Employee Onboarding,Job Offer,Darbo pasiūlymas
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,institutas santrumpa
@@ -6558,7 +6650,6 @@
 DocType: Purchase Order,To Receive,Gauti
 DocType: Leave Period,Holiday List for Optional Leave,Atostogų sąrašas pasirinktinai
 DocType: Item Tax Template,Tax Rates,Mokesčių tarifai
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Prekės kodas&gt; Prekių grupė&gt; Prekės ženklas
 DocType: Asset,Asset Owner,Turto savininkas
 DocType: Item,Website Content,Svetainės turinys
 DocType: Bank Account,Integration ID,Integracijos ID
@@ -6574,6 +6665,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Sinchronizuoti užsakymus
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Užsakymai išleido gamybai.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Pasirinkite fiskalinių metų ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Pasirinkite paskolos tipą įmonei {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,"POS profilis reikalaujama, kad POS įrašą"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6602,6 +6694,7 @@
 DocType: Customer,Mention if non-standard receivable account,"Nurodyk, jei gautina nestandartinis sąskaita"
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Pridėkite likusią naudą {0} bet kuriai iš esamų komponentų
+DocType: Bank Account,Is Default Account,Yra numatytoji sąskaita
 DocType: Journal Entry Account,If Income or Expense,Jei pajamos ar sąnaudos
 DocType: Course Topic,Course Topic,Kurso tema
 DocType: Bank Statement Transaction Entry,Matching Invoices,Atitinkančios sąskaitos faktūros
@@ -6613,7 +6706,7 @@
 DocType: Disease,Treatment Task,Gydymo užduotis
 DocType: Payment Order Reference,Bank Account Details,Banko sąskaitos duomenys
 DocType: Purchase Order Item,Blanket Order,Antklodžių ordinas
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Grąžinimo suma turi būti didesnė nei
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Grąžinimo suma turi būti didesnė nei
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,mokesčio turtas
 DocType: BOM Item,BOM No,BOM Nėra
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Atnaujinkite informaciją
@@ -6670,6 +6763,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,„WooCommerce“ produktai
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Sintaksės klaida formulei ar būklės: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Prekė {0} ignoruojami, nes tai nėra sandėlyje punktas"
+,Loan Security Status,Paskolos saugumo statusas
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Norėdami netaikoma kainodaros taisyklė konkrečiu sandoriu, visos taikomos kainodaros taisyklės turi būti išjungta."
 DocType: Payment Term,Day(s) after the end of the invoice month,Diena (-os) po sąskaitos faktūros mėnesio pabaigos
 DocType: Assessment Group,Parent Assessment Group,Tėvų vertinimas Grupė
@@ -6684,7 +6778,6 @@
 DocType: Stock Entry Detail,Additional Cost,Papildoma Kaina
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Negali filtruoti pagal lakšto, jei grupuojamas kuponą"
 DocType: Quality Inspection,Incoming,įeinantis
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Prašome nustatyti numeracijos serijas lankymui per sąranką&gt; Numeravimo serijos
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Sukuriami numatyti mokesčių šablonai pardavimui ir pirkimui.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Vertinimo rezultatų įrašas {0} jau egzistuoja.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Pavyzdys: ABCD. #####. Jei serijos yra nustatytos ir partijos Nr nėra minimi sandoriuose, tada automatinis partijos numeris bus sukurtas pagal šią seriją. Jei visada norite aiškiai paminėti šios prekės partiją, palikite tuščią. Pastaba: šis nustatymas bus pirmenybė prieš vardų serijos prefiksą, esantį atsargų nustatymuose."
@@ -6695,8 +6788,10 @@
 DocType: Contract,Party User,Partijos vartotojas
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Turtas nesukurtas <b>{0}</b> . Turtą turėsite sukurti rankiniu būdu.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Prašome nustatyti Įmonės filtruoti tuščias, jei Grupuoti pagal tai &quot;kompanija&quot;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klientas&gt; Klientų grupė&gt; Teritorija
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Siunčiamos data negali būti ateitis data
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Eilutės # {0}: Serijos Nr {1} nesutampa su {2} {3}
+DocType: Loan Repayment,Interest Payable,Mokėtinos palūkanos
 DocType: Stock Entry,Target Warehouse Address,Target Warehouse Address
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Laisvalaikio atostogos
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Laikas prieš pamainos pradžios laiką, per kurį svarstomas darbuotojų registravimasis į lankomumą."
@@ -6825,6 +6920,7 @@
 DocType: Issue,Reset Service Level Agreement,Iš naujo nustatyti paslaugų lygio sutartį
 ,Sales Person-wise Transaction Summary,Pardavimų Asmuo išmintingas Sandorio santrauka
 DocType: Training Event,Contact Number,Kontaktinis telefono numeris
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Paskolos suma yra privaloma
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6873,6 +6969,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balansas Kiekis
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Sąlygos bus taikomos visiems pasirinktiems elementams kartu.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Tikslai negali būti tuščias
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Netinkamas sandėlis
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Įrašyti studentus
 DocType: Item Group,Parent Item Group,Tėvų punktas grupė
 DocType: Appointment Type,Appointment Type,Paskyrimo tipas
@@ -6928,10 +7025,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Vidutinė norma
 DocType: Appointment,Appointment With,Skyrimas su
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Bendra mokėjimo suma mokėjimo grafike turi būti lygi Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Pažymėkite dalyvavimą kaip <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Užsakovo pateikiamas gaminys"" ne gali turėti vertinimo normos"
 DocType: Subscription Plan Detail,Plan,Suplanuoti
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Banko pažyma likutis vienam General Ledger
-DocType: Job Applicant,Applicant Name,Vardas pareiškėjas
+DocType: Appointment Letter,Applicant Name,Vardas pareiškėjas
 DocType: Authorization Rule,Customer / Item Name,Klientas / Prekės pavadinimas
 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**. 
 
@@ -6975,11 +7073,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,pasiskirstymas
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Darbuotojo statuso negalima nustatyti į „kairę“, nes šiam darbuotojui šiuo metu atsiskaito šie darbuotojai:"
-DocType: Journal Entry Account,Loan,Paskola
+DocType: Loan Repayment,Amount Paid,Sumokėta suma
+DocType: Loan Security Shortfall,Loan,Paskola
 DocType: Expense Claim Advance,Expense Claim Advance,Išankstinio išlaidų reikalavimas
 DocType: Lab Test,Report Preference,Pranešimo nuostatos
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Savanorio informacija.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Projekto vadovas
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grupuoti pagal klientą
 ,Quoted Item Comparison,Cituojamas punktas Palyginimas
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Pervykimas taškų tarp {0} ir {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,išsiuntimas
@@ -6999,6 +7099,7 @@
 DocType: Material Request Plan Item,Material Issue,medžiaga išdavimas
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Kainos taisyklėje nenustatyta nemokama prekė {0}
 DocType: Employee Education,Qualification,kvalifikacija
+DocType: Loan Security Shortfall,Loan Security Shortfall,Paskolos saugumo trūkumas
 DocType: Item Price,Item Price,Prekė Kaina
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,"Muilas, skalbimo"
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Darbuotojas {0} nepriklauso įmonei {1}
@@ -7021,6 +7122,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Informacija apie paskyrimą
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Galutinis produktas
 DocType: Warehouse,Warehouse Name,Sandėlių Vardas
+DocType: Loan Security Pledge,Pledge Time,Įkeitimo laikas
 DocType: Naming Series,Select Transaction,Pasirinkite Sandorio
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Prašome įvesti patvirtinimo vaidmuo arba patvirtinimo vartotoją
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Paslaugų lygio sutartis su {0} subjekto ir {1} subjektais jau yra.
@@ -7028,7 +7130,6 @@
 DocType: BOM,Rate Of Materials Based On,Norma medžiagų pagrindu
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jei įjungta, &quot;Academic Term&quot; laukas bus privalomas programos įregistravimo įrankyje."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Neapmokestinamų, neapmokestinamų ir ne GST įvežamų atsargų vertės"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klientas&gt; Klientų grupė&gt; Teritorija
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Bendrovė</b> yra privalomas filtras.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Nuimkite visus
 DocType: Purchase Taxes and Charges,On Item Quantity,Ant prekės kiekio
@@ -7074,7 +7175,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,trūkumo Kiekis
 DocType: Purchase Invoice,Input Service Distributor,Įvesties paslaugų platintojas
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Prekė variantas {0} egzistuoja pačių savybių
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Prašome įdiegti instruktoriaus pavadinimo sistemą švietime&gt; Švietimo nustatymai
 DocType: Loan,Repay from Salary,Grąžinti iš Pajamos
 DocType: Exotel Settings,API Token,API prieigos raktas
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},"Prašančioji mokėjimą nuo {0} {1} už sumą, {2}"
@@ -7094,6 +7194,7 @@
 DocType: Salary Slip,Total Interest Amount,Bendra palūkanų suma
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Neapsikentimas
 DocType: Accounts Settings,Stale Days,Pasenusios dienos
 DocType: Travel Itinerary,Arrival Datetime,Atvykimo data laikas
 DocType: Tax Rule,Billing Zipcode,Sąskaitos siuntimo pašto indeksas
@@ -7280,6 +7381,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Valandos
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Jums buvo sukurtas naujas susitikimas su {0}
 DocType: Project,Expected Start Date,"Tikimasi, pradžios data"
+DocType: Work Order,This is a location where raw materials are available.,"Tai vieta, kur yra žaliavų."
 DocType: Purchase Invoice,04-Correction in Invoice,04-taisymas sąskaitoje faktūroje
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Darbų užsakymas jau sukurtas visiems elementams su BOM
 DocType: Bank Account,Party Details,Šalies duomenys
@@ -7298,6 +7400,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,citatos:
 DocType: Contract,Partially Fulfilled,Iš dalies įvykdyta
 DocType: Maintenance Visit,Fully Completed,visiškai užbaigtas
+DocType: Loan Security,Loan Security Name,Paskolos vertybinis popierius
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Specialieji simboliai, išskyrus „-“, „#“, „.“, „/“, „{“ Ir „}“, neleidžiami įvardyti serijomis"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Neįvertinta arba jai netaikoma išimtis
 DocType: Employee,Educational Qualification,edukacinė kvalifikacija
@@ -7355,6 +7458,7 @@
 DocType: Program,Is Featured,Pasižymi
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Gaunama ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Žemės ūkio naudotojas
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Galioja iki datos negali būti prieš sandorio datą
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7431,8 +7535,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Darbuotojas {0} yra Atostogos {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Nepasirinkta atlyginimo žurnalo įrašui
 DocType: Purchase Invoice,GST Category,GST kategorija
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Siūlomi įkeitimai yra privalomi užtikrinant paskolas
 DocType: Payment Reconciliation,From Invoice Date,Iš sąskaitos faktūros išrašymo data
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Biudžetai
 DocType: Invoice Discounting,Disbursed,Išmokėta
@@ -7490,14 +7594,13 @@
 DocType: Restaurant,Active Menu,Aktyvus meniu
 DocType: Accounting Dimension Detail,Default Dimension,Numatytasis aspektas
 DocType: Target Detail,Target Qty,Tikslinė Kiekis
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Prieš paskolą: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Vykdyti Nustatymai
 DocType: Student Attendance,Present,Pateikti
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Važtaraštis {0} negali būti pateikta
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Atlyginimo lapelis, atsiųstas darbuotojui, bus apsaugotas slaptažodžiu, slaptažodis bus sugeneruotas pagal slaptažodžio politiką."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,odometras
 DocType: Production Plan Item,Ordered Qty,Užsakytas Kiekis
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Prekė {0} yra išjungtas
 DocType: Stock Settings,Stock Frozen Upto,Akcijų Šaldyti upto
@@ -7556,7 +7659,6 @@
 DocType: Serial No,Delivery Document Type,Pristatymas Dokumento tipas
 DocType: Sales Order,Partly Delivered,dalinai Paskelbta
 DocType: Item Variant Settings,Do not update variants on save,Negalima atnaujinti išsaugojimo variantų
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,„Custmer“ grupė
 DocType: Email Digest,Receivables,gautinos sumos
 DocType: Lead Source,Lead Source,Švinas Šaltinis
 DocType: Customer,Additional information regarding the customer.,Papildoma informacija apie klientui.
@@ -7654,6 +7756,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,faktinis
 DocType: Appointment,Skype ID,„Skype“ ID
 DocType: Restaurant Menu,Restaurant Manager,Restorano vadybininkas
+DocType: Loan,Penalty Income Account,Baudžiamųjų pajamų sąskaita
 DocType: Call Log,Call Log,Skambučių žurnalas
 DocType: Authorization Rule,Customerwise Discount,Customerwise nuolaida
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Lapą užduotims.
@@ -7742,6 +7845,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Produkto nuolaidų schema
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Skambinantysis nekėlė jokių problemų.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Grupuoti pagal tiekėją
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Išimties kategorija
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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"
@@ -7752,7 +7856,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,konsultavimas
 DocType: Subscription Plan,Based on price list,Remiantis kainoraščiu
 DocType: Customer Group,Parent Customer Group,Tėvų Klientų grupė
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,„e-Way Bill JSON“ gali būti generuojamas tik iš pardavimo sąskaitos
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Pasiektas maksimalus šios viktorinos bandymas!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Prenumerata
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Mokesčio kūrimas laukiamas
@@ -7770,6 +7873,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Profilaktinė priežiūra
 DocType: Delivery Note Item,Against Sales Invoice,Prieš pardavimo sąskaita-faktūra
 DocType: Purchase Invoice,07-Others,07-Kiti
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Pasiūlymo suma
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Prašome įvesti serijinius numerius serializowanej prekę
 DocType: Bin,Reserved Qty for Production,Reserved Kiekis dėl gamybos
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Palikite nepažymėtą jei nenorite atsižvelgti į partiją, o todėl kursų pagrįstas grupes."
@@ -7881,6 +7985,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Mokėjimo kvitą Pastaba
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Sukurti medžiagos užklausą
+DocType: Loan Interest Accrual,Pending Principal Amount,Laukiama pagrindinė suma
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Pradžios ir pabaigos datos negalioja galiojančiu darbo užmokesčio skaičiavimo laikotarpiu, negali apskaičiuoti {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7924,6 +8029,7 @@
 											to fullfill Sales Order {2}","Negalima pateikti serijos Nr {0} elemento {1}, nes jis yra rezervuotas \ užpildyti Pardavimų užsakymą {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Tiekėjas Citata {0} sukūrė
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge tipas
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Pabaiga metai bus ne anksčiau pradžios metus
 DocType: Employee Benefit Application,Employee Benefits,Išmokos darbuotojams
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Darbuotojo ID
@@ -8006,6 +8112,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Modulio kodas:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Prašome įvesti sąskaita paskyrą
 DocType: Quality Action Resolution,Problem,Problema
+DocType: Loan Security Type,Loan To Value Ratio,Paskolos ir vertės santykis
 DocType: Account,Stock,Atsargos
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8023,6 +8130,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Banko ataskaita Sandorio įrašas
 DocType: Sales Invoice Item,Discount and Margin,Nuolaida ir Marža
 DocType: Lab Test,Prescription,Receptas
+DocType: Process Loan Security Shortfall,Update Time,Atnaujinimo laikas
 DocType: Import Supplier Invoice,Upload XML Invoices,Įkelkite XML sąskaitas faktūras
 DocType: Company,Default Deferred Revenue Account,Numatytoji atidėtųjų pajamų sąskaita
 DocType: Project,Second Email,Antrasis el. Paštas
@@ -8036,7 +8144,7 @@
 DocType: Quality Action,Preventive,Prevencinis
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Prekės, teikiamos neregistruotiems asmenims"
 DocType: Company,Date of Incorporation,Įsteigimo data
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Iš viso Mokesčių
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Iš viso Mokesčių
 DocType: Manufacturing Settings,Default Scrap Warehouse,Numatytasis laužo sandėlis
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Paskutinė pirkimo kaina
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Dėl Kiekis (Pagaminta Kiekis) yra privalomi
@@ -8055,6 +8163,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Nustatykite numatytą mokėjimo būdą
 DocType: Stock Entry Detail,Against Stock Entry,Prieš akcijų įvedimą
 DocType: Grant Application,Withdrawn,panaikintas
+DocType: Loan Repayment,Regular Payment,Reguliarus mokėjimas
 DocType: Support Search Source,Support Search Source,Palaikykite paieškos šaltinį
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Apmokestinamas
 DocType: Project,Gross Margin %,"Bendroji marža,%"
@@ -8068,8 +8177,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Nemokant mokesčio
 DocType: BOM Operation,BOM Operation,BOM operacija
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Dėl ankstesnės eilės Suma
+DocType: Student,Home Address,Namų adresas
 DocType: Options,Is Correct,Yra teisingas
 DocType: Item,Has Expiry Date,Turi galiojimo datą
+DocType: Loan Repayment,Paid Accrual Entries,Mokami kaupimo įrašai
+DocType: Loan Security,Loan Security Type,Paskolas užtikrinantis tipas
 apps/erpnext/erpnext/config/support.py,Issue Type.,Išleidimo tipas.
 DocType: POS Profile,POS Profile,POS profilis
 DocType: Training Event,Event Name,Įvykio pavadinimas
@@ -8081,6 +8193,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezoniškumas nustatymo biudžetai, tikslai ir tt"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Nėra vertybių
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Kintamasis pavadinimas
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,"Pasirinkite banko sąskaitą, kad suderintumėte."
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Prekė {0} yra šablonas, prašome pasirinkti vieną iš jo variantai"
 DocType: Purchase Invoice Item,Deferred Expense,Atidėtasis sąnaudos
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Grįžti į pranešimus
@@ -8132,7 +8245,6 @@
 DocType: GL Entry,To Rename,Pervadinti
 DocType: Stock Entry,Repack,Iš naujo supakuokite
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Pasirinkite, jei norite pridėti serijos numerį."
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Prašome įdiegti instruktoriaus pavadinimo sistemą švietime&gt; Švietimo nustatymai
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Prašome nustatyti mokesčių kodą klientui „% s“
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Pirmiausia pasirinkite kompaniją
 DocType: Item Attribute,Numeric Values,reikšmes
@@ -8156,6 +8268,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Pateikti remiantis FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Šaknų negali būti redaguojami.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Paskolos vertė
 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
@@ -8202,6 +8315,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Prašome pasirinkti Kategorija pirmas
 apps/erpnext/erpnext/config/projects.py,Project master.,Projektų meistras.
 DocType: Contract,Contract Terms,Sutarties sąlygos
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sankcionuotas sumos limitas
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Tęskite konfigūraciją
 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,Maximum benefit amount of component {0} exceeds {1},Komponento {0} didžiausias naudos kiekis viršija {1}
@@ -8234,6 +8348,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Peržiūrėti skambučių žurnalą
 DocType: BOM Operation,Operating Cost(Company Currency),Operacinė Kaina (Įmonės valiuta)
 DocType: Loan Application,Rate of Interest,Palūkanų norma
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Paskolos užstatas jau įkeistas už paskolą {0}
 DocType: Expense Claim Detail,Sanctioned Amount,sankcijos suma
 DocType: Item,Shelf Life In Days,Tinkamumo laikas dienomis
 DocType: GL Entry,Is Opening,Ar atidarymas
diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv
index 64fcbbe..94ede7d 100644
--- a/erpnext/translations/lv.csv
+++ b/erpnext/translations/lv.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Iespēja zaudēta Iemesls
 DocType: Patient Appointment,Check availability,Pārbaudīt pieejamību
 DocType: Retention Bonus,Bonus Payment Date,Bonusa maksājuma datums
-DocType: Employee,Job Applicant,Darba iesniedzējs
+DocType: Appointment Letter,Job Applicant,Darba iesniedzējs
 DocType: Job Card,Total Time in Mins,Kopējais laiks minūtēs
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontaktinformācija
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Meklējiet jebko ...
 ,Stock and Account Value Comparison,Krājumu un kontu vērtības salīdzinājums
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Izmaksātā summa nevar būt lielāka par aizdevuma summu
 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
@@ -289,6 +290,7 @@
 DocType: Lead,Interested,Ieinteresēts
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Atklāšana
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programma:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Derīgam no laika jābūt mazākam par derīgo darbības laiku.
 DocType: Item,Copy From Item Group,Kopēt no posteņa grupas
 DocType: Journal Entry,Opening Entry,Atklāšanas Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Konts Pay Tikai
@@ -336,6 +338,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,pakāpe
 DocType: Restaurant Table,No of Seats,Sēdvietu skaits
+DocType: Loan Type,Grace Period in Days,Labvēlības periods dienās
 DocType: Sales Invoice,Overdue and Discounted,Nokavēts un atlaides
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Īpašums {0} nepieder turētājbankai {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Zvans atvienots
@@ -388,7 +391,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Noteiktas procedūras
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Rādīt tikai POS
 DocType: Supplier Group,Supplier Group Name,Piegādātāja grupas nosaukums
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Atzīmēt apmeklējumu kā <b></b>
 DocType: Driver,Driving License Categories,Vadītāja apliecību kategorijas
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Lūdzu, ievadiet piegādes datumu"
 DocType: Depreciation Schedule,Make Depreciation Entry,Padarīt Nolietojums Entry
@@ -405,10 +407,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Sīkāka informācija par veiktajām darbībām.
 DocType: Asset Maintenance Log,Maintenance Status,Uzturēšana statuss
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Vienības nodokļa summa, kas iekļauta vērtībā"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Aizdevuma drošības ķīla
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Dalības informācija
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: piegādātājam ir pret maksājams kontā {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Preces un cenu
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Kopējais stundu skaits: {0}
+DocType: Loan,Loan Manager,Aizdevumu pārvaldnieks
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},No datuma jābūt starp fiskālajā gadā. Pieņemot No datums = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervāls
@@ -467,6 +471,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',"Atjaunināt, izmantojot ""Time Ieiet"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Izvēlieties klientu vai piegādātāju.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Valsts kods failā nesakrīt ar sistēmā iestatīto valsts kodu
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Konts {0} nepieder Sabiedrībai {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Atlasiet tikai vienu prioritāti kā noklusējumu.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -544,7 +549,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Atstājiet Bloķēts
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,bankas ieraksti
-DocType: Customer,Is Internal Customer,Ir iekšējais klients
+DocType: Sales Invoice,Is Internal Customer,Ir iekšējais klients
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -568,6 +573,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materiāls Pieprasījums
 DocType: Bank Reconciliation,Update Clearance Date,Update Klīrenss Datums
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Paketes daudzums
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Nevar izveidot aizdevumu, kamēr pieteikums nav apstiprināts"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -575,6 +581,7 @@
 DocType: Quiz Result,Correct,Pareizi
 DocType: Student Guardian,Mother,māte
 DocType: Restaurant Reservation,Reservation End Time,Rezervācijas beigu laiks
+DocType: Salary Slip Loan,Loan Repayment Entry,Kredīta atmaksas ieraksts
 DocType: Crop,Biennial,Biennāle
 ,BOM Variance Report,BOM novirzes ziņojums
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Apstiprināti pasūtījumus no klientiem.
@@ -596,6 +603,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Maksājumu pret {0} {1} nevar būt lielāks par izcilu Summu {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Visas veselības aprūpes nodaļas
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Par iespēju konvertēšanu
+DocType: Loan,Total Principal Paid,Kopā samaksātā pamatsumma
 DocType: Bank Account,Address HTML,Adrese HTML
 DocType: Lead,Mobile No.,Mobile No.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Maksājumu veids
@@ -614,12 +622,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Balance bāzes valūtā
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Maksimālais vērtējums
 DocType: Email Digest,New Quotations,Jauni Citāti
+DocType: Loan Interest Accrual,Loan Interest Accrual,Kredīta procentu uzkrājums
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Apmeklējums nav iesniegts {0} kā {1} atvaļinājumā.
 DocType: Journal Entry,Payment Order,Maksājuma rīkojums
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verificējiet e-pastu
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Ienākumi no citiem avotiem
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ja tukšs, tiek ņemts vērā vecāku noliktavas konts vai uzņēmuma noklusējums"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-pasti algas kvīts darbiniekam, pamatojoties uz vēlamo e-pastu izvēlēts Darbinieku"
+DocType: Work Order,This is a location where operations are executed.,"Šī ir vieta, kur tiek veiktas operācijas."
 DocType: Tax Rule,Shipping County,Piegāde County
 DocType: Currency Exchange,For Selling,Pārdošanai
 apps/erpnext/erpnext/config/desktop.py,Learn,Mācīties
@@ -628,6 +638,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Piemērotais kupona kods
 DocType: Asset,Next Depreciation Date,Nākamais Nolietojums Datums
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktivitāte izmaksas uz vienu darbinieku
+DocType: Loan Security,Haircut %,Matu griezums
 DocType: Accounts Settings,Settings for Accounts,Iestatījumi kontu
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Piegādātājs Invoice Nr pastāv pirkuma rēķina {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Pārvaldīt pārdošanas persona Tree.
@@ -666,6 +677,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Lūdzu, iestatiet viesnīcu cenu par {}"
 DocType: Journal Entry,Multi Currency,Multi Valūtas
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Rēķins Type
+DocType: Loan,Loan Security Details,Aizdevuma drošības informācija
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Derīgam no datuma jābūt mazākam par derīgo līdz datumam
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},"Izņēmums notika, saskaņojot {0}"
 DocType: Purchase Invoice,Set Accepted Warehouse,Iestatiet pieņemto noliktavu
@@ -774,7 +786,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Pieprasīt labas pārbaudes apstiprinājumu
 DocType: Attendance,Working Hours,Darba laiks
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Kopā izcilā
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Vienumam {2} nav atrasts UOM konversijas koeficients ({0} -&gt; {1}).
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mainīt sākuma / pašreizējo kārtas numuru esošam sēriju.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procenti, par kuriem jums ir atļauts maksāt vairāk par pasūtīto summu. Piemēram: ja preces pasūtījuma vērtība ir USD 100 un pielaide ir iestatīta kā 10%, tad jums ir atļauts izrakstīt rēķinu par 110 USD."
 DocType: Dosage Strength,Strength,Stiprums
@@ -792,6 +803,7 @@
 DocType: Purchase Receipt,Vehicle Date,Transportlīdzekļu Datums
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampaņas e-pasta grafiks
 DocType: Student Log,Medical,Medicīnisks
+DocType: Work Order,This is a location where scraped materials are stored.,"Šī ir vieta, kur tiek glabāti nokasītie materiāli."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,"Lūdzu, izvēlieties Drug"
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Svins Īpašnieks nevar būt tāds pats kā galvenajam
 DocType: Announcement,Receiver,Saņēmējs
@@ -887,7 +899,7 @@
 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: BOM,Total Cost (Company Currency),Kopējās izmaksas (uzņēmuma valūta)
-DocType: Loan,Total Payment,kopējais maksājums
+DocType: Repayment Schedule,Total Payment,kopējais maksājums
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO jau izveidots visiem pārdošanas pasūtījumu posteņiem
@@ -913,6 +925,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Brīdināt pirkumu pasūtījumus
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Izīrēts no datuma
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Pietiekami Parts Build
+DocType: Loan Security,Loan Security Code,Aizdevuma drošības kods
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Lūdzu, vispirms saglabājiet"
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Nepieciešamas preces, lai izvilktu ar to saistītās izejvielas."
 DocType: POS Profile User,POS Profile User,POS lietotāja profils
@@ -971,6 +984,7 @@
 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,Stock Entries already created for Work Order ,"Rezerves ieraksti, kas jau ir izveidoti darba uzdevumā"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Preces kods&gt; Vienību grupa&gt; Zīmols
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Skatīt iepriekšējos pasūtījumus
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} sarunas
 DocType: Vital Signs,Respiratory rate,Elpošanas ātrums
@@ -1003,7 +1017,6 @@
 DocType: Company,Delete Company Transactions,Dzēst Uzņēmums Darījumi
 DocType: Production Plan Item,Quantity and Description,Daudzums un apraksts
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Atsauces Nr un atsauces datums ir obligāta Bank darījumu
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Lūdzu, iestatiet nosaukšanas sēriju uz {0}, izmantojot Iestatīšana&gt; Iestatījumi&gt; Sēriju nosaukšana"
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Pievienot / rediģēt nodokļiem un maksājumiem
 DocType: Payment Entry Reference,Supplier Invoice No,Piegādātāju rēķinu Nr
 DocType: Territory,For reference,Par atskaites
@@ -1034,6 +1047,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Nodokļu ieturēšanas konts
 DocType: Pricing Rule,Sales Partner,Sales Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Visi Piegādātāju rādītāju kartes.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Pasūtījuma summa
+DocType: Loan,Disbursed Amount,Izmaksātā summa
 DocType: Buying Settings,Purchase Receipt Required,Pirkuma čeka Nepieciešamais
 DocType: Sales Invoice,Rail,Dzelzceļš
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Faktiskās izmaksas
@@ -1073,6 +1088,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Savienots ar QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Lūdzu, identificējiet / izveidojiet kontu (virsgrāmatu) veidam - {0}"
 DocType: Bank Statement Transaction Entry,Payable Account,Maksājama konts
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,"Konts ir obligāts, lai iegūtu maksājuma ierakstus"
 DocType: Payment Entry,Type of Payment,Apmaksas veids
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Pusdienu datums ir obligāts
 DocType: Sales Order,Billing and Delivery Status,Norēķini un piegāde statuss
@@ -1112,7 +1128,7 @@
 DocType: Purchase Order Item,Billed Amt,Billed Amt
 DocType: Training Result Employee,Training Result Employee,Apmācības rezultāts Darbinieku
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Loģisks Noliktava pret kuru noliktavas ierakstu veikšanas.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,pamatsumma
+DocType: Repayment Schedule,Principal Amount,pamatsumma
 DocType: Loan Application,Total Payable Interest,Kopā Kreditoru Procentu
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Kopā neizmaksātais: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Atveriet Kontaktpersonu
@@ -1126,6 +1142,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Jūsu preces
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Piegādātājs&gt; Piegādātāja tips
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Priekšlikums Writing
 DocType: Payment Entry Deduction,Payment Entry Deduction,Maksājumu Entry atskaitīšana
 DocType: Service Level Priority,Service Level Priority,Pakalpojuma līmeņa prioritāte
@@ -1159,6 +1176,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Izveide studentu grupām
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Izveide studentu grupām
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Maksājumu Gateway konts nav izveidots, lūdzu, izveidojiet to manuāli."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},"Grupu noliktavas nevar izmantot darījumos. Lūdzu, mainiet {0} vērtību"
 DocType: Supplier Scorecard,Per Year,Gadā
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nav atļauts pieteikties šajā programmā kā vienu DOB
 DocType: Sales Invoice,Sales Taxes and Charges,Pārdošanas nodokļi un maksājumi
@@ -1281,7 +1299,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Veidojot kontu bērnu uzņēmumam {0}, vecāku konts {1} nav atrasts. Lūdzu, izveidojiet vecāku kontu attiecīgajā COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split problēma
 DocType: Student Attendance,Student Attendance,Student apmeklējums
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Nav eksportējamu datu
 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
@@ -1294,6 +1311,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktiskais piegādes datums
 DocType: Lab Test,Test Template,Pārbaudes veidne
+DocType: Loan Security Pledge,Securities,Vērtspapīri
 DocType: Restaurant Order Entry Item,Served,Pasniegts
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Nodaļas informācija.
 DocType: Account,Accounts,Konti
@@ -1388,6 +1406,7 @@
 DocType: Inpatient Record,O Negative,O negatīvs
 DocType: Work Order Operation,Planned End Time,Plānotais Beigu laiks
 DocType: POS Profile,Only show Items from these Item Groups,Rādīt tikai vienumus no šīm vienumu grupām
+DocType: Loan,Is Secured Loan,Ir nodrošināts aizdevums
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Mītnes veida dati
 DocType: Delivery Note,Customer's Purchase Order No,Klienta Pasūtījuma Nr
@@ -1424,6 +1443,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Iegūstiet no pacientu sastopas
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Vienumam: {2} nav atrasts UOM konversijas koeficients ({0} -&gt; {1}).
 DocType: Subscriber,Subscriber,Abonents
 DocType: Item Attribute Value,Item Attribute Value,Postenis īpašības vērtība
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valūtas maiņa ir jāpiemēro pirkšanai vai pārdošanai.
@@ -1503,6 +1523,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nav Atļaujas
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Līguma izpildes kontrolsaraksts
 DocType: Vital Signs,Heart Rate / Pulse,Sirdsdarbības ātrums / impulss
+DocType: Customer,Default Company Bank Account,Noklusējuma uzņēmuma bankas konts
 DocType: Supplier,Default Bank Account,Default bankas kontu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Lai filtrētu pamatojoties uz partijas, izvēlieties Party Type pirmais"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"&quot;Update Stock&quot;, nevar pārbaudīt, jo preces netiek piegādātas ar {0}"
@@ -1621,7 +1642,6 @@
 DocType: Sales Team,Incentives,Stimuli
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vērtības ārpus sinhronizācijas
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Starpības vērtība
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Lūdzu, iestatiet apmeklējumu numerācijas sērijas, izmantojot Iestatīšana&gt; Numerācijas sērija"
 DocType: SMS Log,Requested Numbers,Pieprasītie Numbers
 DocType: Volunteer,Evening,Vakars
 DocType: Quiz,Quiz Configuration,Viktorīnas konfigurēšana
@@ -1641,6 +1661,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,No iepriekšējās rindas Kopā
 DocType: Purchase Invoice Item,Rejected Qty,noraidīts Daudz
 DocType: Setup Progress Action,Action Field,Darbības lauks
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Aizdevuma veids procentiem un soda procentiem
 DocType: Healthcare Settings,Manage Customer,Pārvaldiet klientu
 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
@@ -1652,6 +1673,7 @@
 ,Final Assessment Grades,Nobeiguma novērtējuma pakāpes
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Jūsu uzņēmuma nosaukums, par kuru jums ir izveidot šo sistēmu."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Iekļaut brīvdienas Kopā nē. Darba dienu
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% No kopējās summas
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Instalējiet savu institūtu ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Augu analīze
 DocType: Task,Timeline,Laika skala
@@ -1659,9 +1681,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatīvais postenis
 DocType: Shopify Log,Request Data,Pieprasīt datus
 DocType: Employee,Date of Joining,Datums Pievienošanās
+DocType: Delivery Note,Inter Company Reference,Starpuzņēmumu atsauce
 DocType: Naming Series,Update Series,Update Series
 DocType: Supplier Quotation,Is Subcontracted,Tiek slēgti apakšuzņēmuma līgumi
 DocType: Restaurant Table,Minimum Seating,Minimālais sēdvietu skaits
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Jautājums nedrīkst būt dublēts
 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,Purchase Receipt,Pirkuma čeka
@@ -1763,6 +1787,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline rēķini
 DocType: Payment Request,Paid,Samaksāts
 DocType: Service Level,Default Priority,Noklusējuma prioritāte
+DocType: Pledge,Pledge,Ķīla
 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."
@@ -1776,6 +1801,7 @@
 DocType: Guardian,Guardian Name,Guardian Name
 DocType: Cheque Print Template,Has Print Format,Ir Drukas formāts
 DocType: Support Settings,Get Started Sections,Sāciet sākuma sadaļas
+,Loan Repayment and Closure,Kredīta atmaksa un slēgšana
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sodīts
 ,Base Amount,Pamatsumma
@@ -1786,10 +1812,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,No vietas
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Aizdevuma summa nevar būt lielāka par {0}
 DocType: Student Admission,Publish on website,Publicēt mājas lapā
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Piegādātājs Rēķina datums nevar būt lielāks par norīkošanu Datums
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Preces kods&gt; Vienību grupa&gt; Zīmols
 DocType: Subscription,Cancelation Date,Atcelšanas datums
 DocType: Purchase Invoice Item,Purchase Order Item,Pasūtījuma postenis
 DocType: Agriculture Task,Agriculture Task,Lauksaimniecības uzdevums
@@ -1808,7 +1834,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Papildu Atlaide procentuālā
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Skatīt sarakstu ar visu palīdzību video
 DocType: Agriculture Analysis Criteria,Soil Texture,Augsnes tekstūra
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Izvēlieties kontu vadītājs banku, kurā tika deponēts pārbaude."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Ļauj lietotājam rediģēt Cenrādi Rate darījumos
 DocType: Pricing Rule,Max Qty,Max Daudz
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Drukāt ziņojumu karti
@@ -1943,7 +1968,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Pēc iestatīšanas šis rēķins tiks aizturēts līdz noteiktajam datumam
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Pārdošanas apjoms
-DocType: Repayment Schedule,Interest Amount,procentu summa
+DocType: Loan Interest Accrual,Interest Amount,procentu summa
 DocType: Job Card,Time Logs,Laiks Baļķi
 DocType: Sales Invoice,Loyalty Amount,Lojalitātes summa
 DocType: Employee Transfer,Employee Transfer Detail,Darbinieku pārskaitījuma detaļas
@@ -1958,6 +1983,7 @@
 DocType: Cashier Closing,Returns,atgriešana
 DocType: Job Card,WIP Warehouse,WIP Noliktava
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Sērijas Nr {0} ir zem uzturēšanas līgumu līdz pat {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},{0} {1} ir pārsniegts sankcijas robežlielums
 apps/erpnext/erpnext/config/hr.py,Recruitment,vervēšana
 DocType: Lead,Organization Name,Organizācijas nosaukums
 DocType: Support Settings,Show Latest Forum Posts,Parādīt jaunākās foruma ziņas
@@ -1984,7 +2010,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Pirkuma pasūtījumi priekšmetus kavējas
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Pasta indekss
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Pārdošanas pasūtījums {0} ir {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Atlasiet procentu ienākumu kontu aizdevumā {0}
 DocType: Opportunity,Contact Info,Kontaktinformācija
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Making Krājumu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Nevar reklamēt Darbinieku ar statusu pa kreisi
@@ -2070,7 +2095,6 @@
 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,Start Year,Start gads
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Izveidot aizdevumu
 DocType: Purchase Invoice,Start date of current invoice's period,Sākuma datums kārtējā rēķinā s perioda
 DocType: Shift Type,Process Attendance After,Procesa apmeklējums pēc
 ,IRS 1099,IRS 1099
@@ -2091,6 +2115,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Atlasiet savus domēnus
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify piegādātājs
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Maksājuma rēķina vienumi
+DocType: Repayment Schedule,Is Accrued,Ir uzkrāts
 DocType: Payroll Entry,Employee Details,Darbinieku Details
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML failu apstrāde
 DocType: Amazon MWS Settings,CN,CN
@@ -2122,6 +2147,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Lojalitātes punkta ieraksts
 DocType: Employee Checkin,Shift End,Shift beigas
 DocType: Stock Settings,Default Item Group,Default Prece Group
+DocType: Loan,Partially Disbursed,Daļēji Izmaksātā
 DocType: Job Card Time Log,Time In Mins,Laiks mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Piešķirt informāciju.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Veicot šo darbību, šis konts tiks atsaistīts no visiem ārējiem pakalpojumiem, kas integrē ERPNext ar jūsu bankas kontiem. To nevar atsaukt. Vai esat pārliecināts?"
@@ -2137,6 +2163,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Aizdevuma slēgšana
 DocType: Call Log,Lead,Potenciālie klienti
 DocType: Email Digest,Payables,Piegādātājiem un darbuzņēmējiem
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2170,6 +2197,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Darbinieku nodokļi un pabalsti
 DocType: Bank Guarantee,Validity in Days,Derīguma dienās
 DocType: Bank Guarantee,Validity in Days,Derīguma dienās
+DocType: Unpledge,Haircut,Matu griezums
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-forma nav piemērojams rēķinam: {0}
 DocType: Certified Consultant,Name of Consultant,Konsultanta vārds
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled maksājumu informācija
@@ -2223,7 +2251,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Pārējā pasaule
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,{0} postenis nevar būt partijas
 DocType: Crop,Yield UOM,Iegūt UOM
+DocType: Loan Security Pledge,Partially Pledged,Daļēji ieķīlāts
 ,Budget Variance Report,Budžets Variance ziņojums
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Sankcionētā aizdevuma summa
 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,Get Items from Healthcare Services,Saņemiet preces no veselības aprūpes pakalpojumiem
@@ -2258,6 +2288,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Jauna kvalitātes procedūra
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Atlikums kontā {0} vienmēr jābūt {1}
 DocType: Patient Appointment,More Info,Vairāk info
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Dzimšanas datums nevar būt lielāks par iestāšanās datumu.
 DocType: Supplier Scorecard,Scorecard Actions,Rezultātu kartes darbības
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Piegādātājs {0} nav atrasts {1}
 DocType: Purchase Invoice,Rejected Warehouse,Noraidīts Noliktava
@@ -2355,6 +2386,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,"Lūdzu, vispirms iestatiet preces kodu"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Izveidota aizdevuma drošības ķīla: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Tikšanās un pacientu tikšanās
@@ -2410,6 +2442,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Vienlaicīgu tikšanos skaits
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Darba sākšana
 DocType: Purchase Invoice,Taxes and Charges Calculation,Nodokļi un maksājumi aprēķināšana
+DocType: Loan Interest Accrual,Payable Principal Amount,Maksājamā pamatsumma
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Grāmatu Aktīvu nolietojums Entry Automātiski
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Grāmatu Aktīvu nolietojums Entry Automātiski
 DocType: BOM Operation,Workstation,Darba vieta
@@ -2447,7 +2480,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Pārtika
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,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: Bank Account,Is the Default Account,Ir noklusējuma konts
 DocType: Shopify Log,Shopify Log,Shopify žurnāls
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nav atrasta saziņa.
 DocType: Inpatient Occupancy,Check In,Reģistrēties
@@ -2505,12 +2537,14 @@
 DocType: Sales Order Item,Planned Quantity,Plānotais daudzums
 DocType: Water Analysis,Water Analysis Criteria,Ūdens analīzes kritēriji
 DocType: Item,Maintain Stock,Uzturēt Noliktava
+DocType: Loan Security Unpledge,Unpledge Time,Nepārdošanas laiks
 DocType: Terms and Conditions,Applicable Modules,Piemērojamie moduļi
 DocType: Employee,Prefered Email,vēlamais Email
 DocType: Student Admission,Eligibility and Details,Atbilstība un detaļas
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Iekļauts bruto peļņā
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Neto izmaiņas pamatlīdzekļa
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Šajā vietā tiek glabāts galaprodukts.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,No DATETIME
@@ -2551,6 +2585,7 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garantijas / AMC statuss
 ,Accounts Browser,Konti Browser
 DocType: Procedure Prescription,Referral,Nosūtīšana
+,Territory-wise Sales,Pārdošana teritorijās
 DocType: Payment Entry Reference,Payment Entry Reference,Maksājumu Entry Reference
 DocType: GL Entry,GL Entry,GL Entry
 DocType: Support Search Source,Response Options,Atbildes varianti
@@ -2612,6 +2647,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Lauksaimniecība (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Iepakošanas Slip
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Lūdzu, iestatiet nosaukšanas sēriju uz {0}, izmantojot Iestatīšana&gt; Iestatījumi&gt; Sēriju nosaukšana"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Office Rent
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Setup SMS vārti iestatījumi
 DocType: Disease,Common Name,Parastie vārdi
@@ -2628,6 +2664,7 @@
 DocType: Item,Sales Details,Pārdošanas Details
 DocType: Coupon Code,Used,Lietots
 DocType: Opportunity,With Items,Ar preces
+DocType: Vehicle Log,last Odometer Value ,pēdējā odometra vērtība
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampaņa &#39;{0}&#39; jau pastāv {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Apkopes komanda
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Kārtība, kurā būtu jāparādās sadaļām. 0 ir pirmais, 1 ir otrais un tā tālāk."
@@ -2638,7 +2675,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Izdevumu Prasība {0} jau eksistē par servisa
 DocType: Asset Movement Item,Source Location,Avota atrašanās vieta
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Name
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Ievadiet atmaksas summa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Ievadiet atmaksas summa
 DocType: Shift Type,Working Hours Threshold for Absent,Darba laika slieksnis prombūtnei
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,"Pamatojoties uz kopējo iztērēto daudzumu, var būt vairāku līmeņu iekasēšanas koeficients. Bet izpirkšanas konversijas koeficients vienmēr būs vienāds visos līmeņos."
 apps/erpnext/erpnext/config/help.py,Item Variants,Postenis Variants
@@ -2662,6 +2699,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} jābūt mazākam par {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,"Lūdzu, vispirms atlasiet pretendenta veidu"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Atlasiet BOM, Qty un For Warehouse"
 DocType: GST HSN Code,GST HSN Code,GST HSN kodekss
 DocType: Employee External Work History,Total Experience,Kopā pieredze
@@ -2752,7 +2790,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Vienumam {0} nav atrasta aktīva BOM. Piegāde ar \ Serial No nevar tikt nodrošināta
 DocType: Sales Partner,Sales Partner Target,Sales Partner Mērķa
-DocType: Loan Type,Maximum Loan Amount,Maksimālais Kredīta summa
+DocType: Loan Application,Maximum Loan Amount,Maksimālais Kredīta summa
 DocType: Coupon Code,Pricing Rule,Cenu noteikums
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplicate roll numurs students {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplicate roll numurs students {0}
@@ -2776,6 +2814,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Lapām Piešķirts Veiksmīgi par {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Nav Preces pack
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Pašlaik tiek atbalstīti tikai .csv un .xlsx faili
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Lūdzu, iestatiet Personāla nosaukšanas sistēma personāla resursos&gt; HR iestatījumi"
 DocType: Shipping Rule Condition,From Value,No vērtība
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Ražošanas daudzums ir obligāta
 DocType: Loan,Repayment Method,atmaksas metode
@@ -2859,6 +2898,7 @@
 DocType: Customer,Customer POS Id,Klienta POS ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Studenta ar e-pastu {0} neeksistē
 DocType: Account,Account Name,Konta nosaukums
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Sankcionētā aizdevuma summa {0} jau pastāv pret uzņēmumu {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,No datums nevar būt lielāks par līdz šim datumam
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Sērijas Nr {0} daudzums {1} nevar būt daļa
 DocType: Pricing Rule,Apply Discount on Rate,Piemērot atlaidi likmei
@@ -2930,6 +2970,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Tīrā peļņa
 DocType: Purchase Invoice,Eligibility For ITC,Atbilstība ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Neapsolīts
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Klientu kredīta atlikuma
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto izmaiņas Kreditoru
@@ -2941,6 +2982,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Apmeklējumu ierīces ID (biometriskās / RF atzīmes ID)
 DocType: Quotation,Term Details,Term Details
 DocType: Item,Over Delivery/Receipt Allowance (%),Pārmaksas / saņemšanas pabalsts (%)
+DocType: Appointment Letter,Appointment Letter Template,Iecelšanas vēstules veidne
 DocType: Employee Incentive,Employee Incentive,Darbinieku stimuls
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Kopā (bez nodokļiem)
@@ -2965,6 +3007,7 @@
 					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."
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Atsaistītu maksājumu par anulēšana rēķina
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Procesa aizdevuma procentu uzkrājums
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Pašreizējais Kilometru skaits stājās jābūt lielākam nekā sākotnēji Transportlīdzekļa odometra {0}
 ,Purchase Order Items To Be Received or Billed,"Pirkuma pasūtījuma preces, kuras jāsaņem vai par kurām jāmaksā rēķins"
 DocType: Restaurant Reservation,No Show,Nav šovu
@@ -3051,6 +3094,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Izmaksu centrs ir nepieciešams peļņas un zaudējumu &quot;konta {2}. Lūdzu izveidot noklusējuma izmaksu centru uzņēmumam.
 DocType: Payment Schedule,Payment Term,Maksājuma termiņš
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Klientu grupa pastāv ar tādu pašu nosaukumu, lūdzu mainīt Klienta nosaukumu vai pārdēvēt klientu grupai"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Uzņemšanas beigu datumam jābūt lielākam par uzņemšanas sākuma datumu.
 DocType: Location,Area,Platība
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Jauns kontakts
 DocType: Company,Company Description,Uzņēmuma apraksts
@@ -3124,6 +3168,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mape dati
 DocType: Purchase Order Item,Warehouse and Reference,Noliktavas un atsauce
 DocType: Payroll Period Date,Payroll Period Date,Algas perioda datums
+DocType: Loan Disbursement,Against Loan,Pret aizdevumu
 DocType: Supplier,Statutory info and other general information about your Supplier,Normatīvais info un citu vispārīgu informāciju par savu piegādātāju
 DocType: Item,Serial Nos and Batches,Sērijas Nr un Partijām
 DocType: Item,Serial Nos and Batches,Sērijas Nr un Partijām
@@ -3192,6 +3237,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Izvēlieties uzņēmumu
 DocType: Delivery Settings,Delivery Settings,Piegādes iestatījumi
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ielādēt datus
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Nevar atsaukt vairāk par {0} daudzumu no {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Atvaļinājuma maksimālais atvaļinājums veids {0} ir {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicēt 1 vienumu
 DocType: SMS Center,Create Receiver List,Izveidot Uztvērēja sarakstu
@@ -3340,6 +3386,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Summa (Company valūta)
 DocType: Purchase Invoice,Registered Regular,Reģistrēts regulāri
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Izejvielas
+DocType: Plaid Settings,sandbox,smilšu kaste
 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
@@ -3352,12 +3399,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Darījuma veids
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Pieņemšanas kritēriji
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Ievadiet Materiālu Pieprasījumi tabulā iepriekš
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Kopējā maksājamā summa
 DocType: Task,Expected Time (in hours),Sagaidāmais laiks (stundās)
 DocType: Item Reorder,Check in (group),Reģistrēšanās (grupas)
 DocType: Soil Texture,Silt,Silt
@@ -3389,6 +3435,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Nodokļa atmaksa par neapstiprinātu nodokļu atbrīvojuma pierādījumu
 DocType: Volunteer,Anytime,Anytime
 DocType: Bank Account,Bank Account No,Bankas konta Nr
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Izmaksa un atmaksa
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Darbinieku atbrīvojums no nodokļiem Proof iesniegšana
 DocType: Patient,Surgical History,Ķirurģijas vēsture
 DocType: Bank Statement Settings Item,Mapped Header,Mape Header
@@ -3453,6 +3500,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Izveidot lab testu (-s) par pārdošanas rēķinu iesniegšanu
 DocType: Serial No,Invoice Details,Informācija par rēķinu
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Algas struktūra jāiesniedz pirms nodokļu deklarācijas iesniegšanas
+DocType: Loan Application,Proposed Pledges,Ierosinātās ķīlas
 DocType: Grant Application,Show on Website,Rādīt vietnē
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Sāciet
 DocType: Hub Tracked Item,Hub Category,Hub kategorijas
@@ -3464,7 +3512,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Piegādātāju rādītāju karte pastāvīga
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rinda {0}: Bill of Materials nav atrasta postenī {1}
 DocType: Contract Fulfilment Checklist,Requirement,Prasība
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Lūdzu, iestatiet Personāla nosaukšanas sistēma personāla resursos&gt; HR iestatījumi"
 DocType: Journal Entry,Accounts Receivable,Debitoru parādi
 DocType: Quality Goal,Objectives,Mērķi
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Loma, kurai atļauts izveidot atpakaļejošu atvaļinājuma lietojumprogrammu"
@@ -3477,6 +3524,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Iekļaut jāsaskaņo Ieraksti
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Kopējā piešķirtā summa ({0}) ir lielāka nekā samaksātā summa ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Izplatīt Maksa Based On
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Apmaksātā summa nedrīkst būt mazāka par {0}
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR iestatījumi
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Grāmatvedības maģistri
@@ -3622,6 +3670,7 @@
 DocType: Employee,Health Insurance,Veselības apdrošināšana
 DocType: Asset Repair,Manufacturing Manager,Ražošanas vadītājs
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Sērijas Nr {0} ir garantijas līdz pat {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Aizdevuma summa pārsniedz maksimālo aizdevuma summu {0} par katru piedāvāto vērtspapīru
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimālā pieļaujamā vērtība
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Lietotājs {0} jau eksistē
 apps/erpnext/erpnext/hooks.py,Shipments,Sūtījumi
@@ -3666,7 +3715,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Uzņēmējdarbības veids
 DocType: Sales Invoice,Consumer,Patērētājs
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Lūdzu, izvēlieties piešķirtā summa, rēķina veidu un rēķina numura atleast vienā rindā"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Lūdzu, iestatiet nosaukšanas sēriju uz {0}, izmantojot Iestatīšana&gt; Iestatījumi&gt; Sēriju nosaukšana"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Izmaksas jauno pirkumu
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Pasūtījumu nepieciešams postenī {0}
 DocType: Grant Application,Grant Description,Granta apraksts
@@ -3675,6 +3723,7 @@
 DocType: Subscription,Discounts,Atlaides
 DocType: Bank Transaction,Unallocated Amount,nepiešķirto Summa
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,"Lūdzu, aktivizējiet piemērojamo pirkuma pasūtījumu un piemērojiet faktisko izdevumu rezervēšanu"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} nav uzņēmuma bankas konts
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,"Nevar atrast atbilstošas objektu. Lūdzu, izvēlieties kādu citu vērtību {0}."
 DocType: POS Profile,Taxes and Charges,Nodokļi un maksājumi
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkts vai pakalpojums, kas tiek pirkti, pārdot vai turēt noliktavā."
@@ -3725,6 +3774,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Derīga no datuma ir mazāka nekā derīga līdz datumam.
 DocType: Employee Skill,Evaluation Date,Novērtēšanas datums
 DocType: Quotation Item,Stock Balance,Stock Balance
+DocType: Loan Security Pledge,Total Security Value,Kopējā drošības vērtība
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sales Order to Apmaksa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Ar nodokļa samaksu
@@ -3737,6 +3787,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Konts {0} nepastāv informācijas paneļa diagrammā {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Rādīt variantu atribūtus
@@ -3817,6 +3868,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Pašreizējais Vērtēšanas Rate
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Sakņu kontu skaits nedrīkst būt mazāks par 4
 DocType: Training Event,Advance,Avanss
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Pret aizdevumu:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless maksājumu vārtejas iestatījumi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange Gain / zaudējumi
 DocType: Opportunity,Lost Reason,Zaudēja Iemesls
@@ -3901,8 +3953,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Izvēlieties Partijas Nr
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Nederīga {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,{0} rinda: brāļa un dzimšanas datums nevar būt lielāks kā šodien.
 DocType: Fee Validity,Reference Inv,Atsauces ieguldījums
 DocType: Sales Invoice Advance,Advance Amount,Advance Summa
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Soda procentu likme (%) dienā
 DocType: Manufacturing Settings,Capacity Planning,Capacity Planning
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Noapaļošanas korekcija (uzņēmuma valūta
 DocType: Asset,Policy number,Politikas numurs
@@ -3918,7 +3972,9 @@
 DocType: Normal Test Items,Require Result Value,Pieprasīt rezultātu vērtību
 DocType: Purchase Invoice,Pricing Rules,Cenu noteikšana
 DocType: Item,Show a slideshow at the top of the page,Parādiet slaidrādi augšpusē lapas
+DocType: Appointment Letter,Body,Korpuss
 DocType: Tax Withholding Rate,Tax Withholding Rate,Nodokļu ieturējuma likme
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Atmaksas sākuma datums ir obligāts termiņaizdevumiem
 DocType: Pricing Rule,Max Amt,Maks
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOMs
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Veikali
@@ -3938,7 +3994,7 @@
 DocType: Call Log,Received By,Saņēmusi
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Iecelšanas ilgums (minūtēs)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Naudas plūsmas kartēšanas veidnes detaļas
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Aizdevumu vadība
+DocType: Loan,Loan Management,Aizdevumu vadība
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Izsekot atsevišķu ieņēmumi un izdevumi produktu vertikālēm vai nodaļām.
 DocType: Rename Tool,Rename Tool,Pārdēvēt rīks
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Atjaunināt izmaksas
@@ -3946,6 +4002,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-forma
 DocType: Sales Invoice,Mode of Transport,Transporta veids
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Rādīt Alga Slip
+DocType: Loan,Is Term Loan,Ir termiņa aizdevums
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfer Materiāls
 DocType: Fees,Send Payment Request,Sūtīt maksājuma pieprasījumu
 DocType: Travel Request,Any other details,Jebkura cita informācija
@@ -3963,6 +4020,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Naudas plūsma no finansēšanas
 DocType: Budget Account,Budget Account,budžeta kontā
 DocType: Quality Inspection,Verified By,Verified by
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Pievienojiet aizdevuma drošību
 DocType: Travel Request,Name of Organizer,Organizatora vārds
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nevar mainīt uzņēmuma noklusējuma valūtu, jo ir kādi darījumi. Darījumi jāanulē, lai mainītu noklusējuma valūtu."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Ir atbildība par ienākuma nodokli
@@ -4013,6 +4071,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Nepieciešamais On
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ja tas ir atzīmēts, paslēpj un atspējo lauku Noapaļots kopsummā Algas paslīdos"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Tas ir noklusējuma nobīde (dienas) piegādes datumam pārdošanas rīkojumos. Rezerves kompensācija ir 7 dienas pēc pasūtījuma veikšanas datuma.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Lūdzu, iestatiet apmeklējumu numerācijas sērijas, izmantojot Iestatīšana&gt; Numerācijas sērija"
 DocType: Rename Tool,File to Rename,Failu pārdēvēt
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Ielādēt abonēšanas atjauninājumus
@@ -4025,6 +4084,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Izveidoti sērijas numuri
 DocType: POS Profile,Applicable for Users,Attiecas uz lietotājiem
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,No datuma līdz datumam ir obligāti
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Vai iestatīt projektu un visus uzdevumus uz statusu {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Iestatīt avansa maksājumus (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nav izveidoti darba pasūtījumi
@@ -4034,6 +4094,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Priekšmeti
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Izmaksas iegādātās preces
 DocType: Employee Separation,Employee Separation Template,Darbinieku nošķiršanas veidne
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},"Nulle {0}, kas ieķīlāta pret {0} aizdevumu"
 DocType: Selling Settings,Sales Order Required,Pasūtījumu Nepieciešamais
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Kļūstiet par Pārdevēju
 ,Procurement Tracker,Iepirkumu izsekotājs
@@ -4131,11 +4192,12 @@
 ,Minutes to First Response for Opportunity,Minūtes First Response par Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Kopā Nav
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Postenis vai noliktava rindā {0} nesakrīt Material pieprasījumu
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Maksājamā summa
+DocType: Loan Repayment,Payable Amount,Maksājamā summa
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Iespējas
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maksimālā stiprība nedrīkst būt mazāka par nulli.
 DocType: Options,Option,Iespēja
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Slēgtā pārskata periodā nevar izveidot grāmatvedības ierakstus {0}
 DocType: Operation,Default Workstation,Default Workstation
@@ -4177,6 +4239,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Procentu summa ir obligāta
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Nākamie soļi
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Saglabātās preces
@@ -4228,8 +4291,6 @@
 DocType: Grant Application,Grant Application Details ,Piešķirt pieteikuma informāciju
 DocType: Employee Separation,Employee Separation,Darbinieku nodalīšana
 DocType: BOM Item,Original Item,Oriģināla prece
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datums
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Maksa Records Izveidoja - {0}
 DocType: Asset Category Account,Asset Category Account,Asset kategorija konts
@@ -4265,6 +4326,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Laboratorijas vienums {0} jau pastāv
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ir uzņēmuma atvaļinājums
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Apmaksājamas stundas
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,"Soda procentu likme tiek iekasēta par katru dienu līdz atliktajai procentu summai, ja kavēta atmaksa"
+DocType: Appointment Letter content,Appointment Letter content,Iecelšanas vēstules saturs
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Atstāt statusa paziņojumu
 DocType: Patient Appointment,Procedure Prescription,Procedūras noteikšana
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Mēbeles un piederumi
@@ -4284,7 +4347,7 @@
 DocType: Opportunity,Customer / Lead Name,Klients / Lead Name
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Klīrenss datums nav minēts
 DocType: Payroll Period,Taxable Salary Slabs,Apmaksājamās algas plāksnes
-DocType: Job Card,Production,Ražošana
+DocType: Plaid Settings,Production,Ražošana
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Nederīgs GSTIN! Jūsu ievadītā ievade neatbilst GSTIN formātam.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Konta vērtība
 DocType: Guardian,Occupation,nodarbošanās
@@ -4428,6 +4491,7 @@
 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,Student {0} does not belong to group {1},Students {0} nepieder pie grupas {1}
+DocType: Appointment Letter,Appointment Date,Iecelšanas datums
 DocType: Budget,Cost Center,Izmaksas Center
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Kuponu #
 DocType: Tax Rule,Shipping Country,Piegāde Country
@@ -4498,6 +4562,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Grāmatvedības dimensija
 ,Profit and Loss Statement,Peļņas un zaudējumu aprēķins
 DocType: Bank Reconciliation Detail,Cheque Number,Čeku skaits
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Izmaksātā summa nevar būt nulle
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Priekšmets ar atsauci {0} - {1} jau ir izrakstīts rēķins
 ,Sales Browser,Sales Browser
 DocType: Journal Entry,Total Credit,Kopā Credit
@@ -4602,6 +4667,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Pievienot / rediģēt kupona nosacījumus
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Izdevumu / Starpība konts ({0}) ir jābūt ""peļņa vai zaudējumi"" konts"
 DocType: Stock Entry Detail,Stock Entry Child,Stock Entry bērns
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Aizdevuma nodrošinājuma ķīlas uzņēmumam un aizdevuma uzņēmumam jābūt vienādam
 DocType: Project,Copied From,kopēts no
 DocType: Project,Copied From,kopēts no
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Rēķins jau ir izveidots visām norēķinu stundām
@@ -4610,6 +4676,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Ir finanšu izmaksas
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Apmeklējumu par darbiniekam {0} jau ir atzīmēts
 DocType: Packing Slip,If more than one package of the same type (for print),"Ja vairāk nekā viens iepakojums, no tā paša veida (drukāšanai)"
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Lūdzu, iestatiet instruktora nosaukšanas sistēmu sadaļā Izglītība&gt; Izglītības iestatījumi"
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,"Lūdzu, iestatiet noklusējuma klientu restorāna iestatījumos"
 ,Salary Register,alga Reģistrēties
 DocType: Company,Default warehouse for Sales Return,Noklusējuma noliktava pārdošanas atgriešanai
@@ -4654,7 +4721,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Pašreizējais sērijas Nr
 DocType: Employee,Attendance and Leave Details,Apmeklējums un informācija par atvaļinājumu
 ,BOM Comparison Tool,BOM salīdzināšanas rīks
-,Requested,Pieprasīts
+DocType: Loan Security Pledge,Requested,Pieprasīts
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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."
@@ -4666,7 +4733,6 @@
 DocType: Drug Prescription,Drug Prescription,Zāļu recepte
 DocType: Service Level,Support and Resolution,Atbalsts un izšķirtspēja
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Bezmaksas preces kods nav atlasīts
-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
@@ -4700,6 +4766,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Jūs jau izvērtēta vērtēšanas kritērijiem {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Iztrūkuma summa
 DocType: Vehicle Service,Engine Oil,Motora eļļas
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Izveidoti darba uzdevumi: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},"Lūdzu, iestatiet potenciālā klienta e-pasta ID {0}"
@@ -4718,6 +4785,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Informācijas paneļa diagrammai konts nav iestatīts {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Piesakies Papildu atlaide
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Atlasiet veidu ...
+DocType: Loan Interest Accrual,Amounts,Summas
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Jūsu biļetes
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO
@@ -4725,6 +4793,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Nevar atgriezties vairāk nekā {1} postenī {2}
 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: Loan Security Price,Loan Security Price,Aizdevuma nodrošinājuma cena
 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,Target warehouse is mandatory for row {0},Mērķa noliktava ir obligāta rindā {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Mazumtirdzniecības operācijas
@@ -4865,6 +4934,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch ir obligāta rindā {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch ir obligāta rindā {0}
 DocType: Company,Default Buying Terms,Pirkšanas noklusējuma nosacījumi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Kredīta izmaksa
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Pirkuma čeka Prece Kopā
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Iespējot plānoto sinhronizāciju
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Lai DATETIME
@@ -4893,6 +4963,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ievadiet vērtību starp {0} un {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Ievadiet nosaukumu, kampaņas, ja avots izmeklēšanas ir kampaņa"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Laikrakstu izdevēji
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},<b>Vietnei</b> {0} nav atrasta derīga <b>aizdevuma drošības cena</b>
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Nākotnes datumi nav atļauti
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Paredzētais piegādes datums jānosūta pēc pārdošanas pasūtījuma datuma
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Pārkārtot Level
@@ -4959,6 +5030,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,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/config/loan_management.py,Loan Processes,Aizdevumu procesi
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Viens variants
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Visas Jobs
 DocType: Sales Order,% of materials billed against this Sales Order,% Materiālu jāmaksā pret šo pārdošanas pasūtījumu
@@ -5022,7 +5094,7 @@
 DocType: Item,Reorder level based on Warehouse,Pārkārtot līmenis balstās uz Noliktava
 DocType: Activity Cost,Billing Rate,Norēķinu Rate
 ,Qty to Deliver,Daudz rīkoties
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Izveidojiet izmaksu ierakstu
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Izveidojiet izmaksu ierakstu
 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,Operations cannot be left blank,Darbības nevar atstāt tukšu
@@ -5056,6 +5128,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Atsaistiet ārējās integrācijas
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Izvēlieties atbilstošo maksājumu
 DocType: Pricing Rule,Item Code,Postenis Code
+DocType: Loan Disbursement,Pending Amount For Disbursal,Neapmaksātā summa izmaksai
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garantijas / AMC Details
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Izvēlieties studenti manuāli Grupas darbības balstītas
@@ -5081,6 +5154,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Daudzums kopā
 DocType: Landed Cost Item,Receipt Document,saņemšana Dokumentu
 DocType: Employee Education,School/University,Skola / University
+DocType: Loan Security Pledge,Loan  Details,Informācija par aizdevumu
 DocType: Sales Invoice Item,Available Qty at Warehouse,Pieejams Daudz at Warehouse
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Jāmaksā Summa
 DocType: Share Transfer,(including),(ieskaitot)
@@ -5104,6 +5178,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupas
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupa ar kontu
 DocType: Purchase Invoice,Hold Invoice,Turiet rēķinu
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Ķīlas statuss
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,"Lūdzu, atlasiet Darbinieku"
 DocType: Sales Order,Fully Delivered,Pilnībā Pasludināts
 DocType: Promotional Scheme Price Discount,Min Amount,Min summa
@@ -5113,7 +5188,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Izmaksātā summa nedrīkst būt lielāka par aizdevuma summu {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Rinda {0} # piešķirtā summa {1} nevar būt lielāka par summu, kas nav pieprasīta {2}"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},"Pasūtījuma skaitu, kas nepieciešams postenī {0}"
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Nosūtīts lapām
@@ -5141,6 +5215,7 @@
 DocType: Pick List Item,Serial No and Batch,Sērijas Nr un partijas
 DocType: Warranty Claim,From Company,No Company
 DocType: GSTR 3B Report,January,Janvārī
+DocType: Loan Repayment,Principal Amount Paid,Samaksātā pamatsumma
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summa rādītājus vērtēšanas kritēriju jābūt {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Lūdzu noteikts skaits nolietojuma Rezervēts
 DocType: Supplier Scorecard Period,Calculations,Aprēķini
@@ -5167,6 +5242,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Par jūsu uzņēmumu
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Rādīt krājumu novecošanās datus
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredīts kontā jābūt bilance konts
+DocType: Loan Repayment,Penalty Amount,Soda summa
 DocType: Donor,Donor,Donors
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Atjauniniet priekšmetu nodokļus
 DocType: Global Defaults,Disable In Words,Atslēgt vārdos
@@ -5197,6 +5273,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Izmaksu centrs un budžeta sastādīšana
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Atklāšanas Balance Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Daļēji apmaksāta ieeja
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Lūdzu, iestatiet Maksājumu grafiku"
 DocType: Pick List,Items under this warehouse will be suggested,"Tiks ieteiktas preces, kas atrodas šajā noliktavā"
 DocType: Purchase Invoice,N,N
@@ -5230,7 +5307,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nav atrasts vienumam {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vērtībai jābūt no {0} līdz {1}
 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,"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,Message Sent,Ziņojums nosūtīts
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5244,6 +5320,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Iespējot automātisko atkārtotu pasūtīšanu
 DocType: Stock Settings,Item Naming By,Postenis nosaukšana Līdz
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Vēl viens periods Noslēguma Entry {0} ir veikts pēc {1}
+DocType: Proposed Pledge,Proposed Pledge,Ierosinātā ķīla
 DocType: Work Order,Material Transferred for Manufacturing,"Materiāls pārvietoti, lai Manufacturing"
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Konts {0} neeksistē
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Izvēlieties lojalitātes programmu
@@ -5254,7 +5331,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Setting notikumi {0}, jo darbinieku pievienots zemāk Sales personām nav lietotāja ID {1}"
 DocType: Timesheet,Billing Details,Norēķinu Details
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Avota un mērķa noliktava jāatšķiras
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Lūdzu, iestatiet Personāla nosaukšanas sistēma personāla resursos&gt; HR iestatījumi"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Maksājums neizdevās. Lai saņemtu sīkāku informāciju, lūdzu, pārbaudiet GoCardless kontu"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Nav atļauts izmainīt akciju darījumiem, kas vecāki par {0}"
 DocType: Stock Entry,Inspection Required,Inspekcija Nepieciešamais
@@ -5267,6 +5343,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Piegāde noliktava nepieciešama akciju posteni {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto iepakojuma svars. Parasti neto svars + iepakojuma materiālu svara. (Drukāšanai)
 DocType: Assessment Plan,Program,programma
+DocType: Unpledge,Against Pledge,Pret ķīlu
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Lietotāji ar šo lomu ir atļauts noteikt iesaldētos kontus, un izveidot / mainīt grāmatvedības ierakstus pret iesaldētos kontus"
 DocType: Plaid Settings,Plaid Environment,Plaid vide
 ,Project Billing Summary,Projekta norēķinu kopsavilkums
@@ -5319,6 +5396,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partijām
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Dienu skaitu var rezervēt iepriekš
 DocType: Article,LMS User,LMS lietotājs
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Aizdevuma nodrošinājuma ķīla ir obligāta nodrošinātajam aizdevumam
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Piegādes vieta (valsts / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Krājumu Mērvienība
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Pasūtījuma {0} nav iesniegta
@@ -5392,6 +5470,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Izveidot darba karti
 DocType: Quotation,Referral Sales Partner,Pārdošanas partneris
 DocType: Quality Procedure Process,Process Description,Procesa apraksts
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Nevar atsaukties, aizdevuma nodrošinājuma vērtība ir lielāka nekā atmaksātā summa"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klients {0} ir izveidots.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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"
@@ -5412,7 +5491,7 @@
 DocType: Asset,Insurance Details,apdrošināšana Details
 DocType: Account,Payable,Maksājams
 DocType: Share Balance,Share Type,Kopīgošanas veids
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Ievadiet atmaksas termiņi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Ievadiet atmaksas termiņi
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitori ({0})
 DocType: Pricing Rule,Margin,Robeža
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Jauni klienti
@@ -5421,6 +5500,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Mainīt POS profilu
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Daudzums vai daudzums ir mandāts aizdevuma nodrošināšanai
 DocType: Bank Reconciliation Detail,Clearance Date,Klīrenss Datums
 DocType: Delivery Settings,Dispatch Notification Template,Nosūtīšanas paziņojuma veidne
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Novērtējuma ziņojums
@@ -5456,6 +5536,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Akciju pārvaldnieks
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Tirdzniecības rēķins {0} izveidots
 DocType: Employee,Confirmation Date,Apstiprinājums Datums
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"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: Inpatient Occupancy,Check Out,Izbraukšana
 DocType: C-Form,Total Invoiced Amount,Kopā Rēķinā summa
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Daudz nevar būt lielāks par Max Daudz
@@ -5469,7 +5551,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Company ID
 DocType: Travel Request,Travel Funding,Ceļojumu finansēšana
 DocType: Employee Skill,Proficiency,Prasme
-DocType: Loan Application,Required by Date,Pieprasa Datums
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Informācija par pirkuma kvīti
 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"
 DocType: Lead,Lead Owner,Lead Īpašnieks
@@ -5488,7 +5569,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Pašreizējā BOM un New BOM nevar būt vienādi
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Alga Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Brīža līdz pensionēšanās jābūt lielākam nekā datums savienošana
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Piegādātājs&gt; Piegādātāja tips
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Vairāki varianti
 DocType: Sales Invoice,Against Income Account,Pret ienākuma kontu
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Pasludināts
@@ -5521,7 +5601,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Vērtēšanas veida maksājumus nevar atzīmēts kā Inclusive
 DocType: POS Profile,Update Stock,Update Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Maksājumu informācija
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Augšupielādētā faila lasīšana
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5557,6 +5637,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maksimālā aizdevuma vērtība
 ,Stock Ledger,Stock Ledger
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain / zaudējumu aprēķins
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
@@ -5564,6 +5645,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,Fill the form and save it,Aizpildiet formu un saglabājiet to
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Forums
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Darbiniekam nav piešķirtas lapas: {0} atvaļinājuma veidam: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Faktiskais Daudzums noliktavā
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Faktiskais Daudzums noliktavā
 DocType: Homepage,"URL for ""All Products""",URL &quot;All Products&quot;
@@ -5666,7 +5748,6 @@
 DocType: Fee Schedule,Fee Schedule,maksa grafiks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Kolonnu etiķetes:
 DocType: Bank Transaction,Settled,Norēķinājies
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Izmaksas datums nevar būt pēc Aizdevuma atmaksas sākuma datuma
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parametri
 DocType: Company,Create Chart Of Accounts Based On,"Izveidot kontu plāns, pamatojoties uz"
@@ -5686,6 +5767,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kredīta limita un maksājumu noteikumi
 DocType: Loyalty Program,Collection Rules,Savākšanas noteikumi
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Postenis 3
+DocType: Loan Security Shortfall,Shortfall Time,Trūkuma laiks
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Pasūtījuma ieraksts
 DocType: Purchase Order,Customer Contact Email,Klientu Kontakti Email
 DocType: Warranty Claim,Item and Warranty Details,Elements un Garantija Details
@@ -5705,12 +5787,14 @@
 DocType: Sales Person,Sales Person Name,Sales Person Name
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ievadiet Vismaz 1 rēķinu tabulā
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nav izveidots labtestu tests
+DocType: Loan Security Shortfall,Security Value ,Drošības vērtība
 DocType: POS Item Group,Item Group,Postenis Group
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentu grupa:
 DocType: Depreciation Schedule,Finance Book Id,Finanšu grāmatu ID
 DocType: Item,Safety Stock,Drošības fonds
 DocType: Healthcare Settings,Healthcare Settings,Veselības aprūpes iestatījumi
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Kopējais izdalīto lapu skaits
+DocType: Appointment Letter,Appointment Letter,Iecelšanas vēstule
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Progress% par uzdevumu nevar būt lielāks par 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Pirms samierināšanās
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Uz {0}
@@ -5766,6 +5850,7 @@
 DocType: Stock Entry,From BOM,No BOM
 DocType: Assessment Code,Assessment Code,novērtējums Code
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Pamata
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Klientu un darbinieku aizdevumu pieteikumi.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Akciju darījumiem pirms {0} ir iesaldēti
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Lūdzu, noklikšķiniet uz ""Generate sarakstā '"
 DocType: Job Card,Current Time,Pašreizējais laiks
@@ -5792,7 +5877,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Dotācija
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nav Studentu grupas izveidots.
 DocType: Purchase Invoice Item,Serial No,Sērijas Nr
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Ikmēneša atmaksa summa nedrīkst būt lielāka par aizdevuma summu
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Ikmēneša atmaksa summa nedrīkst būt lielāka par aizdevuma summu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Ievadiet Maintaince Details pirmais
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rinda # {0}: sagaidāmais piegādes datums nevar būt pirms pirkuma pasūtījuma datuma
 DocType: Purchase Invoice,Print Language,print valoda
@@ -5806,6 +5891,7 @@
 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,All Territories,Visas teritorijas
+DocType: Plaid Settings,development,attīstību
 DocType: Lost Reason Detail,Lost Reason Detail,Lost Reason Detail
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Neatbilstošs segas pasūtījums izvēlētajam klientam un vienumam
@@ -5869,12 +5955,14 @@
 DocType: Staffing Plan Detail,Current Openings,Pašreizējās atveres
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Naudas plūsma no darbības
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST summa
+DocType: Vehicle Log,Current Odometer value ,Odometra pašreizējā vērtība
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Izveidot studentu
 DocType: Asset Movement Item,Asset Movement Item,Pamatlīdzekļu pārvietošanas vienība
 DocType: Purchase Invoice,Shipping Rule,Piegāde noteikums
 DocType: Patient Relation,Spouse,Laulātais
 DocType: Lab Test Groups,Add Test,Pievienot testu
 DocType: Manufacturer,Limited to 12 characters,Ierobežots līdz 12 simboliem
+DocType: Appointment Letter,Closing Notes,Noslēguma piezīmes
 DocType: Journal Entry,Print Heading,Print virsraksts
 DocType: Quality Action Table,Quality Action Table,Kvalitātes rīcības tabula
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Kopā nevar būt nulle
@@ -5942,6 +6030,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Kopā (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},"Lūdzu, identificējiet / izveidojiet kontu (grupu) veidam - {0}"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entertainment & Leisure
+DocType: Loan Security,Loan Security,Aizdevuma nodrošinājums
 ,Item Variant Details,Vienuma variantu detaļas
 DocType: Quality Inspection,Item Serial No,Postenis Sērijas Nr
 DocType: Payment Request,Is a Subscription,Vai ir abonements
@@ -5954,7 +6043,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Jaunākais vecums
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Ieplānoti un atļauti datumi nevar būt mazāki kā šodien
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer Materiāls piegādātājam
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"Jaunais Sērijas Nē, nevar būt noliktava. Noliktavu jānosaka ar Fondu ieceļošanas vai pirkuma čeka"
 DocType: Lead,Lead Type,Potenciālā klienta Veids (Type)
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Izveidot citāts
@@ -5972,7 +6060,6 @@
 DocType: Leave Allocation,Leave Period,Atstāt periodu
 DocType: Item,Default Material Request Type,Default Materiāls Pieprasījuma veids
 DocType: Supplier Scorecard,Evaluation Period,Novērtēšanas periods
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klients&gt; Klientu grupa&gt; Teritorija
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nezināms
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Darba uzdevums nav izveidots
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6058,7 +6145,8 @@
 ,Customer-wise Item Price,Klienta ziņā preces cena
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Naudas plūsmas pārskats
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nav izveidots neviens materiāls pieprasījums
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredīta summa nedrīkst pārsniegt maksimālo summu {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredīta summa nedrīkst pārsniegt maksimālo summu {0}
+DocType: Loan,Loan Security Pledge,Aizdevuma nodrošinājuma ķīla
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,licence
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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ā"
@@ -6076,6 +6164,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Cenu atlaižu shēma
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,"Uzturēšanas statuss ir jāatceļ vai jāaizpilda, lai iesniegtu"
 DocType: Amazon MWS Settings,US,ASV
+DocType: Loan Security Pledge,Pledged,Ieķīlāts
 DocType: Holiday List,Add Weekly Holidays,Pievienot nedēļas brīvdienas
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Pārskata vienums
 DocType: Staffing Plan Detail,Vacancies,Vakances
@@ -6094,7 +6183,6 @@
 DocType: Production Plan Item,Planned Start Date,Plānotais sākuma datums
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,"Lūdzu, izvēlieties BOM"
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Izmantojis ITC integrēto nodokli
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Izveidojiet atmaksas ierakstu
 DocType: Purchase Order Item,Blanket Order Rate,Sega pasūtījuma likme
 ,Customer Ledger Summary,Klienta virsgrāmatas kopsavilkums
 apps/erpnext/erpnext/hooks.py,Certification,Sertifikācija
@@ -6115,6 +6203,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Izvērtēšana Template sadaļa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Tirdzniecības
 DocType: Patient,Alcohol Current Use,Alkohola pašreizējā lietošana
+DocType: Loan,Loan Closure Requested,Pieprasīta aizdevuma slēgšana
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Māju īres maksas summa
 DocType: Student Admission Program,Student Admission Program,Studentu uzņemšanas programma
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Nodokļu atbrīvojuma kategorija
@@ -6138,6 +6227,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Pārdevums
 DocType: Stock Entry Detail,Basic Amount,Pamatsumma
 DocType: Training Event,Exam,eksāmens
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Procesa aizdevuma drošības deficīts
 DocType: Email Campaign,Email Campaign,E-pasta kampaņa
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Tirgus kļūda
 DocType: Complaint,Complaint,Sūdzība
@@ -6217,6 +6307,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Iesniedziet to, lai izveidotu darbinieku ierakstu"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},"Aizdevuma nodrošinājuma cena, kas pārklājas ar {0}"
 DocType: Item Default,Item Default,Vienums Noklusējums
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Valsts iekšējie krājumi
 DocType: Chapter Member,Leave Reason,Atstāt iemeslu
@@ -6244,6 +6335,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,Izmantotais {0} kupons ir {1}. Atļautais daudzums ir izsmelts
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Vai vēlaties iesniegt materiālo pieprasījumu?
 DocType: Job Offer,Awaiting Response,Gaida atbildi
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Aizdevums ir obligāts
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Iepriekš
 DocType: Support Search Source,Link Options,Saites iespējas
@@ -6256,6 +6348,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
+DocType: Pledge,Post Haircut Amount,Post matu griezuma summa
 DocType: Sales Order,Skip Delivery Note,Izlaist piegādes piezīmi
 DocType: Price List,Price Not UOM Dependent,Cena nav atkarīga no UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,Izveidoti {0} varianti.
@@ -6282,6 +6375,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Dabūtu preces no produkta Bundle
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Atmaksas metode ir obligāta termiņa aizdevumiem
 DocType: Asset,Straight Line,Taisne
 DocType: Project User,Project User,projekta User
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,sadalīt
@@ -6330,7 +6424,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Loma atļauts noteikt iesaldētos kontus un rediģēt Saldētas Ieraksti
 DocType: Supplier Scorecard Scoring Variable,Path,Ceļš
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nevar pārvērst izmaksu centru, lai grāmatai, jo tā ir bērnu mezgliem"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Vienumam {2} nav atrasts UOM konversijas koeficients ({0} -&gt; {1}).
 DocType: Production Plan,Total Planned Qty,Kopējais plānotais daudzums
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Darījumi jau ir atkāpti no paziņojuma
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,atklāšanas Value
@@ -6339,11 +6432,8 @@
 DocType: Material Request Plan Item,Required Quantity,Nepieciešamais daudzums
 DocType: Lab Test Template,Lab Test Template,Lab testēšanas veidne
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Grāmatvedības periods pārklājas ar {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Piegādātājs&gt; Piegādātāja tips
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Pārdošanas konts
 DocType: Purchase Invoice Item,Total Weight,Kopējais svars
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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: Pick List Item,Pick List Item,Izvēlēties saraksta vienumu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisijas apjoms
 DocType: Job Offer Term,Value / Description,Vērtība / Apraksts
@@ -6390,6 +6480,7 @@
 DocType: Patient Encounter,Encounter Date,Saskarsmes datums
 DocType: Work Order,Update Consumed Material Cost In Project,Atjauniniet patērētās materiālu izmaksas projektā
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konts: {0} ar valūtu: {1} nevar atlasīt
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Kredīti klientiem un darbiniekiem.
 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
@@ -6458,7 +6549,6 @@
 DocType: Contract,Signed On,Parakstīts
 DocType: Bank Account,Party Type,Party Type
 DocType: Discounted Invoice,Discounted Invoice,Rēķins ar atlaidi
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Atzīmēt apmeklējumu kā <b></b>
 DocType: Payment Schedule,Payment Schedule,Maksājumu grafiks
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Dotā darbinieka lauka vērtībai nav atrasts neviens darbinieks. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Saīsinājums
@@ -6530,6 +6620,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditori
 DocType: Assessment Plan,Assessment Name,novērtējums Name
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Sērijas numurs ir obligāta
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Aizdevuma slēgšanai nepieciešama {0} summa
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Postenis Wise Nodokļu Detail
 DocType: Employee Onboarding,Job Offer,Darba piedāvājums
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute saīsinājums
@@ -6554,7 +6645,6 @@
 DocType: Purchase Order,To Receive,Saņemt
 DocType: Leave Period,Holiday List for Optional Leave,Brīvdienu saraksts izvēles atvaļinājumam
 DocType: Item Tax Template,Tax Rates,Nodokļu likmes
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Preces kods&gt; Vienību grupa&gt; Zīmols
 DocType: Asset,Asset Owner,Īpašuma īpašnieks
 DocType: Item,Website Content,Vietnes saturs
 DocType: Bank Account,Integration ID,Integrācijas ID
@@ -6570,6 +6660,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Sinhronizācijas pasūtījumi
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Pasūtījumi izlaists ražošanai.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Izvēlieties fiskālajā gadā ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},"Lūdzu, atlasiet aizdevuma veidu uzņēmumam {0}"
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profile jāveic POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6598,6 +6689,7 @@
 DocType: Customer,Mention if non-standard receivable account,Pieminēt ja nestandarta debitoru konts
 DocType: Bank,Plaid Access Token,Plaid piekļuves marķieris
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,"Lūdzu, pievienojiet atlikušos ieguvumus {0} jebkuram no esošajiem komponentiem"
+DocType: Bank Account,Is Default Account,Ir noklusējuma konts
 DocType: Journal Entry Account,If Income or Expense,Ja ieņēmumi vai izdevumi
 DocType: Course Topic,Course Topic,Kursa tēma
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Pastāv POS aizvēršanas kupona datums {0} no datuma {1} līdz {2}
@@ -6610,7 +6702,7 @@
 DocType: Disease,Treatment Task,Ārstēšanas uzdevums
 DocType: Payment Order Reference,Bank Account Details,Bankas konta dati
 DocType: Purchase Order Item,Blanket Order,Sega pasūtījums
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Atmaksas summai jābūt lielākai par
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Atmaksas summai jābūt lielākai par
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Nodokļu Aktīvi
 DocType: BOM Item,BOM No,BOM Nr
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Atjaunināt informāciju
@@ -6667,6 +6759,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce produkti
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Sintakses kļūda formulā vai stāvoklī: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"{0} priekšmets ignorēt, jo tas nav akciju postenis"
+,Loan Security Status,Aizdevuma drošības statuss
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Nepiemērot cenošanas Reglamenta konkrētā darījumā, visi piemērojamie Cenu noteikumi būtu izslēgta."
 DocType: Payment Term,Day(s) after the end of the invoice month,Diena (-as) pēc rēķina mēneša beigām
 DocType: Assessment Group,Parent Assessment Group,Parent novērtējums Group
@@ -6681,7 +6774,6 @@
 DocType: Stock Entry Detail,Additional Cost,Papildu izmaksas
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nevar filtrēt balstīta uz kupona, ja grupēti pēc kuponu"
 DocType: Quality Inspection,Incoming,Ienākošs
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Lūdzu, iestatiet apmeklējumu numerācijas sērijas, izmantojot Iestatīšana&gt; Numerācijas sērija"
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Tiek veidoti noklusējuma nodokļu veidnes pārdošanai un pirkšanai.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Novērtējuma rezultātu reģistrs {0} jau eksistē.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Piemērs: ABCD. #####. Ja sērija ir iestatīta un Partijas Nr nav minēts darījumos, automātiskais partijas numurs tiks izveidots, pamatojoties uz šo sēriju. Ja jūs vienmēr vēlaties skaidri norādīt šī vienuma partijas Nr, atstājiet šo tukšu. Piezīme. Šis iestatījums būs prioritāte salīdzinājumā ar nosaukumu sērijas prefiksu krājumu iestatījumos."
@@ -6692,8 +6784,10 @@
 DocType: Contract,Party User,Partijas lietotājs
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,"Īpašumi, kas nav izveidoti <b>{0}</b> . Jums aktīvs būs jāizveido manuāli."
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Lūdzu noteikt Company filtrēt tukšu, ja Group By ir &quot;Uzņēmuma&quot;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klients&gt; Klientu grupa&gt; Teritorija
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Norīkošanu datums nevar būt nākotnes datums
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Sērijas Nr {1} nesakrīt ar {2} {3}
+DocType: Loan Repayment,Interest Payable,Maksājamie procenti
 DocType: Stock Entry,Target Warehouse Address,Mērķa noliktavas adrese
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Laiks pirms maiņas sākuma laika, kurā tiek apsvērta darbinieku reģistrēšanās."
@@ -6822,6 +6916,7 @@
 DocType: Issue,Reset Service Level Agreement,Atiestatīt pakalpojumu līmeņa līgumu
 ,Sales Person-wise Transaction Summary,Sales Person-gudrs Transaction kopsavilkums
 DocType: Training Event,Contact Number,Kontaktpersonas numurs
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Aizdevuma summa ir obligāta
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6870,6 +6965,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Bilance Daudz
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Nosacījumi tiks piemēroti visiem atlasītajiem vienumiem kopā.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Mērķi nevar būt tukšs
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Nepareiza noliktava
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Studentu uzņemšana
 DocType: Item Group,Parent Item Group,Parent Prece Group
 DocType: Appointment Type,Appointment Type,Iecelšanas veids
@@ -6925,10 +7021,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Vidējā likme
 DocType: Appointment,Appointment With,Iecelšana ar
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksājuma grafikam kopējam maksājuma summai jābūt vienādai ar Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Atzīmēt apmeklējumu kā <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",“Klienta nodrošinātam vienumam” nevar būt vērtēšanas pakāpe
 DocType: Subscription Plan Detail,Plan,Plānu
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bankas paziņojums bilance kā vienu virsgrāmatas
-DocType: Job Applicant,Applicant Name,Pieteikuma iesniedzēja nosaukums
+DocType: Appointment Letter,Applicant Name,Pieteikuma iesniedzēja nosaukums
 DocType: Authorization Rule,Customer / Item Name,Klients / vienības nosaukums
 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**. 
 
@@ -6972,11 +7069,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Sadale
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Darbinieka statusu nevar iestatīt uz “kreiso”, jo šādi darbinieki pašlaik ziņo šim darbiniekam:"
-DocType: Journal Entry Account,Loan,Aizdevums
+DocType: Loan Repayment,Amount Paid,Samaksātā summa
+DocType: Loan Security Shortfall,Loan,Aizdevums
 DocType: Expense Claim Advance,Expense Claim Advance,Izdevumu pieprasīšanas avanss
 DocType: Lab Test,Report Preference,Ziņojuma preferences
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informācija par brīvprātīgo.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Projekta vadītājs
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grupēt pēc klienta
 ,Quoted Item Comparison,Citēts Prece salīdzinājums
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Nosūtīšana
@@ -6996,6 +7095,7 @@
 DocType: Material Request Plan Item,Material Issue,Materiāls Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Bezmaksas prece nav noteikta cenu noteikumā {0}
 DocType: Employee Education,Qualification,Kvalifikācija
+DocType: Loan Security Shortfall,Loan Security Shortfall,Aizdevuma nodrošinājuma deficīts
 DocType: Item Price,Item Price,Vienība Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Ziepes un mazgāšanas
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Darbinieks {0} nepieder uzņēmumam {1}
@@ -7018,6 +7118,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Informācija par iecelšanu
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Gatavais produkts
 DocType: Warehouse,Warehouse Name,Noliktavas nosaukums
+DocType: Loan Security Pledge,Pledge Time,Ķīlas laiks
 DocType: Naming Series,Select Transaction,Izvēlieties Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ievadiet apstiprināšana loma vai apstiprināšana lietotāju
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Pakalpojuma līmeņa līgums ar entītijas veidu {0} un entītiju {1} jau pastāv.
@@ -7025,7 +7126,6 @@
 DocType: BOM,Rate Of Materials Based On,Novērtējiet materiālu specifikācijas Based On
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ja tas ir iespējots, lauka akadēmiskais termins būs obligāts programmas uzņemšanas rīkā."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Ar nodokli neapliekamo, ar nulli apliekamo un ar GST nesaistīto iekšējo piegāžu vērtības"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klients&gt; Klientu grupa&gt; Teritorija
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Uzņēmums</b> ir obligāts filtrs.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Noņemiet visas
 DocType: Purchase Taxes and Charges,On Item Quantity,Uz preces daudzumu
@@ -7071,7 +7171,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Trūkums Daudz
 DocType: Purchase Invoice,Input Service Distributor,Ievades pakalpojumu izplatītājs
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Postenis variants {0} nepastāv ar tiem pašiem atribūtiem
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Lūdzu, iestatiet instruktora nosaukšanas sistēmu sadaļā Izglītība&gt; Izglītības iestatījumi"
 DocType: Loan,Repay from Salary,Atmaksāt no algas
 DocType: Exotel Settings,API Token,API pilnvara
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Pieprasot samaksu pret {0} {1} par summu {2}
@@ -7091,6 +7190,7 @@
 DocType: Salary Slip,Total Interest Amount,Kopējā procentu summa
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Neapsolīšana
 DocType: Accounts Settings,Stale Days,Stale dienas
 DocType: Travel Itinerary,Arrival Datetime,Ierašanās datuma laiks
 DocType: Tax Rule,Billing Zipcode,Norēķinu pasta indekss
@@ -7277,6 +7377,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Stundas
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Jums ir izveidota jauna tikšanās ar {0}
 DocType: Project,Expected Start Date,"Paredzams, sākuma datums"
+DocType: Work Order,This is a location where raw materials are available.,"Šī ir vieta, kur ir pieejamas izejvielas."
 DocType: Purchase Invoice,04-Correction in Invoice,04-korekcija rēķinā
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Darba pasūtījums jau ir izveidots visiem vienumiem ar BOM
 DocType: Bank Account,Party Details,Party Details
@@ -7295,6 +7396,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Citāti:
 DocType: Contract,Partially Fulfilled,Daļēji izpildīts
 DocType: Maintenance Visit,Fully Completed,Pilnībā Pabeigts
+DocType: Loan Security,Loan Security Name,Aizdevuma vērtspapīra nosaukums
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Speciālās rakstzīmes, izņemot &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Un &quot;}&quot;, kas nav atļautas nosaukuma sērijās"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Nulle tiek novērtēta vai atbrīvota no tā
 DocType: Employee,Educational Qualification,Izglītības Kvalifikācijas
@@ -7352,6 +7454,7 @@
 DocType: Program,Is Featured,Ir piedāvāts
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Notiek ielāde ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Lauksaimnieks lietotājs
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Derīga līdz datumam nevar būt pirms darījuma datuma
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7429,8 +7532,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Darbinieks {0} ir atlicis uz {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,No žurnāla ierakstiem nav atgriezta atmaksa
 DocType: Purchase Invoice,GST Category,GST kategorija
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Piedāvātās ķīlas ir obligātas nodrošinātajiem aizdevumiem
 DocType: Payment Reconciliation,From Invoice Date,No rēķina datuma
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budžeti
 DocType: Invoice Discounting,Disbursed,Izmaksāts
@@ -7488,14 +7591,13 @@
 DocType: Restaurant,Active Menu,Aktīvā izvēlne
 DocType: Accounting Dimension Detail,Default Dimension,Noklusējuma dimensija
 DocType: Target Detail,Target Qty,Mērķa Daudz
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Pret aizdevumu: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Checkout iestatījumi
 DocType: Student Attendance,Present,Dāvana
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Piegāde piezīme {0} nedrīkst jāiesniedz
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Darbiniekam pa e-pastu nosūtītā algas lapa tiks aizsargāta ar paroli, parole tiks ģenerēta, pamatojoties uz paroles politiku."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,odometra
 DocType: Production Plan Item,Ordered Qty,Pasūtīts daudzums
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Postenis {0} ir invalīds
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Līdz pat
@@ -7554,7 +7656,6 @@
 DocType: Serial No,Delivery Document Type,Piegāde Dokumenta tips
 DocType: Sales Order,Partly Delivered,Daļēji Pasludināts
 DocType: Item Variant Settings,Do not update variants on save,Neatjauniniet saglabāšanas variantus
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Klientu grupa
 DocType: Email Digest,Receivables,Debitoru parādi
 DocType: Lead Source,Lead Source,Lead Source
 DocType: Customer,Additional information regarding the customer.,Papildu informācija par klientu.
@@ -7652,6 +7753,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Faktisks
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Restorāna vadītājs
+DocType: Loan,Penalty Income Account,Soda ienākumu konts
 DocType: Call Log,Call Log,Zvanu žurnāls
 DocType: Authorization Rule,Customerwise Discount,Customerwise Atlaide
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Kontrolsaraksts uzdevumiem.
@@ -7740,6 +7842,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Produktu atlaižu shēma
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Zvanītājs nav izvirzījis nevienu problēmu.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Grupēt pēc piegādātāja
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Atbrīvojuma kategorija
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7750,7 +7853,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Pamatojoties uz cenu sarakstu
 DocType: Customer Group,Parent Customer Group,Parent Klientu Group
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-ceļa rēķinu JSON var ģenerēt tikai no pārdošanas rēķina
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Ir sasniegti maksimālie mēģinājumi šajā viktorīnā.
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonēšana
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Maksas izveidošana ir gaidāma
@@ -7768,6 +7870,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Profilaktiskā apkope
 DocType: Delivery Note Item,Against Sales Invoice,Pret pārdošanas rēķinu
 DocType: Purchase Invoice,07-Others,07 citi
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Piedāvājuma summa
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Ievadiet sērijas numuri serializēto preci
 DocType: Bin,Reserved Qty for Production,Rezervēts Daudzums uz ražošanas
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Atstājiet neieslēgtu ja nevēlaties izskatīt partiju, vienlaikus, protams, balstās grupas."
@@ -7879,6 +7982,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Maksājumu saņemšana Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Izveidot materiāla pieprasījumu
+DocType: Loan Interest Accrual,Pending Principal Amount,Nepabeigtā pamatsumma
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Sākuma un beigu datumi nav derīgā algas aprēķināšanas periodā, nevar aprēķināt {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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ņš
@@ -7922,6 +8026,7 @@
 											to fullfill Sales Order {2}","Nevar piegādāt sērijas Nr {0} vienumu {1}, jo tas ir rezervēts, lai pilnībā aizpildītu pārdošanas pasūtījumu {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Piegādātājs Piedāvājums {0} izveidots
+DocType: Loan Security Unpledge,Unpledge Type,Nepārdošanas tips
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Beigu gads nevar būt pirms Start gads
 DocType: Employee Benefit Application,Employee Benefits,Darbinieku pabalsti
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,darbinieka ID
@@ -8004,6 +8109,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kursa kods:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Ievadiet izdevumu kontu
 DocType: Quality Action Resolution,Problem,Problēma
+DocType: Loan Security Type,Loan To Value Ratio,Aizdevuma un vērtības attiecība
 DocType: Account,Stock,Noliktava
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8021,6 +8127,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankas paziņojums Darījuma ieraksts
 DocType: Sales Invoice Item,Discount and Margin,Atlaides un Margin
 DocType: Lab Test,Prescription,Recepte
+DocType: Process Loan Security Shortfall,Update Time,Atjaunināšanas laiks
 DocType: Import Supplier Invoice,Upload XML Invoices,Augšupielādējiet XML rēķinus
 DocType: Company,Default Deferred Revenue Account,Noklusējuma atliktā ieņēmumu konts
 DocType: Project,Second Email,Otrais e-pasts
@@ -8034,7 +8141,7 @@
 DocType: Quality Action,Preventive,Profilaktiski
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Piegādes nereģistrētām personām
 DocType: Company,Date of Incorporation,Reģistrācijas datums
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Kopā Nodokļu
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Kopā Nodokļu
 DocType: Manufacturing Settings,Default Scrap Warehouse,Noklusējuma lūžņu noliktava
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Pēdējā pirkuma cena
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Par Daudzums (Rūpniecības Daudzums) ir obligāts
@@ -8053,6 +8160,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Iestatīt noklusējuma maksājuma veidu
 DocType: Stock Entry Detail,Against Stock Entry,Pret akciju ienākšanu
 DocType: Grant Application,Withdrawn,atsaukts
+DocType: Loan Repayment,Regular Payment,Regulārs maksājums
 DocType: Support Search Source,Support Search Source,Atbalsta meklēšanas avotu
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Maksas
 DocType: Project,Gross Margin %,Bruto rezerve%
@@ -8066,8 +8174,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Bez nodokļa nomaksas
 DocType: BOM Operation,BOM Operation,BOM Operation
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Uz iepriekšējo rindu summas
+DocType: Student,Home Address,Mājas adrese
 DocType: Options,Is Correct,Ir pareizs
 DocType: Item,Has Expiry Date,Ir derīguma termiņš
+DocType: Loan Repayment,Paid Accrual Entries,Apmaksāti uzkrāšanas ieraksti
+DocType: Loan Security,Loan Security Type,Aizdevuma drošības veids
 apps/erpnext/erpnext/config/support.py,Issue Type.,Izdošanas veids.
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Event Name
@@ -8079,6 +8190,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonalitāte, nosakot budžetu, mērķus uc"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Nav vērtību
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Mainīgais nosaukums
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Atlasiet saskaņojamo bankas kontu.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Prece {0} ir veidne, lūdzu, izvēlieties vienu no saviem variantiem"
 DocType: Purchase Invoice Item,Deferred Expense,Nākamo periodu izdevumi
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Atpakaļ pie ziņojumiem
@@ -8130,7 +8242,6 @@
 DocType: GL Entry,To Rename,Pārdēvēt
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Atlasiet, lai pievienotu sērijas numuru."
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Lūdzu, iestatiet instruktora nosaukšanas sistēmu sadaļā Izglītība&gt; Izglītības iestatījumi"
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Lūdzu, iestatiet klienta &#39;% s&#39; fiskālo kodu"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vispirms izvēlieties uzņēmumu
 DocType: Item Attribute,Numeric Values,Skaitliskās vērtības
@@ -8154,6 +8265,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,"Ielādēt, pamatojoties uz FIFO"
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Saknes nevar rediģēt.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Aizdevuma drošības vērtība
 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
@@ -8200,6 +8312,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Lūdzu, izvēlieties Kategorija pirmais"
 apps/erpnext/erpnext/config/projects.py,Project master.,Projekts meistars.
 DocType: Contract,Contract Terms,Līguma noteikumi
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sankcionētās summas ierobežojums
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Turpiniet konfigurēšanu
 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,Maximum benefit amount of component {0} exceeds {1},Komponenta maksimālā pabalsta summa {0} pārsniedz {1}
@@ -8232,6 +8345,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Skatīt zvanu žurnālu
 DocType: BOM Operation,Operating Cost(Company Currency),Ekspluatācijas izmaksas (Company valūta)
 DocType: Loan Application,Rate of Interest,Procentu likme
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},"Kredīta nodrošinājuma ķīla, kas jau ir ieķīlāta pret aizdevumu {0}"
 DocType: Expense Claim Detail,Sanctioned Amount,Sodīts Summa
 DocType: Item,Shelf Life In Days,Glabāšanas laiks dienās
 DocType: GL Entry,Is Opening,Vai atvēršana
diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv
index 43d62fe..52c6248 100644
--- a/erpnext/translations/mk.csv
+++ b/erpnext/translations/mk.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Изгубена причина за можност
 DocType: Patient Appointment,Check availability,Проверете достапност
 DocType: Retention Bonus,Bonus Payment Date,Датум на исплата на бонус
-DocType: Employee,Job Applicant,Работа на апликантот
+DocType: Appointment Letter,Job Applicant,Работа на апликантот
 DocType: Job Card,Total Time in Mins,Вкупно време во мини
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ова е врз основа на трансакции против оваа Добавувачот. Види времеплов подолу за детали
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Процент на препроизводство за работна нарачка
@@ -183,6 +183,7 @@
 DocType: Delivery Stop,Contact Information,Контакт информации
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Пребарај за било што ...
 ,Stock and Account Value Comparison,Споредба на вредноста на залихите и сметките
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Испратена сума не може да биде поголема од износот на заемот
 DocType: Company,Phone No,Телефон број
 DocType: Delivery Trip,Initial Email Notification Sent,Испратена е почетна е-пошта
 DocType: Bank Statement Settings,Statement Header Mapping,Мапирање на заглавјето на изјавите
@@ -288,6 +289,7 @@
 DocType: Lead,Interested,Заинтересирани
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Отворање
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Програма:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Валидно од времето мора да биде помало од валидно време на вклучување.
 DocType: Item,Copy From Item Group,Копија од Група ставки
 DocType: Journal Entry,Opening Entry,Отворање Влегување
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Сметка плаќаат само
@@ -335,6 +337,7 @@
 DocType: Student,B-,Б-
 DocType: Assessment Result,Grade,одделение
 DocType: Restaurant Table,No of Seats,Број на седишта
+DocType: Loan Type,Grace Period in Days,Грејс Период во денови
 DocType: Sales Invoice,Overdue and Discounted,Заостанати и намалени
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Повикот е исклучен
 DocType: Sales Invoice Item,Delivered By Supplier,Дадено од страна на Добавувачот
@@ -385,7 +388,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Пропишани процедури
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Прикажи само POS
 DocType: Supplier Group,Supplier Group Name,Име на група на набавувач
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство како <b></b>
 DocType: Driver,Driving License Categories,Категории за возачка дозвола
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Внесете го датумот на испорака
 DocType: Depreciation Schedule,Make Depreciation Entry,Направете Амортизација Влегување
@@ -402,10 +404,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Детали за операции извршени.
 DocType: Asset Maintenance Log,Maintenance Status,Одржување Статус
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Вклучен износ на данок на артикал во вредност
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Заложба за безбедност на заемот
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Детали за членство
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Добавувачот е потребно против плаќа на сметка {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Теми и цени
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Вкупно часови: {0}
+DocType: Loan,Loan Manager,Менаџер за заем
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Од датумот треба да биде во рамките на фискалната година. Претпоставувајќи од датумот = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Интервал
@@ -464,6 +468,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Ажурираат преку &quot;Време Вклучи се &#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Изберете го купувачот или добавувачот.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Кодот за датотека во земјата не одговара на кодот на земјата, поставен во системот"
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},На сметка {0} не му припаѓа на компанијата {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Изберете само еден Приоритет како Стандарден.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Однапред сума не може да биде поголема од {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временскиот слот е прескокнат, слотот {0} до {1} се преклопува со постоечкиот слот {2} до {3}"
@@ -541,7 +546,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Остави блокирани
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Точка {0} достигна својот крај на животот на {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банката записи
-DocType: Customer,Is Internal Customer,Е внатрешна клиент
+DocType: Sales Invoice,Is Internal Customer,Е внатрешна клиент
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,Продажна Фактура Бр.
@@ -565,6 +570,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Материјал Барање
 DocType: Bank Reconciliation,Update Clearance Date,Ажурирање Чистење Датум
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Пакет Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Не можам да создадам заем сè додека не се одобри апликацијата
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Точка {0} не се најде во &quot;суровини испорачува&quot; маса во нарачката {1}
 DocType: Salary Slip,Total Principal Amount,Вкупен главен износ
@@ -572,6 +578,7 @@
 DocType: Quiz Result,Correct,Правилно
 DocType: Student Guardian,Mother,мајка
 DocType: Restaurant Reservation,Reservation End Time,Резервирано време за резервација
+DocType: Salary Slip Loan,Loan Repayment Entry,Влез за отплата на заем
 DocType: Crop,Biennial,Биенале
 ,BOM Variance Report,Извештај за варијанса на БОМ
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Потврди налози од клиенти.
@@ -592,6 +599,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Плаќање против {0} {1} не може да биде поголем од преостанатиот износ за наплата {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Сите единици за здравствена заштита
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,На можност за претворање
+DocType: Loan,Total Principal Paid,Вкупно платена главница
 DocType: Bank Account,Address HTML,HTML адреса
 DocType: Lead,Mobile No.,Мобилен број
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Начин на плаќање
@@ -610,12 +618,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Состојба во основната валута
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Макс
 DocType: Email Digest,New Quotations,Нов Цитати
+DocType: Loan Interest Accrual,Loan Interest Accrual,Каматна стапка на акредитиви
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Публика не е поднесена за {0} како {1} на одмор.
 DocType: Journal Entry,Payment Order,Наложба за плаќање
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,потврди ја електронската пошта
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Приход од други извори
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ако е празно, ќе се разгледа родителската сметка за магацин или стандардната компанија"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Пораките плата лизга на вработените врз основа на склопот на е-маил избрани во вработените
+DocType: Work Order,This is a location where operations are executed.,Ова е локација каде што се извршуваат операциите.
 DocType: Tax Rule,Shipping County,округот превозот
 DocType: Currency Exchange,For Selling,За продажба
 apps/erpnext/erpnext/config/desktop.py,Learn,Научат
@@ -624,6 +634,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Применет купонски код
 DocType: Asset,Next Depreciation Date,Следна Амортизација Датум
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Трошоци активност по вработен
+DocType: Loan Security,Haircut %,Фризура%
 DocType: Accounts Settings,Settings for Accounts,Поставки за сметки
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Добавувачот фактура не постои во Набавка фактура {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Управување со продажбата на лице дрвото.
@@ -662,6 +673,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Те молам постави го Hotel Room Rate на {}
 DocType: Journal Entry,Multi Currency,Мулти Валута
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип на фактура
+DocType: Loan,Loan Security Details,Детали за безбедност на заемот
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Валиден од датумот мора да биде помал од важечкиот до датумот
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Исклучок се случи при помирување {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Поставете прифатена магацин
@@ -785,6 +797,7 @@
 DocType: Purchase Receipt,Vehicle Date,Датум на возилото
 DocType: Campaign Email Schedule,Campaign Email Schedule,Распоред на е-пошта за кампања
 DocType: Student Log,Medical,Медицинска
+DocType: Work Order,This is a location where scraped materials are stored.,Ова е локација каде што се чуваат отпакувани материјали.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Изберете дрога
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Водечкиот сопственикот не може да биде ист како олово
 DocType: Announcement,Receiver,приемник
@@ -879,7 +892,7 @@
 DocType: Driver,Applicable for external driver,Применливо за надворешен возач
 DocType: Sales Order Item,Used for Production Plan,Се користат за производство план
 DocType: BOM,Total Cost (Company Currency),Вкупен трошок (валута на компанијата)
-DocType: Loan,Total Payment,Вкупно исплата
+DocType: Repayment Schedule,Total Payment,Вкупно исплата
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO веќе креиран за сите нарачки за нарачки
@@ -905,6 +918,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Предупреди налози за набавка
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Изнајмено од датум
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Доволно делови да се изгради
+DocType: Loan Security,Loan Security Code,Кодекс за безбедност на заем
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Ве молиме, зачувајте прво"
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Од предметите се бара да ги повлечат суровините што се поврзани со него.
 DocType: POS Profile User,POS Profile User,POS профил корисник
@@ -962,6 +976,7 @@
 DocType: Patient,Risk Factors,Фактори на ризик
 DocType: Patient,Occupational Hazards and Environmental Factors,Професионални опасности и фактори за животната средина
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Записи на акции веќе креирани за работна нарачка
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код на точка&gt; Група на производи&gt; Бренд
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Погледнете ги нарачките од минатото
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} разговори
 DocType: Vital Signs,Respiratory rate,Респираторна стапка
@@ -994,7 +1009,6 @@
 DocType: Company,Delete Company Transactions,Избриши компанијата Трансакции
 DocType: Production Plan Item,Quantity and Description,Количина и опис
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Референтен број и референтен датум е задолжително за банкарски трансакции
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Поставете Серија за именување за {0} преку Поставување&gt; Поставки&gt; Серии за именување
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додај / Уреди даноци и такси
 DocType: Payment Entry Reference,Supplier Invoice No,Добавувачот Фактура бр
 DocType: Territory,For reference,За референца
@@ -1025,6 +1039,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Данок за задржување на данок
 DocType: Pricing Rule,Sales Partner,Продажбата партнер
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Сите броеви за оценување на добавувачи.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Нарачајте износ
+DocType: Loan,Disbursed Amount,Испрати сума
 DocType: Buying Settings,Purchase Receipt Required,Купување Прием Потребно
 DocType: Sales Invoice,Rail,Железнички
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Вистинска цена
@@ -1064,6 +1080,7 @@
 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Испорачани: {0}
 DocType: QuickBooks Migrator,Connected to QuickBooks,Поврзан со QuickBooks
 DocType: Bank Statement Transaction Entry,Payable Account,Треба да се плати сметката
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Сметката е задолжителна за да добиете записи за плаќање
 DocType: Payment Entry,Type of Payment,Тип на плаќање
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Датумот на половина ден е задолжителен
 DocType: Sales Order,Billing and Delivery Status,Платежна и испорака Статус
@@ -1103,7 +1120,7 @@
 DocType: Purchase Order Item,Billed Amt,Таксуваната Амт
 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,Principal Amount,главнината
+DocType: Repayment Schedule,Principal Amount,главнината
 DocType: Loan Application,Total Payable Interest,Вкупно се плаќаат камати
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Вкупно Најдобро: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Отворен контакт
@@ -1116,6 +1133,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Се појави грешка за време на процесот на ажурирање
 DocType: Restaurant Reservation,Restaurant Reservation,Ресторан резерви
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Вашите артикли
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Добавувач&gt; Тип на снабдувач
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Пишување предлози
 DocType: Payment Entry Deduction,Payment Entry Deduction,Плаќање за влез Одбивање
 DocType: Service Level Priority,Service Level Priority,Приоритет на ниво на услуга
@@ -1272,7 +1290,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Додека создавате сметка за дете Компанија {0}, сметката за родители {1} не е пронајдена. Ве молиме, креирајте ја матичната сметка во соодветниот ЦОА"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Сплит проблем
 DocType: Student Attendance,Student Attendance,студентски Публика
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Нема податоци за извоз
 DocType: Sales Invoice Timesheet,Time Sheet,време лист
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Суровини врз основа на
 DocType: Sales Invoice,Port Code,Пристаниште код
@@ -1285,6 +1302,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Датум на испорака
 DocType: Lab Test,Test Template,Тест шаблон
+DocType: Loan Security Pledge,Securities,Хартии од вредност
 DocType: Restaurant Order Entry Item,Served,Служеше
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Поглавје информации.
 DocType: Account,Accounts,Сметки
@@ -1379,6 +1397,7 @@
 DocType: Inpatient Record,O Negative,О негативно
 DocType: Work Order Operation,Planned End Time,Планирани Крај
 DocType: POS Profile,Only show Items from these Item Groups,Прикажи ги само Предметите од овие групи на производи
+DocType: Loan,Is Secured Loan,Е заштитен заем
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,Сметка со постоечките трансакцијата не може да се конвертира Леџер
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Детали за типот на меморија
 DocType: Delivery Note,Customer's Purchase Order No,Клиентите нарачка Не
@@ -1494,6 +1513,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Нема дозвола
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контролна листа за исполнување на договорот
 DocType: Vital Signs,Heart Rate / Pulse,Срцева стапка / пулс
+DocType: Customer,Default Company Bank Account,Затезна банкарска сметка на компанијата
 DocType: Supplier,Default Bank Account,Стандардно банкарска сметка
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","За филтрирање врз основа на партија, изберете партија Тип прв"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Ажурирај складиште 'не може да се провери, бидејќи ставките не се доставуваат преку {0}"
@@ -1610,7 +1630,6 @@
 DocType: Sales Team,Incentives,Стимулации
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Вредности надвор од синхронизација
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Вредност на разликата
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Поставете серија за нумерирање за присуство преку Поставување&gt; Серии за нумерирање
 DocType: SMS Log,Requested Numbers,Бара броеви
 DocType: Volunteer,Evening,Вечер
 DocType: Quiz,Quiz Configuration,Конфигурација на квиз
@@ -1630,6 +1649,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,На претходниот ред Вкупно
 DocType: Purchase Invoice Item,Rejected Qty,Одбиени Количина
 DocType: Setup Progress Action,Action Field,Поле за акција
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Тип на заем за каматни стапки и казни
 DocType: Healthcare Settings,Manage Customer,Управување со клиентите
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Секогаш ги синхронизирате вашите производи од Amazon MWS пред да ги синхронизирате деталите за нарачки
 DocType: Delivery Trip,Delivery Stops,Испораката се прекинува
@@ -1641,6 +1661,7 @@
 ,Final Assessment Grades,Оценки за завршна оценка
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Името на вашата компанија за која сте за создавање на овој систем.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Вклучи празници во Вкупен број. на работните денови
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Од вкупниот гранд
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Поставете го вашиот институт во ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Анализа на растенијата
 DocType: Task,Timeline,Временска рамка
@@ -1648,9 +1669,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Алтернативна точка
 DocType: Shopify Log,Request Data,Барам податоци
 DocType: Employee,Date of Joining,Датум на приклучување
+DocType: Delivery Note,Inter Company Reference,Референтна компанија во компанијата
 DocType: Naming Series,Update Series,Ажурирање Серија
 DocType: Supplier Quotation,Is Subcontracted,Се дава под договор
 DocType: Restaurant Table,Minimum Seating,Минимално седење
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Прашањето не може да биде дупликато
 DocType: Item Attribute,Item Attribute Values,Точка атрибут вредности
 DocType: Examination Result,Examination Result,испитување резултат
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Купување Потврда
@@ -1751,6 +1774,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Офлајн Фактури
 DocType: Payment Request,Paid,Платени
 DocType: Service Level,Default Priority,Стандарден приоритет
+DocType: Pledge,Pledge,Залог
 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. Таа, исто така ја ажурира најновата цена во сите спецификации."
@@ -1764,6 +1788,7 @@
 DocType: Guardian,Guardian Name,Име на Гардијан
 DocType: Cheque Print Template,Has Print Format,Има печати формат
 DocType: Support Settings,Get Started Sections,Започни секции
+,Loan Repayment and Closure,Отплата и затворање на заем
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,санкционирани
 ,Base Amount,Основна сума
@@ -1777,7 +1802,6 @@
 DocType: Student Admission,Publish on website,Објавуваат на веб-страницата
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Датум на Добавувачот фактура не може да биде поголем од објавувањето Датум
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код на точка&gt; Група на производи&gt; Бренд
 DocType: Subscription,Cancelation Date,Датум на откажување
 DocType: Purchase Invoice Item,Purchase Order Item,Нарачка Точка
 DocType: Agriculture Task,Agriculture Task,Задача за земјоделство
@@ -1796,7 +1820,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Дополнителен попуст Процент
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Преглед на листа на сите помош видеа
 DocType: Agriculture Analysis Criteria,Soil Texture,Текстура на почвата
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Изберете Account главата на банката во која е депониран чек.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Им овозможи на корисникот да ги уредувате Ценовник стапка во трансакции
 DocType: Pricing Rule,Max Qty,Макс Количина
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Печатење на извештај картичка
@@ -1931,7 +1954,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Откако ќе се постави, оваа фактура ќе се одржи до одредениот датум"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Продажба Износ
-DocType: Repayment Schedule,Interest Amount,Износот на каматата
+DocType: Loan Interest Accrual,Interest Amount,Износот на каматата
 DocType: Job Card,Time Logs,Време на дневници
 DocType: Sales Invoice,Loyalty Amount,Износ на лојалност
 DocType: Employee Transfer,Employee Transfer Detail,Детален трансфер на вработените
@@ -1971,7 +1994,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Нарачка за нарачки за нарачка
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Поштенски
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Продај Побарувања {0} е {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Изберете сметка за приход од камата во заем {0}
 DocType: Opportunity,Contact Info,Контакт инфо
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Акции правење записи
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Не може да се промовира вработениот со статус Лево
@@ -2056,7 +2078,6 @@
 DocType: Salary Slip,Deductions,Одбивања
 DocType: Setup Progress Action,Action Name,Име на акција
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Почетна година
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Креирај заем
 DocType: Purchase Invoice,Start date of current invoice's period,Датум на почеток на периодот тековната сметка е
 DocType: Shift Type,Process Attendance After,Посетеност на процесите после
 ,IRS 1099,IRS 1099
@@ -2077,6 +2098,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Изберете ги вашите домени
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Купувај снабдувач
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ставки за плаќање на фактурата
+DocType: Repayment Schedule,Is Accrued,Се стекнува
 DocType: Payroll Entry,Employee Details,Детали за вработените
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обработка на датотеки со XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2107,6 +2129,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Влез на Точка на лојалност
 DocType: Employee Checkin,Shift End,Крај на смена
 DocType: Stock Settings,Default Item Group,Стандардно Точка група
+DocType: Loan,Partially Disbursed,делумно исплатени
 DocType: Job Card Time Log,Time In Mins,Време во минути
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Информации за грант.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Оваа акција ќе ја исклучи оваа сметка од која било надворешна услуга што интегрира ERPNext со вашите банкарски сметки. Не може да се врати. Дали си сигурен?
@@ -2122,6 +2145,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Истата ставка не може да се внесе повеќе пати.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Понатаму сметки може да се направи под Групи, но записи може да се направи врз несрпското групи"
+DocType: Loan Repayment,Loan Closure,Затворање на заем
 DocType: Call Log,Lead,Потенцијален клиент
 DocType: Email Digest,Payables,Обврски кон добавувачите
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2154,6 +2178,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Данок на вработените и придобивките
 DocType: Bank Guarantee,Validity in Days,Важност во денови
 DocType: Bank Guarantee,Validity in Days,Важност во денови
+DocType: Unpledge,Haircut,Фризура
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-форма не е применлив за фактура: {0}
 DocType: Certified Consultant,Name of Consultant,Име на консултант
 DocType: Payment Reconciliation,Unreconciled Payment Details,Неусогласеност за исплата
@@ -2207,7 +2232,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Остатокот од светот
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Ставката {0} не може да има Batch
 DocType: Crop,Yield UOM,Принос UOM
+DocType: Loan Security Pledge,Partially Pledged,Делумно заложен
 ,Budget Variance Report,Буџетот Варијанса Злоупотреба
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Изречена сума на заем
 DocType: Salary Slip,Gross Pay,Бруто плата
 DocType: Item,Is Item from Hub,Е предмет од Hub
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Добијте предмети од здравствени услуги
@@ -2242,6 +2269,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Нова постапка за квалитет
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Биланс на сметка {0} мора секогаш да биде {1}
 DocType: Patient Appointment,More Info,Повеќе Информации
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Датумот на раѓање не може да биде поголем од датумот на придружување.
 DocType: Supplier Scorecard,Scorecard Actions,Акции на картички
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Добавувачот {0} не е пронајден во {1}
 DocType: Purchase Invoice,Rejected Warehouse,Одбиени Магацински
@@ -2337,6 +2365,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Те молам прво наместете го Код
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Тип
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Создаден залог за заем за заем: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Назначувања и средби со пациентите
@@ -2391,6 +2420,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Број на истовремени состаноци
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Започнување
 DocType: Purchase Invoice,Taxes and Charges Calculation,Такси и надоместоци Пресметка
+DocType: Loan Interest Accrual,Payable Principal Amount,Износ на главнината што се плаќа
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Книга Асет Амортизација Влегување Автоматски
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Книга Асет Амортизација Влегување Автоматски
 DocType: BOM Operation,Workstation,Работна станица
@@ -2427,7 +2457,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Храна
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Стареењето опсег од 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Детали за ваучер за затворање
-DocType: Bank Account,Is the Default Account,Дали е зададена сметка
 DocType: Shopify Log,Shopify Log,Купувај дневник
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Не е пронајдена комуникација
 DocType: Inpatient Occupancy,Check In,Проверете
@@ -2481,12 +2510,14 @@
 DocType: Sales Order Item,Planned Quantity,Планирана количина
 DocType: Water Analysis,Water Analysis Criteria,Критериуми за анализа на вода
 DocType: Item,Maintain Stock,Одржување на берза
+DocType: Loan Security Unpledge,Unpledge Time,Време на одметнување
 DocType: Terms and Conditions,Applicable Modules,Применливи модули
 DocType: Employee,Prefered Email,склопот Е-пошта
 DocType: Student Admission,Eligibility and Details,Подобност и детали
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Вклучено во бруто профитот
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Нето промени во основни средства
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Ова е локација каде што се чува финалниот производ.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Макс: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Од DateTime
@@ -2527,8 +2558,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Гаранција / АМЦ Статус
 ,Accounts Browser,Сметки Browser
 DocType: Procedure Prescription,Referral,Препраќање
+,Territory-wise Sales,Територијална продажба
 DocType: Payment Entry Reference,Payment Entry Reference,Плаќање за влез Суд
 DocType: GL Entry,GL Entry,GL Влегување
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Ред # {0}: Прифатена магацин и магацин на снабдувач не можат да бидат исти
 DocType: Support Search Source,Response Options,Опции за одговор
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Применуваат повеќе правила за цени
 DocType: HR Settings,Employee Settings,Подесувања на вработените
@@ -2586,6 +2619,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,Терминот за плаќање по ред {0} е веројатно дупликат.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Земјоделство (бета)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Пакување фиш
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Поставете Серија за именување за {0} преку Поставување&gt; Поставки&gt; Серии за именување
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Канцеларијата изнајмување
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Поставките за поставка на SMS портал
 DocType: Disease,Common Name,Заедничко име
@@ -2602,6 +2636,7 @@
 DocType: Item,Sales Details,Детали за продажба
 DocType: Coupon Code,Used,Се користи
 DocType: Opportunity,With Items,Со предмети
+DocType: Vehicle Log,last Odometer Value ,последна вредност на километражата
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Кампањата „{0}“ веќе постои за {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Тим за одржување
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Редослед во кој дел треба да се појават. 0 е прво, 1 е втор и така натаму."
@@ -2612,7 +2647,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Тврдат сметка {0} веќе постои за регистрација на возила
 DocType: Asset Movement Item,Source Location,Место на изворот
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Име на Институтот
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Ве молиме внесете отплата износ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Ве молиме внесете отплата износ
 DocType: Shift Type,Working Hours Threshold for Absent,Праг на работни часови за отсуство
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Може да има повеќекратен колективен фактор врз основа на вкупните потрошени. Но факторот на конверзија за откуп секогаш ќе биде ист за сите нивоа.
 apps/erpnext/erpnext/config/help.py,Item Variants,Точка Варијанти
@@ -2636,6 +2671,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},Ова {0} конфликти со {1} и {2} {3}
 DocType: Student Attendance Tool,Students HTML,студентите HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} мора да биде помал од {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,"Ве молиме, прво изберете го Тип на апликант"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Изберете BOM, Qty и For Warehouse"
 DocType: GST HSN Code,GST HSN Code,GST HSN законик
 DocType: Employee External Work History,Total Experience,Вкупно Искуство
@@ -2724,7 +2760,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Не е пронајдена активна спецификација за елемент {0}. Испораката со \ Serial No не може да се обезбеди
 DocType: Sales Partner,Sales Partner Target,Продажбата партнер Целна
-DocType: Loan Type,Maximum Loan Amount,Максимален заем Износ
+DocType: Loan Application,Maximum Loan Amount,Максимален заем Износ
 DocType: Coupon Code,Pricing Rule,Цените Правило
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplicate број ролна за ученикот {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplicate број ролна за ученикот {0}
@@ -2748,6 +2784,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Остава распределени успешно за {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Нема податоци за пакет
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Во моментов се поддржани само датотеки .csv и .xlsx
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Поставете го системот за именување на вработените во човечки ресурси&gt; Поставки за човечки ресурси
 DocType: Shipping Rule Condition,From Value,Од вредност
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Производна количина е задолжително
 DocType: Loan,Repayment Method,Начин на отплата
@@ -2898,6 +2935,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Нето профит
 DocType: Purchase Invoice,Eligibility For ITC,Подобност за ИТЦ
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Несакана
 DocType: Journal Entry,Entry Type,Тип на влез
 ,Customer Credit Balance,Клиент кредитна биланс
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Нето промени во сметки се плаќаат
@@ -2909,6 +2947,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID на уредот за посетеност (биометриски / RF ознака за означување)
 DocType: Quotation,Term Details,Рок Детали за
 DocType: Item,Over Delivery/Receipt Allowance (%),Надоместок за испорака / прием (%)
+DocType: Appointment Letter,Appointment Letter Template,Шаблон за писмо за назначување
 DocType: Employee Incentive,Employee Incentive,Поттик на вработените
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,Не може да се запишат повеќе од {0} студентите за оваа група студенти.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),Вкупно (без данок)
@@ -2933,6 +2972,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",Не може да се обезбеди испорака од страна на Сериски број како што се додава \ Item {0} со и без Обезбедете испорака со \ Сериски број
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Прекин на врска плаќање за поништување на Фактура
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Инвестициска камата за заем за процеси
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Тековни километражата влезе треба да биде поголема од првичната возила Километража {0}
 ,Purchase Order Items To Be Received or Billed,Набавете предмети за нарачката што треба да се примат или фактурираат
 DocType: Restaurant Reservation,No Show,Нема шоу
@@ -3017,6 +3057,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Не е потребно трошоците центар за &#39;Добивка и загуба на сметка {2}. Ве молиме да се воспостави центар стандардно Цена за компанијата.
 DocType: Payment Schedule,Payment Term,Рок на плаќање
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Веќе има Група на клиенти со истото име, Ве молиме сменете го Името на клиентот или преименувајте ја Групата на клиенти"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Датумот на завршување на приемот треба да биде поголем од датумот на започнување со приемот.
 DocType: Location,Area,Површина
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Нов контакт
 DocType: Company,Company Description,Опис на компанијата
@@ -3090,6 +3131,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Мапирани податоци
 DocType: Purchase Order Item,Warehouse and Reference,Магацин и упатување
 DocType: Payroll Period Date,Payroll Period Date,Датум на периодот на платен список
+DocType: Loan Disbursement,Against Loan,Против заем
 DocType: Supplier,Statutory info and other general information about your Supplier,Законски информации и други општи информации за вашиот снабдувач
 DocType: Item,Serial Nos and Batches,Сериски броеви и Пакетите
 DocType: Item,Serial Nos and Batches,Сериски броеви и Пакетите
@@ -3304,6 +3346,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),База Износ (Фирма валута)
 DocType: Purchase Invoice,Registered Regular,Редовно регистрирани
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Суровини
+DocType: Plaid Settings,sandbox,песочна кутија
 DocType: Payment Reconciliation Payment,Reference Row,Суд ред
 DocType: Installation Note,Installation Time,Инсталација време
 DocType: Sales Invoice,Accounting Details,Детали за сметководство
@@ -3316,12 +3359,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Тип на трансакција
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Прифаќање критериуми
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Ве молиме внесете Материјал Барања во горната табела
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Вкупно се плаќаат Износ
 DocType: Task,Expected Time (in hours),Се очекува времето (во часови)
 DocType: Item Reorder,Check in (group),Проверете во (група)
 DocType: Soil Texture,Silt,Silt
@@ -3353,6 +3395,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Даночен данок за доказ за непотполно ослободување од данок
 DocType: Volunteer,Anytime,Во секое време
 DocType: Bank Account,Bank Account No,Банкарска сметка бр
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Исплата и отплата
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Поднесување на доказ за ослободување од плаќање на вработените
 DocType: Patient,Surgical History,Хируршка историја
 DocType: Bank Statement Settings Item,Mapped Header,Мапирана насловот
@@ -3414,6 +3457,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Креирајте лабораториски тестови за продажната фактура
 DocType: Serial No,Invoice Details,Детали за фактура
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Структурата на платите мора да се поднесе пред поднесувањето на Декларацијата за даночно ослободување
+DocType: Loan Application,Proposed Pledges,Предложени ветувања
 DocType: Grant Application,Show on Website,Покажи на веб-страница
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Почнете
 DocType: Hub Tracked Item,Hub Category,Категорија на категории
@@ -3425,7 +3469,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Постојана
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Бил на материјали не најде за Точка {1}
 DocType: Contract Fulfilment Checklist,Requirement,Барање
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Поставете го системот за именување на вработените во човечки ресурси&gt; Поставки за човечки ресурси
 DocType: Journal Entry,Accounts Receivable,Побарувања
 DocType: Quality Goal,Objectives,Цели
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Дозволено е улогата да се создаде апликација за заостанато напуштање
@@ -3580,6 +3623,7 @@
 DocType: Employee,Health Insurance,Здравствено осигурување
 DocType: Asset Repair,Manufacturing Manager,Производство менаџер
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Сериски № {0} е под гаранција до {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Износот на заемот го надминува максималниот износ на заем од {0} според предложените хартии од вредност
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимална дозволена вредност
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Корисникот {0} веќе постои
 apps/erpnext/erpnext/hooks.py,Shipments,Пратки
@@ -3624,7 +3668,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Тип на бизнис
 DocType: Sales Invoice,Consumer,Потрошувач
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ве молиме изберете распределени износот, видот Фактура и број на фактурата во барем еден ред"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Поставете Серија за именување за {0} преку Поставување&gt; Поставки&gt; Серии за именување
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Цената на нов купувачите
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Продај Побарувања потребни за Точка {0}
 DocType: Grant Application,Grant Description,Грант Опис
@@ -3633,6 +3676,7 @@
 DocType: Subscription,Discounts,Попусти
 DocType: Bank Transaction,Unallocated Amount,Износ на неиздвоена
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Ве молиме да овозможите Применливи во Нарачката и да се применат при реални трошоци
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} не е банкарска сметка на компанијата
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Не може да се најде ставка. Ве молиме одберете некои други вредност за {0}.
 DocType: POS Profile,Taxes and Charges,Даноци и такси
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","А производ или услуга, која е купен, кои се продаваат или се чуваат во парк."
@@ -3683,6 +3727,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Датум на важност од датумот мора да биде помал од Датум на валиден Upto.
 DocType: Employee Skill,Evaluation Date,Датум на евалуација
 DocType: Quotation Item,Stock Balance,Биланс на акции
+DocType: Loan Security Pledge,Total Security Value,Вкупен безбедносна вредност
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Продај Побарувања на плаќање
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,извршен директор
 DocType: Purchase Invoice,With Payment of Tax,Со плаќање на данок
@@ -3774,6 +3819,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Тековни Вреднување стапка
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Број на основни сметки не може да биде помал од 4
 DocType: Training Event,Advance,Однапред
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Против заем:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Подесувања на Gateway за плаќање за GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Размена добивка / загуба
 DocType: Opportunity,Lost Reason,Си ја заборавивте Причина
@@ -3858,8 +3904,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Изберете Серија Не
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Невалиден {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Ред {0}: Сестринката Датум на раѓање не може да биде поголем од денес.
 DocType: Fee Validity,Reference Inv,Референтен инв
 DocType: Sales Invoice Advance,Advance Amount,Однапред Износ
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Казна каматна стапка (%) на ден
 DocType: Manufacturing Settings,Capacity Planning,Планирање на капацитетот
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Прилагодување за заокружување (Валута на компанијата
 DocType: Asset,Policy number,Број на политика
@@ -3874,7 +3922,9 @@
 DocType: Normal Test Items,Require Result Value,Потребна вредност на резултатот
 DocType: Purchase Invoice,Pricing Rules,Правила за цени
 DocType: Item,Show a slideshow at the top of the page,Прикажи слајдшоу на врвот на страната
+DocType: Appointment Letter,Body,Тело
 DocType: Tax Withholding Rate,Tax Withholding Rate,Данок за задржување на данок
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Датумот на започнување на отплата е задолжителен за заеми со термин
 DocType: Pricing Rule,Max Amt,Макс Амт
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Продавници
@@ -3892,7 +3942,7 @@
 DocType: Call Log,Received By,Добиени од
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Времетраење на назначување (за минути)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детали за шаблони за мапирање на готовинскиот тек
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Кредит за управување
+DocType: Loan,Loan Management,Кредит за управување
 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,Update Cost,Ажурирање на трошоците
@@ -3900,6 +3950,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-форма
 DocType: Sales Invoice,Mode of Transport,Начин на транспорт
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Прикажи Плата фиш
+DocType: Loan,Is Term Loan,Дали е термин заем
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Пренос на материјал
 DocType: Fees,Send Payment Request,Испрати барање за исплата
 DocType: Travel Request,Any other details,Сите други детали
@@ -3917,6 +3968,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Паричен тек од финансирањето
 DocType: Budget Account,Budget Account,За буџетот на профилот
 DocType: Quality Inspection,Verified By,Заверена од
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Додадете безбедност за заем
 DocType: Travel Request,Name of Organizer,Име на организаторот
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,Дали е обврска за данок на доход
@@ -3966,6 +4018,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Потребни на
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ако е обележано, скријте и оневозможува го заокруженото вкупно поле во лизгање плата"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ова е стандардно надоместување (денови) за датумот на испорака во нарачките за продажба. Надоместот за поврат е 7 дена од датумот на поставување на нарачката.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Поставете серија за нумерирање за присуство преку Поставување&gt; Серии за нумерирање
 DocType: Rename Tool,File to Rename,Датотека за да ја преименувате
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Ве молам изберете Бум објект во ред {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Земи ги ажурирањата на претплатата
@@ -3978,6 +4031,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Создадени сериски броеви
 DocType: POS Profile,Applicable for Users,Применливо за корисници
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Од датум и до денес се задолжителни
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Поставете проект и сите задачи во статус {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Постави напред и распредели (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Создадени работни нарачки
@@ -4083,11 +4137,12 @@
 ,Minutes to First Response for Opportunity,Минути за прв одговор за можности
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Вкупно Отсутни
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Точка или складиште ред {0} не се поклопува материјал Барање
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Платен износ
+DocType: Loan Repayment,Payable Amount,Платен износ
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Можност
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Максималната јачина не може да биде помала од нула.
 DocType: Options,Option,Опција
 DocType: Operation,Default Workstation,Стандардно Workstation
 DocType: Payment Entry,Deductions or Loss,Одбивања или загуба
@@ -4128,6 +4183,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Износот на камата е задолжителен
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Неплатено отсуство не се поклопува со одобрен евиденција оставите апликацијата
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Следните чекори
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Зачувани артикли
@@ -4179,8 +4235,6 @@
 DocType: Grant Application,Grant Application Details ,Детали за апликација за грант
 DocType: Employee Separation,Employee Separation,Одделување на вработените
 DocType: BOM Item,Original Item,Оригинална точка
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Избришете го вработениот <a href=""#Form/Employee/{0}"">{0}</a> \ за да го откажете овој документ"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Док Датум
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Надомест записи создадени - {0}
 DocType: Asset Category Account,Asset Category Account,Средства Категорија сметка
@@ -4213,6 +4267,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Тест за лабораториски тест {0} веќе постои
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} е одмор на компанијата
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Часови за наплата
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Казнената каматна стапка се наплатува на висината на каматата на дневна основа во случај на задоцнета отплата
+DocType: Appointment Letter content,Appointment Letter content,Назначување Содржина на писмо
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставете го известувањето за статусот
 DocType: Patient Appointment,Procedure Prescription,Рецепт за постапка
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Мебел и тела
@@ -4231,7 +4287,7 @@
 DocType: Opportunity,Customer / Lead Name,Клиент / Потенцијален клиент
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Чистење Датум кои не се споменати
 DocType: Payroll Period,Taxable Salary Slabs,Плодови за плати кои се оданочуваат
-DocType: Job Card,Production,Производство
+DocType: Plaid Settings,Production,Производство
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Невалиден GSTIN! Внесот што сте го внеле не одговара на форматот на GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Вредност на сметката
 DocType: Guardian,Occupation,професија
@@ -4376,6 +4432,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Колекција на Програмата за лојалност
 DocType: Stock Entry Detail,Subcontracted Item,Пододговорна точка
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Студент {0} не припаѓа на групата {1}
+DocType: Appointment Letter,Appointment Date,Датум на назначување
 DocType: Budget,Cost Center,Трошоците центар
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Ваучер #
 DocType: Tax Rule,Shipping Country,Превозот Земја
@@ -4444,6 +4501,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Димензија на сметководство
 ,Profit and Loss Statement,Добивка и загуба Изјава
 DocType: Bank Reconciliation Detail,Cheque Number,Чек број
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Платената сума не може да биде нула
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Точката на која се повикува {0} - {1} веќе е фактурирана
 ,Sales Browser,Продажбата Browser
 DocType: Journal Entry,Total Credit,Вкупно Должи
@@ -4547,6 +4605,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Додај / измени Услови за купони
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Расход / Разлика сметка ({0}) мора да биде на сметка &quot;Добивка или загуба&quot;
 DocType: Stock Entry Detail,Stock Entry Child,Детско запишување на акции
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Компанијата за залог за заем и заем за компанијата мора да бидат исти
 DocType: Project,Copied From,копирани од
 DocType: Project,Copied From,копирани од
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Фактура која е веќе креирана за сите платежни часови
@@ -4555,6 +4614,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Дали трошоците за финансирање
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Публика за вработен {0} е веќе означени
 DocType: Packing Slip,If more than one package of the same type (for print),Ако повеќе од еден пакет од ист тип (за печатење)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието&gt; Поставки за образование"
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ве молиме поставете стандарден клиент во поставките за ресторани
 ,Salary Register,плата Регистрирај се
 DocType: Company,Default warehouse for Sales Return,Стандарден магацин за поврат на продажба
@@ -4599,7 +4659,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Тековен сериски бр
 DocType: Employee,Attendance and Leave Details,Присуство и детали за напуштање
 ,BOM Comparison Tool,Алатка за споредба на Бум
-,Requested,Побарано
+DocType: Loan Security Pledge,Requested,Побарано
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Нема забелешки
 DocType: Asset,In Maintenance,Во одржување
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Кликнете на ова копче за да ги повлечете податоците за продажниот налог од MWS на Amazon.
@@ -4611,7 +4671,6 @@
 DocType: Drug Prescription,Drug Prescription,Рецепт на лекови
 DocType: Service Level,Support and Resolution,Поддршка и резолуција
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Кодот за бесплатна ставка не е избран
-DocType: Loan,Repaid/Closed,Вратени / Затворено
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Вкупно планираните Количина
 DocType: Monthly Distribution,Distribution Name,Дистрибуција Име
@@ -4643,6 +4702,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Сметководство за влез на берза
 DocType: Lab Test,LabTest Approver,LabTest одобрувач
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Веќе сте се проценува за критериумите за оценување {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Количина на недостаток
 DocType: Vehicle Service,Engine Oil,на моторното масло
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Создадени работни задачи: {0}
 DocType: Sales Invoice,Sales Team1,Продажбата Team1
@@ -4659,6 +4719,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,Статус на работа
 DocType: Purchase Invoice,Apply Additional Discount On,Да важат и дополнителни попуст на
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Изберете Тип ...
+DocType: Loan Interest Accrual,Amounts,Износи
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Вашите билети
 DocType: Account,Root Type,Корен Тип
 DocType: Item,FIFO,FIFO
@@ -4666,6 +4727,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Ред # {0}: Не можам да се вратат повеќе од {1} за Точка {2}
 DocType: Item Group,Show this slideshow at the top of the page,Прикажи Овој слајдшоу на врвот на страната
 DocType: BOM,Item UOM,Точка UOM
+DocType: Loan Security Price,Loan Security Price,Цена на заемот за заем
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Износот на данокот По Износ попуст (Фирма валута)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целна склад е задолжително за спорот {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Операции на мало
@@ -4804,6 +4866,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Серија е задолжително во ред {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Серија е задолжително во ред {0}
 DocType: Company,Default Buying Terms,Стандардни услови за купување
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Исплата на заем
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Купување Потврда точка Опрема што се испорачува
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Овозможи планирана синхронизација
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Да DateTime
@@ -4831,6 +4894,7 @@
 DocType: Supplier Scorecard,Notify Employee,Извести го вработениот
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Внесете го името на кампања, ако извор на истрага е кампања"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Новински издавачи
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Не е пронајдена валидна <b>цена</b> за <b>заем за заем</b> за {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Идните датуми не се дозволени
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Очекуваниот датум на испорака треба да биде по датумот на продажниот налог
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Пренареждане ниво
@@ -4895,6 +4959,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Предлог / Цена Цитат
 DocType: Antibiotic,Healthcare,Здравствена грижа
 DocType: Target Detail,Target Detail,Целна Детална
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Процеси на заем
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Единствена варијанта
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,сите работни места
 DocType: Sales Order,% of materials billed against this Sales Order,% На материјали фактурирани против оваа Продај Побарувања
@@ -4957,7 +5022,7 @@
 DocType: Item,Reorder level based on Warehouse,Ниво врз основа на промените редоследот Магацински
 DocType: Activity Cost,Billing Rate,Платежна стапка
 ,Qty to Deliver,Количина да Избави
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Креирај запис за исплата
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Креирај запис за исплата
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Амазон ќе ги синхронизира податоците што се ажурираат по овој датум
 ,Stock Analytics,Акции анализи
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,Работење не може да се остави празно
@@ -4991,6 +5056,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Отклучете ги надворешните интеграции
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Изберете соодветна исплата
 DocType: Pricing Rule,Item Code,Точка законик
+DocType: Loan Disbursement,Pending Amount For Disbursal,Во очекување на износот за исплата
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Гаранција / АМЦ Детали за
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Изберете рачно студентите за активност врз група
@@ -5016,6 +5082,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Количина Вкупно
 DocType: Landed Cost Item,Receipt Document,приемот на документи
 DocType: Employee Education,School/University,Училиште / Факултет
+DocType: Loan Security Pledge,Loan  Details,Детали за заем
 DocType: Sales Invoice Item,Available Qty at Warehouse,На располагање Количина на складиште
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Фактурирани Износ
 DocType: Share Transfer,(including),(вклучувајќи)
@@ -5039,6 +5106,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Групи
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Група од сметка
 DocType: Purchase Invoice,Hold Invoice,Држете Фактура
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Статус на залог
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Ве молиме изберете Вработен
 DocType: Sales Order,Fully Delivered,Целосно Дадени
 DocType: Promotional Scheme Price Discount,Min Amount,Минимален износ
@@ -5048,7 +5116,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Повлечениот износ не може да биде поголема од кредит Износ {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Ред {0} # Ослободената сума {1} не може да биде поголема од неподигнатото количество {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Нарачка број потребен за Точка {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Скриј ги носат Лисја
@@ -5076,6 +5143,7 @@
 DocType: Pick List Item,Serial No and Batch,Сериски Не и серија
 DocType: Warranty Claim,From Company,Од компанијата
 DocType: GSTR 3B Report,January,Јануари
+DocType: Loan Repayment,Principal Amount Paid,Главен износ платен
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Збирот на резултатите на критериумите за оценување треба да биде {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Поставете Број на амортизациони Резервирано
 DocType: Supplier Scorecard Period,Calculations,Пресметки
@@ -5102,6 +5170,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,За вашата компанија
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Прикажи податоци за стареење на акции
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на сметка мора да биде на сметка Биланс на состојба
+DocType: Loan Repayment,Penalty Amount,Износ на казна
 DocType: Donor,Donor,Донатор
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ажурирајте ги даноците за артиклите
 DocType: Global Defaults,Disable In Words,Оневозможи со зборови
@@ -5131,6 +5200,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Центар за трошоци и буџетирање
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Салдо инвестициски фондови
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Делумно платен влез
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Поставете го Распоредот за плаќање
 DocType: Pick List,Items under this warehouse will be suggested,Предмети за овој склад ќе бидат предложени
 DocType: Purchase Invoice,N,N
@@ -5163,7 +5233,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Добивај добавувачи
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} не е пронајден за Точка {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Прикажи инклузивен данок во печатење
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банкарската сметка, од датумот и датумот, се задолжителни"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Пораката испратена
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Сметка со дете јазли не можат да се постават како Леџер
 DocType: C-Form,II,II
@@ -5177,6 +5246,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Овозможи автоматско повторно нарачување
 DocType: Stock Settings,Item Naming By,Точка грабеж на име со
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Уште еден период Затворање Влегување {0} е направен по {1}
+DocType: Proposed Pledge,Proposed Pledge,Предлог залог
 DocType: Work Order,Material Transferred for Manufacturing,Материјал пренесен за производство
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,На сметка {0} не постои
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Изберете Програма за лојалност
@@ -5187,7 +5257,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Поставување на настани во {0}, бидејќи вработените во прилог на подолу продажба на лица нема User ID {1}"
 DocType: Timesheet,Billing Details,Детали за наплата
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Изворот и целните склад мора да бидат различни
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Поставете го системот за именување на вработените во човечки ресурси&gt; Поставки за човечки ресурси
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Исплатата не успеа. Ве молиме проверете ја вашата GoCardless сметка за повеќе детали
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не е дозволено да се ажурира акции трансакции постари од {0}
 DocType: Stock Entry,Inspection Required,Инспекција што се бара
@@ -5200,6 +5269,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,Програмата
+DocType: Unpledge,Against Pledge,Против залогот
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Корисниците со оваа улога може да поставите замрзнати сметки и да се создаде / измени на сметководствените ставки кон замрзнатите сметки
 DocType: Plaid Settings,Plaid Environment,Карирана околина
 ,Project Billing Summary,Резиме за наплата на проект
@@ -5252,6 +5322,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,серии
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Број на денови состаноци може да се резервираат однапред
 DocType: Article,LMS User,Корисник на LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Залогот за заем за заем е задолжителен за обезбеден заем
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Место на снабдување (држава / УТ)
 DocType: Purchase Order Item Supplied,Stock UOM,Акции UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Нарачка {0} не е поднесен
@@ -5325,6 +5396,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Создадете картичка за работа
 DocType: Quotation,Referral Sales Partner,Партнер за продажба на упати
 DocType: Quality Procedure Process,Process Description,Опис на процесот
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Не може да се одлепи, вредноста на безбедноста на заемот е поголема од отплатениот износ"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клиентот {0} е создаден.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Немам моментални ставки на пазарот
 ,Payment Period Based On Invoice Date,Плаќање период врз основа на датум на фактурата
@@ -5345,7 +5417,7 @@
 DocType: Asset,Insurance Details,Детали за осигурување
 DocType: Account,Payable,Треба да се плати
 DocType: Share Balance,Share Type,Тип на акции
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Ве молиме внесете отплата периоди
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Ве молиме внесете отплата периоди
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Должници ({0})
 DocType: Pricing Rule,Margin,маргина
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Нови клиенти
@@ -5354,6 +5426,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Можности од извор на олово
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Промени ПОС Профил
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Количина или износот е мандатроја за обезбедување на заем
 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,Assessment Report,Извештај за проценка
@@ -5388,6 +5461,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Сподели книга
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Создадена фактура {0}
 DocType: Employee,Confirmation Date,Потврда Датум
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Избришете го вработениот <a href=""#Form/Employee/{0}"">{0}</a> \ за да го откажете овој документ"
 DocType: Inpatient Occupancy,Check Out,Проверете
 DocType: C-Form,Total Invoiced Amount,Вкупно Фактуриран износ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Мин Количина не може да биде поголем од Макс Количина
@@ -5400,7 +5475,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Идентификациски број за Quickbooks
 DocType: Travel Request,Travel Funding,Патничко финансирање
 DocType: Employee Skill,Proficiency,Владеење
-DocType: Loan Application,Required by Date,Потребни по датум
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Детал за приемот на набавка
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Линк до сите локации во кои културата расте
 DocType: Lead,Lead Owner,Сопственик на Потенцијален клиент
@@ -5419,7 +5493,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Тековни Бум и Нов Бум не може да биде ист
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Плата фиш проект
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Денот на неговото пензионирање мора да биде поголема од датумот на пристап
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Добавувач&gt; Тип на снабдувач
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Повеќе варијанти
 DocType: Sales Invoice,Against Income Account,Против профил доход
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Дадени
@@ -5451,7 +5524,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Трошоци тип вреднување не може да го означи како Инклузивна
 DocType: POS Profile,Update Stock,Ажурирање берза
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,Детали за плаќањата
+DocType: Loan Repayment,Payment Details,Детали за плаќањата
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Бум стапка
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Читање поставена датотека
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Прекинувањето на работната нарачка не може да се откаже, исклучете го прво да го откажете"
@@ -5483,6 +5556,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Серија број е задолжително за Точка {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Максимална вредност на заемот
 ,Stock Ledger,Акции Леџер
 DocType: Company,Exchange Gain / Loss Account,Размена добивка / загуба сметка
 DocType: Amazon MWS Settings,MWS Credentials,MWS акредитиви
@@ -5589,7 +5663,6 @@
 DocType: Fee Schedule,Fee Schedule,Провизија Распоред
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Етикети на колони:
 DocType: Bank Transaction,Settled,Населено
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Датумот на исплата не може да биде по датумот на започнување со отплата на заемот
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Цесија
 DocType: Quality Feedback,Parameters,Параметри
 DocType: Company,Create Chart Of Accounts Based On,Креирај сметковниот план врз основа на
@@ -5609,6 +5682,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Кредитниот лимит и условите за плаќање
 DocType: Loyalty Program,Collection Rules,Правила за колекција
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Точка 3
+DocType: Loan Security Shortfall,Shortfall Time,Време на недостаток
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Внеси налог
 DocType: Purchase Order,Customer Contact Email,Контакт е-маил клиент
 DocType: Warranty Claim,Item and Warranty Details,Точка и гаранција Детали за
@@ -5628,12 +5702,14 @@
 DocType: Sales Person,Sales Person Name,Продажбата на лице Име
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ве молиме внесете барем 1 фактура во табелата
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Не е направен лабораториски тест
+DocType: Loan Security Shortfall,Security Value ,Безбедносна вредност
 DocType: POS Item Group,Item Group,Точка група
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студентска група:
 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,Total Allocated Leaves,Вкупно распределени листови
+DocType: Appointment Letter,Appointment Letter,Писмо за именувања
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},{0}
@@ -5688,6 +5764,7 @@
 DocType: Stock Entry,From BOM,Од бирото
 DocType: Assessment Code,Assessment Code,Код оценување
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основни
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Апликации за заем од клиенти и вработени.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,На акции трансакции пред {0} се замрзнати
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Ве молиме кликнете на &quot;Генерирање Распоред &#39;
 DocType: Job Card,Current Time,Сегашно време
@@ -5714,7 +5791,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Не студентски групи создадени.
 DocType: Purchase Invoice Item,Serial No,Сериски Не
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може да биде поголем од кредит Износ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може да биде поголем од кредит Износ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Ве молиме внесете Maintaince Детали за прв
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Ред # {0}: Очекуваниот датум на испорака не може да биде пред датумот на нарачката
 DocType: Purchase Invoice,Print Language,Печати јазик
@@ -5727,6 +5804,7 @@
 DocType: Asset,Finance Books,Финансиски книги
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Категорија на декларација за даночно ослободување од вработените
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,Сите територии
+DocType: Plaid Settings,development,развој
 DocType: Lost Reason Detail,Lost Reason Detail,Детална загуба на причината
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,Ве молиме наведете политика за напуштање на вработените {0} во записник за вработените / одделенијата
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,Неважечки редослед за избраниот клиент и точка
@@ -5791,12 +5869,14 @@
 DocType: Staffing Plan Detail,Current Openings,Тековни отворања
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Парични текови од работење
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Износ на CGST
+DocType: Vehicle Log,Current Odometer value ,Тековна вредност на километражата
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Креирај студент
 DocType: Asset Movement Item,Asset Movement Item,Ставка за движење на средства
 DocType: Purchase Invoice,Shipping Rule,Испорака Правило
 DocType: Patient Relation,Spouse,Сопруг
 DocType: Lab Test Groups,Add Test,Додај тест
 DocType: Manufacturer,Limited to 12 characters,Ограничен на 12 карактери
+DocType: Appointment Letter,Closing Notes,Забелешки за затворање
 DocType: Journal Entry,Print Heading,Печати Заглавие
 DocType: Quality Action Table,Quality Action Table,Табела за акција
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Вкупно не може да биде нула
@@ -5863,6 +5943,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,Резиме на продажбата
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Вкупно (Износ)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Забава &amp; Leisure
+DocType: Loan Security,Loan Security,Обезбедување на заем
 ,Item Variant Details,Детали за варијанта на точка
 DocType: Quality Inspection,Item Serial No,Точка Сериски Не
 DocType: Payment Request,Is a Subscription,Е претплата
@@ -5875,7 +5956,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Најновата ера
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Закажаните и прифатените датуми не можат да бидат помалку од денес
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Пренос на материјал за да Добавувачот
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ЕМИ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Нова серија № не може да има складиште. Склад мора да бидат поставени од страна берза за влез или купување Потврда
 DocType: Lead,Lead Type,Потенцијален клиент Тип
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Креирај цитат
@@ -5892,7 +5972,6 @@
 DocType: Leave Allocation,Leave Period,Оставете период
 DocType: Item,Default Material Request Type,Аватарот на материјал Барање Тип
 DocType: Supplier Scorecard,Evaluation Period,Период на евалуација
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Група на клиенти&gt; Територија
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,непознат
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Работната нарачка не е креирана
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5978,7 +6057,8 @@
 ,Customer-wise Item Price,Цена на производот поучен од потрошувачите
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Извештај за паричниот тек
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Нема креирано материјално барање
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ на кредитот не може да надмине максимален заем во износ од {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ на кредитот не може да надмине максимален заем во износ од {0}
+DocType: Loan,Loan Security Pledge,Залог за безбедност на заем
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,лиценца
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,Ве молиме изберете ја носи напред ако вие исто така сакаат да се вклучат во претходната фискална година биланс остава на оваа фискална година
@@ -5996,6 +6076,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Шема на попуст на цени
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Статусот на одржување мора да биде откажан или завршен за поднесување
 DocType: Amazon MWS Settings,US,САД
+DocType: Loan Security Pledge,Pledged,Вети
 DocType: Holiday List,Add Weekly Holidays,Додади неделни празници
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Известување ставка
 DocType: Staffing Plan Detail,Vacancies,Слободни работни места
@@ -6013,7 +6094,6 @@
 DocType: Production Plan Item,Planned Start Date,Планираниот почеток Датум
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Ве молиме изберете Бум
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Искористениот ИТЦ интегриран данок
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Создадете влез за отплата
 DocType: Purchase Order Item,Blanket Order Rate,Стапка на нарачка
 ,Customer Ledger Summary,Резиме на Леџер на клиенти
 apps/erpnext/erpnext/hooks.py,Certification,Сертификација
@@ -6034,6 +6114,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Процена Шаблон Наслов
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Комерцијален
 DocType: Patient,Alcohol Current Use,Тековна употреба на алкохол
+DocType: Loan,Loan Closure Requested,Побарано затворање на заем
 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,Категорија на даночно ослободување
@@ -6057,6 +6138,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Продажба
 DocType: Stock Entry Detail,Basic Amount,Основицата
 DocType: Training Event,Exam,испит
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Недостаток на безбедност за заем во процеси
 DocType: Email Campaign,Email Campaign,Кампања за е-пошта
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Грешка на пазарот
 DocType: Complaint,Complaint,Жалба
@@ -6160,6 +6242,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,Користени листови
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Дали сакате да го доставите материјалното барање
 DocType: Job Offer,Awaiting Response,Чекам одговор
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Заемот е задолжителен
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Над
 DocType: Support Search Source,Link Options,Опции на линк
@@ -6172,6 +6255,7 @@
 DocType: Training Event Employee,Optional,Факултативно
 DocType: Salary Slip,Earning & Deduction,Заработувајќи &amp; Одбивање
 DocType: Agriculture Analysis Criteria,Water Analysis,Анализа на вода
+DocType: Pledge,Post Haircut Amount,Износ износ на фризура
 DocType: Sales Order,Skip Delivery Note,Прескокнете белешка за испорака
 DocType: Price List,Price Not UOM Dependent,Цена не зависен од UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} создадени варијанти.
@@ -6198,6 +6282,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Се предмети од производот Бовча
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Метод на отплата е задолжителен за заеми со рок
 DocType: Asset,Straight Line,Права линија
 DocType: Project User,Project User,корисник на проектот
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Подели
@@ -6253,11 +6338,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Сериски #
 DocType: Material Request Plan Item,Required Quantity,Потребна количина
 DocType: Lab Test Template,Lab Test Template,Лабораториски тест обрасци
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Добавувач&gt; Тип на снабдувач
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Продажна сметка
 DocType: Purchase Invoice Item,Total Weight,Вкупна тежина
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Избришете го вработениот <a href=""#Form/Employee/{0}"">{0}</a> \ за да го откажете овој документ"
 DocType: Pick List Item,Pick List Item,Изберете ставка од списокот
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комисијата за Продажба
 DocType: Job Offer Term,Value / Description,Вредност / Опис
@@ -6303,6 +6385,7 @@
 DocType: Patient Encounter,Encounter Date,Датум на средба
 DocType: Work Order,Update Consumed Material Cost In Project,Ажурирајте ги потрошените материјални трошоци во проектот
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Сметка: {0} со валутна: не може да се одбрани {1}
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Кредити обезбедени на клиенти и вработени.
 DocType: Bank Statement Transaction Settings Item,Bank Data,Податоци за банка
 DocType: Purchase Receipt Item,Sample Quantity,Количина на примероци
 DocType: Bank Guarantee,Name of Beneficiary,Име на корисникот
@@ -6370,7 +6453,6 @@
 DocType: Contract,Signed On,Потпишан на
 DocType: Bank Account,Party Type,Партијата Тип
 DocType: Discounted Invoice,Discounted Invoice,Намалена фактура
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство како <b></b>
 DocType: Payment Schedule,Payment Schedule,Распоред на исплата
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ниту еден вработен не е пронајден за дадената вредност на полето на вработените. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Кратенка
@@ -6464,7 +6546,6 @@
 DocType: Purchase Order,To Receive,За да добиете
 DocType: Leave Period,Holiday List for Optional Leave,Листа на летови за изборно напуштање
 DocType: Item Tax Template,Tax Rates,Даночни стапки
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код на точка&gt; Група на производи&gt; Бренд
 DocType: Asset,Asset Owner,Сопственик на средства
 DocType: Item,Website Content,Содржина на веб-страница
 DocType: Bank Account,Integration ID,ИД за интеграција
@@ -6507,6 +6588,7 @@
 DocType: Customer,Mention if non-standard receivable account,Наведе ако нестандардни побарувања сметка
 DocType: Bank,Plaid Access Token,Означен пристап до карирани
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Ве молиме додадете ги преостанатите придобивки {0} на некоја од постоечките компоненти
+DocType: Bank Account,Is Default Account,Стандардна сметка
 DocType: Journal Entry Account,If Income or Expense,Ако приходите и расходите
 DocType: Course Topic,Course Topic,Тема на курсот
 DocType: Bank Statement Transaction Entry,Matching Invoices,Соодветни фактури
@@ -6518,7 +6600,7 @@
 DocType: Disease,Treatment Task,Третман задача
 DocType: Payment Order Reference,Bank Account Details,Детали за банкарска сметка
 DocType: Purchase Order Item,Blanket Order,Нарачка
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Износот на отплата мора да биде поголем од
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Износот на отплата мора да биде поголем од
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Даночни средства
 DocType: BOM Item,BOM No,BOM број
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Ажурирајте ги деталите
@@ -6574,6 +6656,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Производи на WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Грешка во синтаксата во формулата или состојба: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Точка {0} игнорира, бидејќи тоа не е предмет на акции"
+,Loan Security Status,Статус на заем за заем
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Да не се применуваат Цените правило во одредена трансакција, сите важечки правила на цените треба да биде исклучен."
 DocType: Payment Term,Day(s) after the end of the invoice month,Ден (и) по завршувањето на месецот на фактурата
 DocType: Assessment Group,Parent Assessment Group,Родител група за оценување
@@ -6588,7 +6671,6 @@
 DocType: Stock Entry Detail,Additional Cost,Дополнителни трошоци
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрираат врз основа на ваучер Не, ако се групираат според ваучер"
 DocType: Quality Inspection,Incoming,Дојдовни
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Поставете серија за нумерирање за присуство преку Поставување&gt; Серии за нумерирање
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Основни даночни обрасци за продажба и купување се создаваат.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Оценка Резултатот од резултатот {0} веќе постои.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: ABCD. #####. Ако серијата е поставена и Batch No не е споменат во трансакциите, тогаш автоматски сериски број ќе биде креиран врз основа на оваа серија. Ако секогаш сакате експлицитно да го споменате Batch No за оваа ставка, оставете го ова празно. Забелешка: оваа поставка ќе има приоритет над Префиксот за назив на сериите во поставките на акции."
@@ -6598,8 +6680,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Поднеси преглед
 DocType: Contract,Party User,Партија корисник
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Поставете компанијата филтер празно ако група од страна е &quot;Друштвото&quot;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Група на клиенти&gt; Територија
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Датум на објавување не може да биде иднина
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Ред # {0}: Сериски Не {1} не се совпаѓа со {2} {3}
+DocType: Loan Repayment,Interest Payable,Камата што се плаќа
 DocType: Stock Entry,Target Warehouse Address,Адреса за целни складишта
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Обичните Leave
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Времето пред времето на започнување на смената, за време на кое пријавувањето на вработените се смета за присуство."
@@ -6728,6 +6812,7 @@
 DocType: Issue,Reset Service Level Agreement,Ресетирајте го договорот за ниво на услуга
 ,Sales Person-wise Transaction Summary,Продажбата на лице-мудар Преглед на трансакциите
 DocType: Training Event,Contact Number,Број за контакт
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Износот на заемот е задолжителен
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Магацински {0} не постои
 DocType: Cashier Closing,Custody,Притвор
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Детали за поднесување на даночни ослободувања од вработените
@@ -6774,6 +6859,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Биланс Количина
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Itionsе се применат услови за сите избрани елементи во комбинација.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Цели не може да биде празна
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Неправилна магацин
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Запишување на студенти
 DocType: Item Group,Parent Item Group,Родител Точка група
 DocType: Appointment Type,Appointment Type,Тип на назначување
@@ -6829,10 +6915,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Просечна стапка
 DocType: Appointment,Appointment With,Назначување со
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Вкупниот износ на исплата во распоредот за плаќање мора да биде еднаков на Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство како <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Предметот обезбеден од клиент“ не може да има стапка на проценка
 DocType: Subscription Plan Detail,Plan,План
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,"Извод од банка биланс, како на генералниот Леџер"
-DocType: Job Applicant,Applicant Name,Подносител на барањето Име
+DocType: Appointment Letter,Applicant Name,Подносител на барањето Име
 DocType: Authorization Rule,Customer / Item Name,Клиент / Item Име
 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**. 
 
@@ -6876,11 +6963,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не може да биде избришан како што постои влез акции Леџер за оваа склад.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Дистрибуција
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Статусот на вработениот не може да се постави на „лево“ бидејќи следниве вработени во моментот се пријавуваат кај овој вработен:
-DocType: Journal Entry Account,Loan,Заем
+DocType: Loan Repayment,Amount Paid,Уплатениот износ
+DocType: Loan Security Shortfall,Loan,Заем
 DocType: Expense Claim Advance,Expense Claim Advance,Надоместок за наплата на трошоци
 DocType: Lab Test,Report Preference,Извештај за претпочитање
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Информации за волонтери.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Проект менаџер
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Група по клиент
 ,Quoted Item Comparison,Цитирано Точка споредба
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Преклопување во постигнувајќи помеѓу {0} и {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Испраќање
@@ -6900,6 +6989,7 @@
 DocType: Material Request Plan Item,Material Issue,Материјал Број
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Бесплатната ставка не е поставена во правилото за цени {0}
 DocType: Employee Education,Qualification,Квалификација
+DocType: Loan Security Shortfall,Loan Security Shortfall,Недостаток на безбедност на заемот
 DocType: Item Price,Item Price,Ставка Цена
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Сапун и детергент
 DocType: BOM,Show Items,Прикажи Теми
@@ -6920,13 +7010,13 @@
 DocType: Appointment Booking Settings,Appointment Details,Детали за назначување
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Готов производ
 DocType: Warehouse,Warehouse Name,Магацински Име
+DocType: Loan Security Pledge,Pledge Time,Време на залог
 DocType: Naming Series,Select Transaction,Изберете Трансакција
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ве молиме внесете Одобрување улога или одобрување на пристап
 DocType: Journal Entry,Write Off Entry,Отпише Влегување
 DocType: BOM,Rate Of Materials Based On,Стапка на материјали врз основа на
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако е овозможено, полето Академски термин ќе биде задолжително во алатката за запишување на програмата."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Вредности на ослободени, нула отценети и не-GST внатрешни резерви"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Група на клиенти&gt; Територија
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Компанијата</b> е задолжителен филтер.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Отстранете ги сите
 DocType: Purchase Taxes and Charges,On Item Quantity,На количината на артикалот
@@ -6972,7 +7062,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Недостаток Количина
 DocType: Purchase Invoice,Input Service Distributor,Дистрибутер за влезни услуги
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Постои ставка варијанта {0} со истите атрибути
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието&gt; Поставки за образование"
 DocType: Loan,Repay from Salary,Отплати од плата
 DocType: Exotel Settings,API Token,АПИ Токен
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Барајќи исплата од {0} {1} за износот {2}
@@ -6991,6 +7080,7 @@
 DocType: Salary Slip,Total Interest Amount,Вкупен износ на камата
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,Магацини со дете јазли не може да се конвертира Леџер
 DocType: BOM,Manage cost of operations,Управување со трошоците на работење
+DocType: Unpledge,Unpledge,Вметнување
 DocType: Accounts Settings,Stale Days,Стари денови
 DocType: Travel Itinerary,Arrival Datetime,Пристигнување на податоци
 DocType: Tax Rule,Billing Zipcode,Плакањето zipcode
@@ -7173,6 +7263,7 @@
 DocType: Employee Transfer,Employee Transfer,Трансфер на вработени
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Часови
 DocType: Project,Expected Start Date,Се очекува Почеток Датум
+DocType: Work Order,This is a location where raw materials are available.,Ова е локација каде што се достапни суровини.
 DocType: Purchase Invoice,04-Correction in Invoice,04-корекција во фактура
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Работниот ред е веќе креиран за сите предмети со BOM
 DocType: Bank Account,Party Details,Детали за партијата
@@ -7191,6 +7282,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,цитати:
 DocType: Contract,Partially Fulfilled,Делумно исполнети
 DocType: Maintenance Visit,Fully Completed,Целосно завршен
+DocType: Loan Security,Loan Security Name,Име за безбедност на заем
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Не се дозволени специјални карактери освен &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; И &quot;}&quot; во сериите за именување"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Дали е оценет или изземен
 DocType: Employee,Educational Qualification,Образовните квалификации
@@ -7248,6 +7340,7 @@
 DocType: Program,Is Featured,Се одликува
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Фаќање ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Земјоделски корисник
+DocType: Loan Security Shortfall,America/New_York,Америка / Newу_Јорк
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Важи до датумот не може да биде пред датумот на трансакција
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,студентски Категорија
@@ -7322,8 +7415,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,Немате дозвола да го поставите Замрзнати вредност
 DocType: Payment Reconciliation,Get Unreconciled Entries,Земете неусогласеност записи
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Вработениот {0} е на Остави на {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Нема избрани отплати за внесување на весници
 DocType: Purchase Invoice,GST Category,Категорија GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Предложените залози се задолжителни за обезбедени заеми
 DocType: Payment Reconciliation,From Invoice Date,Фактура од Датум
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Буџети
 DocType: Invoice Discounting,Disbursed,Исплатени
@@ -7380,14 +7473,13 @@
 DocType: Restaurant,Active Menu,Активно мени
 DocType: Accounting Dimension Detail,Default Dimension,Стандардна димензија
 DocType: Target Detail,Target Qty,Целна Количина
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Против заем: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Плаќање Settings
 DocType: Student Attendance,Present,Моментов
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Испратница {0} не мора да се поднесе
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Платформата за плата испратена до вработениот ќе биде заштитена со лозинка, лозинката ќе се генерира врз основа на политиката за лозинка."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,Завршната сметка {0} мора да биде од типот Одговорност / инвестициски фондови
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},Плата фиш на вработените {0} веќе создадена за време лист {1}
-DocType: Vehicle Log,Odometer,километража
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,километража
 DocType: Production Plan Item,Ordered Qty,Нареди Количина
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Ставката {0} е оневозможено
 DocType: Stock Settings,Stock Frozen Upto,Акции Замрзнати до
@@ -7442,7 +7534,6 @@
 DocType: Serial No,Delivery Document Type,Испорака Вид на документ
 DocType: Sales Order,Partly Delivered,Делумно Дадени
 DocType: Item Variant Settings,Do not update variants on save,Не ги ажурирајте варијантите за зачувување
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Група на чувари
 DocType: Email Digest,Receivables,Побарувања
 DocType: Lead Source,Lead Source,доведе извор
 DocType: Customer,Additional information regarding the customer.,Дополнителни информации во врска со клиентите.
@@ -7538,6 +7629,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Крај
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Ресторан менаџер
+DocType: Loan,Penalty Income Account,Сметка за казни
 DocType: Call Log,Call Log,Дневник на повици
 DocType: Authorization Rule,Customerwise Discount,Customerwise попуст
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet за задачите.
@@ -7623,6 +7715,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Шема на попуст на производи
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ниту еден проблем не е повикан од повикувачот.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Група по добавувач
 DocType: Restaurant Reservation,Waitlisted,Листа на чекање
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категорија на ослободување
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Валута не може да се промени по правење записи со употреба на други валута
@@ -7633,7 +7726,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Консалтинг
 DocType: Subscription Plan,Based on price list,Врз основа на ценовникот
 DocType: Customer Group,Parent Customer Group,Родител група на потрошувачи
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Бил-е-начин Бил ЈСОН може да се генерира само од Фактура за продажба
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Постигнаа максимални обиди за овој квиз!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Претплата
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Во тек е создавање на надоместоци
@@ -7650,6 +7742,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Превентивно одржување
 DocType: Delivery Note Item,Against Sales Invoice,Во однос на Продажна фактура
 DocType: Purchase Invoice,07-Others,07-Други
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Износ на понуда
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Ве молиме внесете сериски броеви за серијали точка
 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. ,Оставете неизбрано ако не сакате да се разгледа серија правејќи се разбира врз основа групи.
@@ -7759,6 +7852,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Плаќање Потврда Забелешка
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Ова е врз основа на трансакциите од овој корисник. Види времеплов подолу за детали
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Создадете барање за материјал
+DocType: Loan Interest Accrual,Pending Principal Amount,Во очекување на главната сума
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,Курс мудро Елаборат
@@ -7800,6 +7894,7 @@
 											to fullfill Sales Order {2}",Не може да се испорача Сериски број {0} на ставката {1} како што е резервирано \ за да се исполни нарачката за продажба {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Добавувачот Цитати {0} создадена
+DocType: Loan Security Unpledge,Unpledge Type,Тип на врска
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Крајот на годината не може да биде пред почетокот на годината
 DocType: Employee Benefit Application,Employee Benefits,Користи за вработените
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Лична карта
@@ -7882,6 +7977,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Код:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Ве молиме внесете сметка сметка
 DocType: Quality Action Resolution,Problem,Проблем
+DocType: Loan Security Type,Loan To Value Ratio,Сооднос на заем до вредност
 DocType: Account,Stock,На акции
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од нарачка, купување фактура или весник Влегување"
 DocType: Employee,Current Address,Тековна адреса
@@ -7899,6 +7995,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Внес на трансакција на изјава за банка
 DocType: Sales Invoice Item,Discount and Margin,Попуст и Margin
 DocType: Lab Test,Prescription,Рецепт
+DocType: Process Loan Security Shortfall,Update Time,Време на ажурирање
 DocType: Import Supplier Invoice,Upload XML Invoices,Поставете фактури за XML
 DocType: Company,Default Deferred Revenue Account,Стандардна сметка за привремено одложено приходи
 DocType: Project,Second Email,Втора е-пошта
@@ -7912,7 +8009,7 @@
 DocType: Quality Action,Preventive,Превентивни
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Набавки направени на нерегистрирани лица
 DocType: Company,Date of Incorporation,Датум на основање
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Вкупен Данок
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Вкупен Данок
 DocType: Manufacturing Settings,Default Scrap Warehouse,Стандардна складиште за отпад
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Последна набавна цена
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,За Кол (Произведени Количина) се задолжителни
@@ -7930,6 +8027,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Поставете стандардниот начин на плаќање
 DocType: Stock Entry Detail,Against Stock Entry,Против запишување на акции
 DocType: Grant Application,Withdrawn,повлечени
+DocType: Loan Repayment,Regular Payment,Редовно плаќање
 DocType: Support Search Source,Support Search Source,Поддршка за пребарување
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Шаргел
 DocType: Project,Gross Margin %,Бруто маржа%
@@ -7943,8 +8041,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Без плаќање данок
 DocType: BOM Operation,BOM Operation,BOM операции
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На претходниот ред Износ
+DocType: Student,Home Address,Домашна адреса
 DocType: Options,Is Correct,Е точно
 DocType: Item,Has Expiry Date,Има датум на истекување
+DocType: Loan Repayment,Paid Accrual Entries,Платени сметки за акредитиви
+DocType: Loan Security,Loan Security Type,Тип на сигурност за заем
 apps/erpnext/erpnext/config/support.py,Issue Type.,Тип на издание.
 DocType: POS Profile,POS Profile,POS Профил
 DocType: Training Event,Event Name,Име на настанот
@@ -7956,6 +8057,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезоната за поставување на буџети, цели итн"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Нема вредности
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Име на променлива
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Изберете банкарска сметка за да се помирите.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Точка {0} е шаблон, ве молиме изберете една од неговите варијанти"
 DocType: Purchase Invoice Item,Deferred Expense,Одложен трошок
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Назад на пораки
@@ -8007,7 +8109,6 @@
 DocType: GL Entry,To Rename,Преименување
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Изберете за да додадете сериски број.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието&gt; Поставки за образование"
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Поставете фискален код за &quot;% s&quot; на клиентот
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Прво изберете ја компанијата
 DocType: Item Attribute,Numeric Values,Нумерички вредности
@@ -8031,6 +8132,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Земи базиран на FIFO
 DocType: Soil Texture,Clay Loam,Клеј Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Корен не може да се уредува.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Безбедна вредност на заемот
 DocType: Item,Units of Measure,На мерните единици
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Изнајмено во Метро Сити
 DocType: Supplier,Default Tax Withholding Config,Конфигурација за задржување на неплатени даноци
@@ -8077,6 +8179,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Ве молиме изберете категорија во првата
 apps/erpnext/erpnext/config/projects.py,Project master.,Господар на проектот.
 DocType: Contract,Contract Terms,Услови на договорот
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Граничен износ на санкција
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Продолжете со конфигурацијата
 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,Maximum benefit amount of component {0} exceeds {1},Максималната корисна количина на компонентата {0} надминува {1}
@@ -8109,6 +8212,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Преглед на дневник за повици
 DocType: BOM Operation,Operating Cost(Company Currency),Оперативни трошоци (Фирма валута)
 DocType: Loan Application,Rate of Interest,Каматна стапка
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Залогот за заем за заем веќе вети дека е заем против заем {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Износ санкционира
 DocType: Item,Shelf Life In Days,Рок на траење во денови
 DocType: GL Entry,Is Opening,Се отвора
@@ -8120,3 +8224,4 @@
 DocType: Account,Cash,Пари
 DocType: Sales Invoice,Unpaid and Discounted,Неплатени и намалени
 DocType: Employee,Short biography for website and other publications.,Кратка биографија за веб-страница и други публикации.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Ред # {0}: Не можам да одберам магацин на снабдувач додека снабдува суровини до подизведувач
diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv
index 1685a2e..cb1aca4 100644
--- a/erpnext/translations/ml.csv
+++ b/erpnext/translations/ml.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,അവസരം നഷ്ടപ്പെട്ട കാരണം
 DocType: Patient Appointment,Check availability,ലഭ്യത ഉറപ്പു വരുത്തുക
 DocType: Retention Bonus,Bonus Payment Date,ബോണസ് പേയ്മെന്റ് തീയതി
-DocType: Employee,Job Applicant,ഇയ്യോബ് അപേക്ഷകന്
+DocType: Appointment Letter,Job Applicant,ഇയ്യോബ് അപേക്ഷകന്
 DocType: Job Card,Total Time in Mins,മിനിറ്റിലെ ആകെ സമയം
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ഇത് ഈ വിതരണക്കാരൻ നേരെ ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്ക് ടൈംലൈൻ കാണുക
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,ഓവർപ്രൊഡ്ഷൻ വർക്ക് ഓർഡറിന്
@@ -180,6 +180,7 @@
 DocType: Delivery Stop,Contact Information,ബന്ധപ്പെടാനുള്ള വിവരങ്ങൾ
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,എന്തിനും തിരയുക ...
 ,Stock and Account Value Comparison,"സ്റ്റോക്ക്, അക്ക Val ണ്ട് മൂല്യം താരതമ്യം"
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,വിതരണം ചെയ്ത തുക വായ്പ തുകയേക്കാൾ കൂടുതലാകരുത്
 DocType: Company,Phone No,ഫോൺ ഇല്ല
 DocType: Delivery Trip,Initial Email Notification Sent,പ്രാരംഭ ഇമെയിൽ അറിയിപ്പ് അയച്ചു
 DocType: Bank Statement Settings,Statement Header Mapping,ഹെഡ്ഡർ മാപ്പിംഗ് സ്റ്റേഷൻ
@@ -284,6 +285,7 @@
 DocType: Lead,Interested,താല്പര്യം
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,തുറക്കുന്നു
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,പ്രോഗ്രാം:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,സമയം മുതൽ സാധുതയുള്ളത് സമയത്തേക്കാൾ സാധുതയുള്ളതായിരിക്കണം.
 DocType: Item,Copy From Item Group,ഇനം ഗ്രൂപ്പിൽ നിന്നും പകർത്തുക
 DocType: Journal Entry,Opening Entry,എൻട്രി തുറക്കുന്നു
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,അക്കൗണ്ട് മാത്രം പണം നൽകുക
@@ -331,6 +333,7 @@
 DocType: Student,B-,ലോകോത്തര
 DocType: Assessment Result,Grade,പദവി
 DocType: Restaurant Table,No of Seats,സീറ്റുകളുടെ എണ്ണം
+DocType: Loan Type,Grace Period in Days,ദിവസങ്ങളിലെ ഗ്രേസ് പിരീഡ്
 DocType: Sales Invoice,Overdue and Discounted,കാലഹരണപ്പെട്ടതും കിഴിവുള്ളതും
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,കോൾ വിച്ഛേദിച്ചു
 DocType: Sales Invoice Item,Delivered By Supplier,വിതരണക്കാരൻ രക്ഷപ്പെടുത്തി
@@ -382,7 +385,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,നിർദ്ദിഷ്ട നടപടികൾ
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS മാത്രം കാണിക്കുക
 DocType: Supplier Group,Supplier Group Name,വിതരണക്കാരൻ ഗ്രൂപ്പ് നാമം
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ഹാജർ അടയാളപ്പെടുത്തുക <b></b>
 DocType: Driver,Driving License Categories,ഡ്രൈവിംഗ് ലൈസൻസ് വിഭാഗങ്ങൾ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ഡെലിവറി തീയതി നൽകുക
 DocType: Depreciation Schedule,Make Depreciation Entry,മൂല്യത്തകർച്ച എൻട്രി നിർമ്മിക്കുക
@@ -399,10 +401,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,പ്രവർത്തനങ്ങൾ വിശദാംശങ്ങൾ പുറത്തു കൊണ്ടുപോയി.
 DocType: Asset Maintenance Log,Maintenance Status,മെയിൻറനൻസ് അവസ്ഥ
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ഇന നികുതി തുക മൂല്യത്തിൽ ഉൾപ്പെടുത്തിയിരിക്കുന്നു
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,ലോൺ സെക്യൂരിറ്റി അൺപ്ലഡ്ജ്
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,അംഗത്വം വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: വിതരണക്കാരൻ പേയബിൾ അക്കൗണ്ട് {2} നേരെ ആവശ്യമാണ്
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,ഇനങ്ങൾ ഉള്ളവയും
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ആകെ മണിക്കൂർ: {0}
+DocType: Loan,Loan Manager,ലോൺ മാനേജർ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},തീയതി നിന്നും സാമ്പത്തിക വർഷത്തെ ആയിരിക്കണം. ഈ തീയതി മുതൽ കരുതുന്നു = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,ഇടവേള
@@ -461,6 +465,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',&#39;ടൈം ലോഗ്&#39; വഴി അപ്ഡേറ്റ്
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ഉപഭോക്താവ് അല്ലെങ്കിൽ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ഫയലിലെ രാജ്യ കോഡ് സിസ്റ്റത്തിൽ സജ്ജമാക്കിയ രാജ്യ കോഡുമായി പൊരുത്തപ്പെടുന്നില്ല
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},അക്കൗണ്ട് {0} കമ്പനി {1} സ്വന്തമല്ല
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,സ്ഥിരസ്ഥിതിയായി ഒരു മുൻ‌ഗണന മാത്രം തിരഞ്ഞെടുക്കുക.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},അഡ്വാൻസ് തുക {0} {1} ശ്രേഷ്ഠ പാടില്ല
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","സമയ സ്ലോട്ട് ഒഴിവാക്കി, സ്ലോട്ട് {0} മുതൽ {1} വരെ ഓവർലാപ്പ് ചെയ്യുന്ന സ്ലോട്ട് {2} മുതൽ {3} വരെ"
@@ -538,7 +543,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,വിടുക തടയപ്പെട്ട
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ഇനം {0} {1} ജീവിതം അതിന്റെ അവസാനം എത്തിയിരിക്കുന്നു
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ബാങ്ക് എൻട്രികൾ
-DocType: Customer,Is Internal Customer,ആന്തരിക ഉപഭോക്താവ് ആണോ
+DocType: Sales Invoice,Is Internal Customer,ആന്തരിക ഉപഭോക്താവ് ആണോ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,സെയിൽസ് ഇൻവോയിസ് ഇല്ല
@@ -562,6 +567,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന
 DocType: Bank Reconciliation,Update Clearance Date,അപ്ഡേറ്റ് ക്ലിയറൻസ് തീയതി
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,ക്യൂട്ടി ബണ്ടിൽ ചെയ്യുക
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,അപേക്ഷ അംഗീകരിക്കുന്നതുവരെ വായ്പ സൃഷ്ടിക്കാൻ കഴിയില്ല
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ഇനം {0} വാങ്ങൽ ഓർഡർ {1} ൽ &#39;അസംസ്കൃത വസ്തുക്കളുടെ നൽകിയത് മേശയിൽ കണ്ടെത്തിയില്ല
 DocType: Salary Slip,Total Principal Amount,മൊത്തം പ്രിൻസിപ്പൽ തുക
@@ -569,6 +575,7 @@
 DocType: Quiz Result,Correct,ശരിയാണ്
 DocType: Student Guardian,Mother,അമ്മ
 DocType: Restaurant Reservation,Reservation End Time,റിസർവേഷൻ എൻഡ് സമയം
+DocType: Salary Slip Loan,Loan Repayment Entry,വായ്പ തിരിച്ചടവ് എൻട്രി
 DocType: Crop,Biennial,ബിനാലെ
 ,BOM Variance Report,ബോം വേരിയൻസ് റിപ്പോർട്ട്
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,ഇടപാടുകാർ നിന്ന് സ്ഥിരീകരിച്ച ഓർഡറുകൾ.
@@ -590,6 +597,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} നിലവിലുള്ള തുക {2} വലുതായിരിക്കും കഴിയില്ല നേരെ പേയ്മെന്റ്
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,എല്ലാ ഹെൽത്ത്കെയർ സർവീസ് യൂണിറ്റുകളും
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,അവസരം പരിവർത്തനം ചെയ്യുമ്പോൾ
+DocType: Loan,Total Principal Paid,ആകെ പ്രിൻസിപ്പൽ പണമടച്ചു
 DocType: Bank Account,Address HTML,വിലാസം എച്ച്ടിഎംഎൽ
 DocType: Lead,Mobile No.,മൊബൈൽ നമ്പർ
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,പേയ്മെന്റ് മോഡ്
@@ -608,12 +616,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,അടിസ്ഥാന കറൻസിയിൽ ബാലൻസ്
 DocType: Supplier Scorecard Scoring Standing,Max Grade,മാക്സ് ഗ്രേഡ്
 DocType: Email Digest,New Quotations,പുതിയ ഉദ്ധരണികൾ
+DocType: Loan Interest Accrual,Loan Interest Accrual,വായ്പ പലിശ വർദ്ധനവ്
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} അവധി കഴിഞ്ഞ് {0} ആയി സമർപ്പിക്കുന്നതല്ല.
 DocType: Journal Entry,Payment Order,പേയ്മെന്റ് ഓർഡർ
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ഇമെയില് ശരിയാണെന്ന് ഉറപ്പുവരുത്തക
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,മറ്റ് ഉറവിടങ്ങളിൽ നിന്നുള്ള വരുമാനം
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ശൂന്യമാണെങ്കിൽ, രക്ഷാകർതൃ വെയർഹ house സ് അക്ക or ണ്ട് അല്ലെങ്കിൽ കമ്പനി സ്ഥിരസ്ഥിതി എന്നിവ പരിഗണിക്കും"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,തിരഞ്ഞെടുത്ത ഇമെയിൽ ജീവനക്കാർ തിരഞ്ഞെടുത്ത അടിസ്ഥാനമാക്കി ജീവനക്കാരൻ ഇമെയിലുകൾ ശമ്പളം സ്ലിപ്പ്
+DocType: Work Order,This is a location where operations are executed.,പ്രവർത്തനങ്ങൾ നടപ്പിലാക്കുന്ന ഒരു സ്ഥലമാണിത്.
 DocType: Tax Rule,Shipping County,ഷിപ്പിംഗ് കൗണ്ടി
 DocType: Currency Exchange,For Selling,വിൽപ്പനയ്ക്കായി
 apps/erpnext/erpnext/config/desktop.py,Learn,അറിയുക
@@ -622,6 +632,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,പ്രയോഗിച്ച കൂപ്പൺ കോഡ്
 DocType: Asset,Next Depreciation Date,അടുത്ത മൂല്യത്തകർച്ച തീയതി
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,ജീവനക്കാർ ശതമാനം പ്രവർത്തനം ചെലവ്
+DocType: Loan Security,Haircut %,മുടിവെട്ട് %
 DocType: Accounts Settings,Settings for Accounts,അക്കൗണ്ടുകൾക്കുമുള്ള ക്രമീകരണങ്ങൾ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},വിതരണക്കാരൻ ഇൻവോയ്സ് വാങ്ങൽ ഇൻവോയ്സ് {0} നിലവിലുണ്ട്
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,സെയിൽസ് പേഴ്സൺ ട്രീ നിയന്ത്രിക്കുക.
@@ -660,6 +671,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{} ഹോട്ടലിൽ ഹോട്ടൽ റൂട്ട് റേറ്റ് ക്രമീകരിക്കുക
 DocType: Journal Entry,Multi Currency,മൾട്ടി കറൻസി
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ഇൻവോയിസ് തരം
+DocType: Loan,Loan Security Details,വായ്പാ സുരക്ഷാ വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,തീയതി മുതൽ സാധുതയുള്ളത് തീയതി വരെ സാധുവായതിനേക്കാൾ കുറവായിരിക്കണം
 DocType: Purchase Invoice,Set Accepted Warehouse,സ്വീകരിച്ച വെയർഹ house സ് സജ്ജമാക്കുക
 DocType: Employee Benefit Claim,Expense Proof,ചെലവ് തെളിയിക്കുക
@@ -762,7 +774,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,ലാബ് പരിശോധന അംഗീകരിക്കേണ്ടതുണ്ട്
 DocType: Attendance,Working Hours,ജോലിചെയ്യുന്ന സമയം
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,മൊത്തം ശ്രദ്ധേയമായത്
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ഇനത്തിനായി UOM പരിവർത്തന ഘടകം ({0} -&gt; {1}) കണ്ടെത്തിയില്ല: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,നിലവിലുള്ള ഒരു പരമ്പരയിലെ തുടങ്ങുന്ന / നിലവിലെ ക്രമസംഖ്യ മാറ്റുക.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ഓർഡർ ചെയ്ത തുകയ്‌ക്കെതിരെ കൂടുതൽ ബിൽ ചെയ്യാൻ നിങ്ങളെ അനുവദിക്കുന്ന ശതമാനം. ഉദാഹരണത്തിന്: ഒരു ഇനത്തിന് ഓർഡർ മൂല്യം $ 100 ഉം ടോളറൻസ് 10% ഉം ആയി സജ്ജീകരിച്ചിട്ടുണ്ടെങ്കിൽ നിങ്ങൾക്ക് bill 110 ന് ബിൽ ചെയ്യാൻ അനുവാദമുണ്ട്.
 DocType: Dosage Strength,Strength,ശക്തി
@@ -779,6 +790,7 @@
 DocType: Purchase Receipt,Vehicle Date,വാഹന തീയതി
 DocType: Campaign Email Schedule,Campaign Email Schedule,കാമ്പെയ്‌ൻ ഇമെയിൽ ഷെഡ്യൂൾ
 DocType: Student Log,Medical,മെഡിക്കൽ
+DocType: Work Order,This is a location where scraped materials are stored.,സ്ക്രാപ്പ് ചെയ്ത വസ്തുക്കൾ സൂക്ഷിക്കുന്ന സ്ഥലമാണിത്.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,ദയവായി ഡ്രഗ് തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,ലീഡ് ഉടമ ലീഡ് അതേ പാടില്ല
 DocType: Announcement,Receiver,റിസീവർ
@@ -874,7 +886,7 @@
 DocType: Driver,Applicable for external driver,ബാഹ്യ ഡ്രൈവർക്ക് ബാധകമാണ്
 DocType: Sales Order Item,Used for Production Plan,പ്രൊഡക്ഷൻ പ്ലാൻ ഉപയോഗിച്ച
 DocType: BOM,Total Cost (Company Currency),ആകെ ചെലവ് (കമ്പനി കറൻസി)
-DocType: Loan,Total Payment,ആകെ പേയ്മെന്റ്
+DocType: Repayment Schedule,Total Payment,ആകെ പേയ്മെന്റ്
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,എല്ലാ വിൽപന ഓർഡറുകൾക്കും PO ഇതിനകം സൃഷ്ടിച്ചു
@@ -899,6 +911,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,വാങ്ങൽ ഓർഡറുകൾക്ക് മുന്നറിയിപ്പ് നൽകുക
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,തീയതി മുതൽ വാടകയ്ക്കെടുത്തു
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,ബിൽഡ് മതിയായ ഭാഗങ്ങൾ
+DocType: Loan Security,Loan Security Code,വായ്പ സുരക്ഷാ കോഡ്
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,ആദ്യം സംരക്ഷിക്കുക
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,അതുമായി ബന്ധപ്പെട്ട അസംസ്കൃത വസ്തുക്കൾ വലിക്കാൻ ഇനങ്ങൾ ആവശ്യമാണ്.
 DocType: POS Profile User,POS Profile User,POS പ്രൊഫൈൽ ഉപയോക്താവ്
@@ -955,6 +968,7 @@
 DocType: Patient,Risk Factors,അപകടസാധ്യത ഘടകങ്ങൾ
 DocType: Patient,Occupational Hazards and Environmental Factors,തൊഴിൽ അപകടങ്ങളും പരിസ്ഥിതി ഘടകങ്ങളും
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,വർക്ക് ഓർഡറിനായി സ്റ്റോക്ക് എൻട്രികൾ ഇതിനകം സൃഷ്ടിച്ചു
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ഇന കോഡ്&gt; ഐറ്റം ഗ്രൂപ്പ്&gt; ബ്രാൻഡ്
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,പഴയ ഓർഡറുകൾ കാണുക
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} സംഭാഷണങ്ങൾ
 DocType: Vital Signs,Respiratory rate,ശ്വസന നിരക്ക്
@@ -1017,6 +1031,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,ടാക്സ് വിത്ത്ഹോൾഡിംഗ് അക്കൗണ്ട്
 DocType: Pricing Rule,Sales Partner,സെയിൽസ് പങ്കാളി
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,എല്ലാ വിതരണ സ്റ്റോർകാർഡ്സും.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ഓർഡർ തുക
+DocType: Loan,Disbursed Amount,വിതരണം ചെയ്ത തുക
 DocType: Buying Settings,Purchase Receipt Required,വാങ്ങൽ രസീത് ആവശ്യമാണ്
 DocType: Sales Invoice,Rail,റെയിൽ
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,യഥാർത്ഥ ചെലവ്
@@ -1053,6 +1069,7 @@
 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},കൈമാറി: {0}
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks- ലേക്ക് കണക്റ്റുചെയ്തു
 DocType: Bank Statement Transaction Entry,Payable Account,അടയ്ക്കേണ്ട അക്കൗണ്ട്
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,പേയ്‌മെന്റ് എൻട്രികൾ ലഭിക്കുന്നതിന് അക്കൗണ്ട് നിർബന്ധമാണ്
 DocType: Payment Entry,Type of Payment,അടക്കേണ്ട ഇനം
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ഹാഫ് ഡേ ഡേറ്റ് തീയതി നിർബന്ധമാണ്
 DocType: Sales Order,Billing and Delivery Status,"ബില്ലിംഗ്, ഡെലിവറി സ്റ്റാറ്റസ്"
@@ -1089,7 +1106,7 @@
 DocType: Purchase Order Item,Billed Amt,വസതി ശാരീരിക
 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,Principal Amount,പ്രിൻസിപ്പൽ തുക
+DocType: Repayment Schedule,Principal Amount,പ്രിൻസിപ്പൽ തുക
 DocType: Loan Application,Total Payable Interest,ആകെ പലിശ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},മൊത്തം ശ്രദ്ധേയൻ: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,കോൺ‌ടാക്റ്റ് തുറക്കുക
@@ -1102,6 +1119,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,അപ്ഡേറ്റ് പ്രോസസ്സ് സമയത്ത് ഒരു പിശക് സംഭവിച്ചു
 DocType: Restaurant Reservation,Restaurant Reservation,റെസ്റ്റോറന്റ് റിസർവേഷൻ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,നിങ്ങളുടെ ഇനങ്ങൾ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,വിതരണക്കാരൻ&gt; വിതരണ തരം
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Proposal എഴുത്ത്
 DocType: Payment Entry Deduction,Payment Entry Deduction,പേയ്മെന്റ് എൻട്രി കിഴിച്ചുകൊണ്ടു
 DocType: Service Level Priority,Service Level Priority,സേവന നില മുൻ‌ഗണന
@@ -1256,7 +1274,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),അടിസ്ഥാന നിരക്ക് (കമ്പനി കറൻസി)
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,പ്രശ്നം വിഭജിക്കുക
 DocType: Student Attendance,Student Attendance,വിദ്യാർത്ഥിയുടെ ഹാജർ
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,എക്‌സ്‌പോർട്ടുചെയ്യാൻ ഡാറ്റയൊന്നുമില്ല
 DocType: Sales Invoice Timesheet,Time Sheet,സമയം ഷീറ്റ്
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush അസംസ്കൃത വസ്തുക്കൾ അടിസ്ഥാനത്തിൽ ഓൺ
 DocType: Sales Invoice,Port Code,പോർട്ട് കോഡ്
@@ -1269,6 +1286,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,യഥാർത്ഥ ഡെലിവറി തീയതി
 DocType: Lab Test,Test Template,ടെംപ്ലേറ്റ് ടെസ്റ്റ് ചെയ്യുക
+DocType: Loan Security Pledge,Securities,സെക്യൂരിറ്റികള്
 DocType: Restaurant Order Entry Item,Served,സേവിച്ചു
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,ചാപ്റ്റർ വിവരങ്ങൾ.
 DocType: Account,Accounts,അക്കൗണ്ടുകൾ
@@ -1361,6 +1379,7 @@
 DocType: Inpatient Record,O Negative,ഹേ ന്യൂക്ലിയർ
 DocType: Work Order Operation,Planned End Time,പ്ലാൻ ചെയ്തു അവസാനിക്കുന്ന സമയം
 DocType: POS Profile,Only show Items from these Item Groups,ഈ ഇന ഗ്രൂപ്പുകളിൽ നിന്നുള്ള ഇനങ്ങൾ മാത്രം കാണിക്കുക
+DocType: Loan,Is Secured Loan,സുരക്ഷിത വായ്പയാണ്
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,മെമ്മറിർഷിപ്പ് വിശദാംശങ്ങൾ
 DocType: Delivery Note,Customer's Purchase Order No,കസ്റ്റമർ പർച്ചേസ് ഓർഡർ ഇല്ല
@@ -1397,6 +1416,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,"എൻട്രികൾ ലഭിക്കുന്നതിന് കമ്പനി, പോസ്റ്റിംഗ് തീയതി എന്നിവ തിരഞ്ഞെടുക്കുക"
 DocType: Asset,Maintenance,മെയിൻറനൻസ്
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,രോഗിയുടെ എൻകോർട്ടിൽ നിന്ന് നേടുക
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ഇനത്തിനായി UOM പരിവർത്തന ഘടകം ({0} -&gt; {1}) കണ്ടെത്തിയില്ല: {2}
 DocType: Subscriber,Subscriber,സബ്സ്ക്രൈബർ
 DocType: Item Attribute Value,Item Attribute Value,ഇനത്തിനും മൂല്യം
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,വാങ്ങൽ അല്ലെങ്കിൽ വിൽപ്പനയ്ക്കായി കറൻസി എക്സ്ചേഞ്ച് പ്രവർത്തിക്കണം.
@@ -1474,6 +1494,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,ഇല്ല അനുമതി
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,കരാർ പൂർത്തീകരണം ചെക്ക്ലിസ്റ്റ്
 DocType: Vital Signs,Heart Rate / Pulse,ഹാർട്ട് റേറ്റ് / പൾസ്
+DocType: Customer,Default Company Bank Account,സ്ഥിരസ്ഥിതി കമ്പനി ബാങ്ക് അക്കൗണ്ട്
 DocType: Supplier,Default Bank Account,സ്ഥിരസ്ഥിതി ബാങ്ക് അക്കൗണ്ട്
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","പാർട്ടി അടിസ്ഥാനമാക്കി ഫിൽട്ടർ, ആദ്യം പാർട്ടി ടൈപ്പ് തിരഞ്ഞെടുക്കുക"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},ഇനങ്ങളുടെ {0} വഴി അല്ല കാരണം &#39;അപ്ഡേറ്റ് ഓഹരി&#39; പരിശോധിക്കാൻ കഴിയുന്നില്ല
@@ -1590,7 +1611,6 @@
 DocType: Sales Team,Incentives,ഇൻസെന്റീവ്സ്
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,മൂല്യങ്ങൾ സമന്വയത്തിന് പുറത്താണ്
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,വ്യത്യാസ മൂല്യം
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,സജ്ജീകരണം&gt; നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക
 DocType: SMS Log,Requested Numbers,അഭ്യർത്ഥിച്ചു സംഖ്യാപുസ്തകം
 DocType: Volunteer,Evening,വൈകുന്നേരം
 DocType: Quiz,Quiz Configuration,ക്വിസ് കോൺഫിഗറേഷൻ
@@ -1610,6 +1630,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,മുൻ വരി ആകെ ന്
 DocType: Purchase Invoice Item,Rejected Qty,നിരസിച്ചു അളവ്
 DocType: Setup Progress Action,Action Field,ആക്ഷൻ ഫീൽഡ്
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,"പലിശ, പിഴ നിരക്കുകൾക്കുള്ള വായ്പ തരം"
 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,ഡെലിവറി സ്റ്റോപ്പുകൾ
@@ -1621,6 +1642,7 @@
 ,Final Assessment Grades,അന്തിമ വിലയിരുത്തൽ ഗ്രേഡുകൾ
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,നിങ്ങൾ ഈ സിസ്റ്റം ക്രമീകരിക്കുന്നതിനായി ചെയ്തിട്ടുളള നിങ്ങളുടെ കമ്പനിയുടെ പേര്.
 DocType: HR Settings,Include holidays in Total no. of Working Days,ഇല്ല ആകെ ലെ അവധി ദിവസങ്ങൾ ഉൾപ്പെടുത്തുക. ജോലി നാളുകളിൽ
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,മൊത്തം മൊത്തം%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext ൽ നിങ്ങളുടെ ഇൻസ്റ്റിറ്റ്യൂട്ട് സെറ്റപ്പ് ചെയ്യുക
 DocType: Agriculture Analysis Criteria,Plant Analysis,പ്ലാന്റ് അനാലിസിസ്
 DocType: Task,Timeline,ടൈംലൈൻ
@@ -1628,9 +1650,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,ഇതര ഇനം
 DocType: Shopify Log,Request Data,ഡാറ്റ അഭ്യർത്ഥിക്കുക
 DocType: Employee,Date of Joining,ചേരുന്നു തീയതി
+DocType: Delivery Note,Inter Company Reference,ഇന്റർ കമ്പനി റഫറൻസ്
 DocType: Naming Series,Update Series,അപ്ഡേറ്റ് സീരീസ്
 DocType: Supplier Quotation,Is Subcontracted,Subcontracted മാത്രമാവില്ലല്ലോ
 DocType: Restaurant Table,Minimum Seating,കുറഞ്ഞ സീറ്റിംഗ്
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,ചോദ്യം തനിപ്പകർപ്പാക്കാൻ കഴിയില്ല
 DocType: Item Attribute,Item Attribute Values,ഇനം ഗുണ മൂല്യങ്ങൾ
 DocType: Examination Result,Examination Result,പരീക്ഷാ ഫലം
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,വാങ്ങൽ രസീത്
@@ -1729,6 +1753,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ
 DocType: Payment Request,Paid,പണമടച്ചു
 DocType: Service Level,Default Priority,സ്ഥിരസ്ഥിതി മുൻ‌ഗണന
+DocType: Pledge,Pledge,പ്രതിജ്ഞ
 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 കളിലും പുതിയ വിലയും പുതുക്കുന്നു."
@@ -1742,6 +1767,7 @@
 DocType: Guardian,Guardian Name,ഗാർഡിയൻ പേര്
 DocType: Cheque Print Template,Has Print Format,ഉണ്ട് പ്രിന്റ് ഫോർമാറ്റ്
 DocType: Support Settings,Get Started Sections,വിഭാഗങ്ങൾ ആരംഭിക്കുക
+,Loan Repayment and Closure,വായ്പ തിരിച്ചടവും അടയ്ക്കലും
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,അനുവദിച്ചു
 ,Base Amount,അടിസ്ഥാന തുക
@@ -1755,7 +1781,6 @@
 DocType: Student Admission,Publish on website,വെബ്സൈറ്റിൽ പ്രസിദ്ധീകരിക്കുക
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,വിതരണക്കാരൻ ഇൻവോയ്സ് തീയതി തീയതി നോട്സ് ശ്രേഷ്ഠ പാടില്ല
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ഇന കോഡ്&gt; ഐറ്റം ഗ്രൂപ്പ്&gt; ബ്രാൻഡ്
 DocType: Subscription,Cancelation Date,റദ്ദാക്കൽ തീയതി
 DocType: Purchase Invoice Item,Purchase Order Item,വാങ്ങൽ ഓർഡർ ഇനം
 DocType: Agriculture Task,Agriculture Task,കൃഷിവകുപ്പ്
@@ -1774,7 +1799,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,അധിക കിഴിവും ശതമാനം
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,എല്ലാ സഹായം വീഡിയോ ലിസ്റ്റ് കാണൂ
 DocType: Agriculture Analysis Criteria,Soil Texture,മണ്ണ് ടെക്സ്ചർ
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ചെക്ക് സൂക്ഷിച്ചത് എവിടെ ബാങ്കിന്റെ അക്കൗണ്ട് തല തിരഞ്ഞെടുക്കുക.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,ഉപയോക്തൃ ഇടപാടുകൾ ൽ വില പട്ടിക റേറ്റ് എഡിറ്റ് ചെയ്യാൻ അനുവദിക്കുക
 DocType: Pricing Rule,Max Qty,മാക്സ് Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,റിപ്പോർട്ട് റിപ്പോർട്ട് പ്രിന്റ് ചെയ്യുക
@@ -1905,7 +1929,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","സെറ്റ് ചെയ്തുകഴിഞ്ഞാൽ, സെറ്റ് തിയതി വരെ ഈ ഇൻവോയ്സ് ഹോൾഡ് ആയിരിക്കും"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,തുക വിൽക്കുന്ന
-DocType: Repayment Schedule,Interest Amount,പലിശ തുക
+DocType: Loan Interest Accrual,Interest Amount,പലിശ തുക
 DocType: Job Card,Time Logs,സമയം ക്ഌപ്തപ്പെടുത്താവുന്നതാണ്
 DocType: Sales Invoice,Loyalty Amount,ലോയൽറ്റി തുക
 DocType: Employee Transfer,Employee Transfer Detail,തൊഴിലുടമ ട്രാൻസ്ഫർ വിശദാംശം
@@ -1945,7 +1969,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ഓർഡറിന്റെ ഇനങ്ങൾ വാങ്ങുക
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,സിപ്പ് കോഡ്
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},സെയിൽസ് ഓർഡർ {0} {1} ആണ്
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},വായ്പയിൽ പലിശ വരുമാനം അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക {0}
 DocType: Opportunity,Contact Info,ബന്ധപ്പെടുന്നതിനുള്ള വിവരം
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,സ്റ്റോക്ക് എൻട്രികളിൽ ഉണ്ടാക്കുന്നു
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,നില ഇടത്തോടുകൂടിയ ജീവനക്കാരനെ പ്രോത്സാഹിപ്പിക്കാനാവില്ല
@@ -2028,7 +2051,6 @@
 DocType: Salary Slip,Deductions,പൂർണമായും
 DocType: Setup Progress Action,Action Name,പ്രവർത്തന നാമം
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ആരംഭ വർഷം
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,വായ്പ സൃഷ്ടിക്കുക
 DocType: Purchase Invoice,Start date of current invoice's period,നിലവിലെ ഇൻവോയ്സ് ന്റെ കാലഘട്ടത്തിലെ തീയതി ആരംഭിക്കുക
 DocType: Shift Type,Process Attendance After,പ്രോസസ് അറ്റൻഡൻസ് അതിനുശേഷം
 ,IRS 1099,IRS 1099
@@ -2049,6 +2071,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,നിങ്ങളുടെ ഡൊമെയ്നുകൾ തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,ഷോപ്ടിപ് വിതരണക്കാരൻ
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,പേയ്മെന്റ് ഇൻവോയ്സ് ഇനങ്ങൾ
+DocType: Repayment Schedule,Is Accrued,വർദ്ധിച്ചിരിക്കുന്നു
 DocType: Payroll Entry,Employee Details,തൊഴിലുടമ വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,എക്സ്എം‌എൽ ഫയലുകൾ പ്രോസസ്സ് ചെയ്യുന്നു
 DocType: Amazon MWS Settings,CN,CN
@@ -2078,6 +2101,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,ലോയൽറ്റി പോയിന്റ് എൻട്രി
 DocType: Employee Checkin,Shift End,ഷിഫ്റ്റ് അവസാനം
 DocType: Stock Settings,Default Item Group,സ്ഥിരസ്ഥിതി ഇനം ഗ്രൂപ്പ്
+DocType: Loan,Partially Disbursed,ഭാഗികമായി വിതരണം
 DocType: Job Card Time Log,Time In Mins,മിനിമം സമയം
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,വിവരങ്ങൾ നൽകുക.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,നിങ്ങളുടെ ബാങ്ക് അക്ക with ണ്ടുകളുമായി ERPNext സംയോജിപ്പിക്കുന്ന ഏതെങ്കിലും ബാഹ്യ സേവനത്തിൽ നിന്ന് ഈ പ്രവർത്തനം ഈ അക്ക unc ണ്ട് അൺലിങ്ക് ചെയ്യും. ഇത് പഴയപടിയാക്കാൻ കഴിയില്ല. നിങ്ങൾക്ക് ഉറപ്പാണോ?
@@ -2093,6 +2117,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി കഴിയില്ല.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","കൂടുതലായ അക്കൗണ്ടുകൾ ഗ്രൂപ്പ്സ് കീഴിൽ കഴിയും, പക്ഷേ എൻട്രികൾ നോൺ-ഗ്രൂപ്പുകൾ നേരെ കഴിയും"
+DocType: Loan Repayment,Loan Closure,വായ്പ അടയ്ക്കൽ
 DocType: Call Log,Lead,ഈയം
 DocType: Email Digest,Payables,Payables
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth ടോക്കൺ
@@ -2124,6 +2149,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ജീവനക്കാരുടെ നികുതിയും ആനുകൂല്യങ്ങളും
 DocType: Bank Guarantee,Validity in Days,ങ്ങളിലായി സാധുത
 DocType: Bank Guarantee,Validity in Days,ങ്ങളിലായി സാധുത
+DocType: Unpledge,Haircut,മുടിവെട്ട്
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},സി-ഫോം ഇൻവോയ്സ് വേണ്ടി ബാധകമല്ല: {0}
 DocType: Certified Consultant,Name of Consultant,ഉപദേഷ്ടാവിന്റെ പേര്
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled പേയ്മെന്റ് വിശദാംശങ്ങൾ
@@ -2177,7 +2203,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,ലോകം റെസ്റ്റ്
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,ഇനം {0} ബാച്ച് പാടില്ല
 DocType: Crop,Yield UOM,യീൽഡ് UOM
+DocType: Loan Security Pledge,Partially Pledged,ഭാഗികമായി പ്രതിജ്ഞ ചെയ്തു
 ,Budget Variance Report,ബജറ്റ് പൊരുത്തമില്ലായ്മ റിപ്പോർട്ട്
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,അനുവദിച്ച വായ്പ തുക
 DocType: Salary Slip,Gross Pay,മൊത്തം വേതനം
 DocType: Item,Is Item from Hub,ഇനം ഹബ് ആണ്
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ഹെൽത്ത് സർവീസിൽ നിന്ന് ഇനങ്ങൾ നേടുക
@@ -2211,6 +2239,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,പുതിയ ഗുണനിലവാര നടപടിക്രമം
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},അക്കൗണ്ട് ബാലൻസ് {0} എപ്പോഴും {1} ആയിരിക്കണം
 DocType: Patient Appointment,More Info,കൂടുതൽ വിവരങ്ങൾ
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,ചേരുന്ന തീയതിയെക്കാൾ ജനനത്തീയതി വലുതായിരിക്കരുത്.
 DocType: Supplier Scorecard,Scorecard Actions,സ്കോർകാർഡ് പ്രവർത്തനങ്ങൾ
 DocType: Purchase Invoice,Rejected Warehouse,നിരസിച്ചു വെയർഹൗസ്
 DocType: GL Entry,Against Voucher,വൗച്ചർ എഗെൻസ്റ്റ്
@@ -2302,6 +2331,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,ആദ്യം ഇനം കോഡ് സജ്ജീകരിക്കുക
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ഡോക് തരം
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},വായ്പാ സുരക്ഷാ പ്രതിജ്ഞ സൃഷ്ടിച്ചു: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,അപ്പോയിൻമെൻറ് ആൻഡ് പേയ്മെന്റ് എൻകൌണ്ടറുകൾ
@@ -2356,6 +2386,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,ഒരേ സമയ നിയമനങ്ങളുടെ എണ്ണം
 apps/erpnext/erpnext/config/desktop.py,Getting Started,ആമുഖം
 DocType: Purchase Invoice,Taxes and Charges Calculation,നികുതി ചാർജുകളും കണക്കുകൂട്ടല്
+DocType: Loan Interest Accrual,Payable Principal Amount,അടയ്‌ക്കേണ്ട പ്രധാന തുക
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,യാന്ത്രികമായി ബുക്ക് അസറ്റ് മൂല്യത്തകർച്ച എൻട്രി
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,യാന്ത്രികമായി ബുക്ക് അസറ്റ് മൂല്യത്തകർച്ച എൻട്രി
 DocType: BOM Operation,Workstation,വറ്ക്ക്സ്റ്റേഷൻ
@@ -2392,7 +2423,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ഭക്ഷ്യ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,എയ്ജിങ് ശ്രേണി 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,പിഒസ് അടയ്ക്കുന്ന വൗച്ചറുടെ വിശദാംശങ്ങൾ
-DocType: Bank Account,Is the Default Account,സ്ഥിരസ്ഥിതി അക്ക is ണ്ടാണ്
 DocType: Shopify Log,Shopify Log,ലോഗ് ഷോപ്പ് ചെയ്യൂ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,ആശയവിനിമയമൊന്നും കണ്ടെത്തിയില്ല.
 DocType: Inpatient Occupancy,Check In,വന്നുചേരുകയും പേര്രജിസ്റ്റര് ചെയ്യുകയും ചെയ്യുക
@@ -2446,12 +2476,14 @@
 DocType: Sales Order Item,Planned Quantity,ആസൂത്രണം ചെയ്ത ക്വാണ്ടിറ്റി
 DocType: Water Analysis,Water Analysis Criteria,വാട്ടർ അനാലിസിസ് മാനദണ്ഡം
 DocType: Item,Maintain Stock,സ്റ്റോക്ക് നിലനിറുത്തുക
+DocType: Loan Security Unpledge,Unpledge Time,അൺപ്ലെഡ്ജ് സമയം
 DocType: Terms and Conditions,Applicable Modules,ബാധകമായ മൊഡ്യൂളുകൾ
 DocType: Employee,Prefered Email,Prefered ഇമെയിൽ
 DocType: Student Admission,Eligibility and Details,യോഗ്യതയും വിശദാംശങ്ങളും
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,മൊത്ത ലാഭത്തിൽ ഉൾപ്പെടുത്തിയിരിക്കുന്നു
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,സ്ഥിര അസറ്റ് ലെ നെറ്റ് മാറ്റുക
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,റിയഡ് കാട്ടി
+DocType: Work Order,This is a location where final product stored.,അന്തിമ ഉൽപ്പന്നം സംഭരിച്ച സ്ഥലമാണിത്.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},പരമാവധി: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,തീയതി-ൽ
@@ -2491,8 +2523,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,വാറന്റി / എഎംസി അവസ്ഥ
 ,Accounts Browser,അക്കൗണ്ടുകൾ ബ്രൗസർ
 DocType: Procedure Prescription,Referral,റഫറൽ
+,Territory-wise Sales,പ്രദേശം തിരിച്ചുള്ള വിൽപ്പന
 DocType: Payment Entry Reference,Payment Entry Reference,പേയ്മെന്റ് എൻട്രി റഫറൻസ്
 DocType: GL Entry,GL Entry,ജി.എൽ എൻട്രി
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,വരി # {0}: സ്വീകരിച്ച വെയർ‌ഹ house സും വിതരണ വെയർ‌ഹ house സും സമാനമാകരുത്
 DocType: Support Search Source,Response Options,പ്രതികരണ ഓപ്ഷനുകൾ
 DocType: Pricing Rule,Apply Multiple Pricing Rules,ഒന്നിലധികം വിലനിർണ്ണയ നിയമങ്ങൾ പ്രയോഗിക്കുക
 DocType: HR Settings,Employee Settings,ജീവനക്കാരുടെ ക്രമീകരണങ്ങൾ
@@ -2566,6 +2600,7 @@
 DocType: Item,Sales Details,സെയിൽസ് വിശദാംശങ്ങൾ
 DocType: Coupon Code,Used,ഉപയോഗിച്ചു
 DocType: Opportunity,With Items,ഇനങ്ങൾ കൂടി
+DocType: Vehicle Log,last Odometer Value ,അവസാന ഓഡോമീറ്റർ മൂല്യം
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',{1} &#39;{2}&#39; എന്നതിനായി &#39;{0}&#39; കാമ്പെയ്‌ൻ ഇതിനകം നിലവിലുണ്ട്.
 DocType: Asset Maintenance,Maintenance Team,മെയിന്റനൻസ് ടീം
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",ഏതൊക്കെ വിഭാഗങ്ങൾ ദൃശ്യമാകണമെന്ന് ഓർഡർ ചെയ്യുക. 0 ആദ്യത്തേതും 1 രണ്ടാമത്തേതും മറ്റും.
@@ -2576,7 +2611,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ചിലവേറിയ ക്ലെയിം {0} ഇതിനകം വാഹനം ലോഗ് നിലവിലുണ്ട്
 DocType: Asset Movement Item,Source Location,ഉറവിട സ്ഥാനം
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ഇൻസ്റ്റിറ്റ്യൂട്ട് പേര്
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ദയവായി തിരിച്ചടവ് തുക നൽകുക
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,ദയവായി തിരിച്ചടവ് തുക നൽകുക
 DocType: Shift Type,Working Hours Threshold for Absent,ഇല്ലാത്തവർക്കുള്ള പ്രവർത്തന സമയം പരിധി
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,ആകെ ചെലവഴിച്ച തുക അടിസ്ഥാനമാക്കി ഒന്നിലധികം tiered ശേഖരണ ഘടകം ഉണ്ടാകും. എന്നാൽ വീണ്ടെടുക്കൽ എന്നതിനുള്ള പരിവർത്തന ഘടകം എല്ലായ്പ്പോഴും എല്ലാ ടയർക്കും തുല്യമായിരിക്കും.
 apps/erpnext/erpnext/config/help.py,Item Variants,ഇനം രൂപഭേദങ്ങൾ
@@ -2599,6 +2634,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,പേയ്മെന്റ് പട്ടികയിൽ കണ്ടെത്തിയില്ല റെക്കോർഡുകൾ
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},ഈ {0} {2} {3} ഉപയോഗിച്ച് {1} വൈരുദ്ധ്യങ്ങൾ
 DocType: Student Attendance Tool,Students HTML,വിദ്യാർത്ഥികൾ എച്ച്ടിഎംഎൽ
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,ആദ്യം അപേക്ഷകന്റെ തരം തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty, For Warehouse എന്നിവ തിരഞ്ഞെടുക്കുക"
 DocType: GST HSN Code,GST HSN Code,ചരക്കുസേവന ഹ്സ്ന് കോഡ്
 DocType: Employee External Work History,Total Experience,ആകെ അനുഭവം
@@ -2686,7 +2722,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",ഇനത്തിന് {0} സജീവ BOM ഒന്നും കണ്ടെത്തിയില്ല. \ സീരിയൽ ഡെലിവറി ഉറപ്പാക്കാൻ കഴിയില്ല
 DocType: Sales Partner,Sales Partner Target,സെയിൽസ് പങ്കാളി ടാർജറ്റ്
-DocType: Loan Type,Maximum Loan Amount,പരമാവധി വായ്പാ തുക
+DocType: Loan Application,Maximum Loan Amount,പരമാവധി വായ്പാ തുക
 DocType: Coupon Code,Pricing Rule,പ്രൈസിങ് റൂൾ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},വിദ്യാർത്ഥി {0} എന്ന റോൾ നമ്പർ തനിപ്പകർപ്പ്
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},വിദ്യാർത്ഥി {0} എന്ന റോൾ നമ്പർ തനിപ്പകർപ്പ്
@@ -2710,6 +2746,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},{0} വിജയകരമായി നീക്കിവച്ചിരുന്നു ഇലകൾ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,പാക്ക് ഇനങ്ങൾ ഇല്ല
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,".Csv, .xlsx ഫയലുകൾ മാത്രമേ നിലവിൽ പിന്തുണയ്ക്കൂ"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ഹ്യൂമൻ റിസോഴ്സ്&gt; എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക
 DocType: Shipping Rule Condition,From Value,മൂല്യം നിന്നും
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,ണം ക്വാണ്ടിറ്റി നിർബന്ധമാണ്
 DocType: Loan,Repayment Method,തിരിച്ചടവ് രീതി
@@ -2854,6 +2891,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,മൊത്ത ലാഭം
 DocType: Purchase Invoice,Eligibility For ITC,ഐ ടി സിയ്ക്കുള്ള യോഗ്യത
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP -YYYY.-
+DocType: Loan Security Pledge,Unpledged,പൂർ‌ത്തിയാകാത്തത്
 DocType: Journal Entry,Entry Type,എൻട്രി തരം
 ,Customer Credit Balance,കസ്റ്റമർ ക്രെഡിറ്റ് ബാലൻസ്
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,അടയ്ക്കേണ്ട തുക ലെ നെറ്റ് മാറ്റുക
@@ -2865,6 +2903,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ഹാജർ ഉപകരണ ഐഡി (ബയോമെട്രിക് / ആർ‌എഫ് ടാഗ് ഐഡി)
 DocType: Quotation,Term Details,ടേം വിശദാംശങ്ങൾ
 DocType: Item,Over Delivery/Receipt Allowance (%),ഓവർ ഡെലിവറി / രസീത് അലവൻസ് (%)
+DocType: Appointment Letter,Appointment Letter Template,അപ്പോയിന്റ്മെന്റ് ലെറ്റർ ടെംപ്ലേറ്റ്
 DocType: Employee Incentive,Employee Incentive,ജീവനക്കാരുടെ ഇൻസെന്റീവ്
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} ഈ വിദ്യാർത്ഥി ഗ്രൂപ്പിനായി വിദ്യാർത്ഥികൾ കൂടുതൽ എൻറോൾ ചെയ്യാൻ കഴിയില്ല.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),ആകെ (നികുതി കൂടാതെ)
@@ -2889,6 +2928,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",\ സീരിയൽ നമ്പർ വഴി ഡെലിവറി ഉറപ്പാക്കാനാവില്ല \ ഇനം {0} ചേർത്തും അല്ലാതെയും \ സീരിയൽ നമ്പർ ഡെലിവറി ഉറപ്പാക്കുന്നു.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ഇൻവോയ്സ് റദ്ദാക്കൽ പേയ്മെന്റ് അൺലിങ്കുചെയ്യുക
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,പ്രോസസ് ലോൺ പലിശ ശേഖരണം
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},നിലവിൽ തലത്തില് നൽകിയ പ്രാരംഭ വാഹനം ഓഡോമീറ്റർ {0} കൂടുതലായിരിക്കണം
 ,Purchase Order Items To Be Received or Billed,സ്വീകരിക്കേണ്ട അല്ലെങ്കിൽ ബില്ലുചെയ്യേണ്ട ഓർഡർ ഇനങ്ങൾ വാങ്ങുക
 DocType: Restaurant Reservation,No Show,പ്രദര്ശനം ഇല്ല
@@ -2973,6 +3013,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: കോസ്റ്റ് സെന്റർ &#39;ലാഭവും നഷ്ടവും&#39; അക്കൗണ്ട് {2} ആവശ്യമാണ്. കമ്പനി ഒരു സ്ഥിര കോസ്റ്റ് സെന്റർ സ്ഥാപിക്കും ദയവായി.
 DocType: Payment Schedule,Payment Term,പേയ്മെന്റ് ടേം
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ഉപഭോക്താവിനെ ഗ്രൂപ്പ് സമാന പേരിൽ നിലവിലുണ്ട് കസ്റ്റമർ പേര് മാറ്റാനോ കസ്റ്റമർ ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,പ്രവേശന അവസാന തീയതി പ്രവേശന ആരംഭ തീയതിയെക്കാൾ കൂടുതലായിരിക്കണം.
 DocType: Location,Area,വിസ്തീർണ്ണം
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,പുതിയ കോൺടാക്റ്റ്
 DocType: Company,Company Description,കമ്പനി വിവരണം
@@ -3045,6 +3086,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,മാപ്പുചെയ്ത ഡാറ്റ
 DocType: Purchase Order Item,Warehouse and Reference,വെയർഹൗസ് റഫറൻസ്
 DocType: Payroll Period Date,Payroll Period Date,പേയ്റൽ കാലാവധി തീയതി
+DocType: Loan Disbursement,Against Loan,വായ്പയ്‌ക്കെതിരെ
 DocType: Supplier,Statutory info and other general information about your Supplier,നിയമപ്രകാരമുള്ള വിവരങ്ങളും നിങ്ങളുടെ വിതരണക്കാരൻ കുറിച്ചുള്ള മറ്റ് ജനറൽ വിവരങ്ങൾ
 DocType: Item,Serial Nos and Batches,സീരിയൽ എണ്ണം ബാച്ചുകളും
 DocType: Item,Serial Nos and Batches,സീരിയൽ എണ്ണം ബാച്ചുകളും
@@ -3255,6 +3297,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),അടിസ്ഥാന സംഖ്യ (കമ്പനി കറൻസി)
 DocType: Purchase Invoice,Registered Regular,രജിസ്റ്റർ ചെയ്ത പതിവ്
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,അസംസ്കൃത വസ്തുക്കൾ
+DocType: Plaid Settings,sandbox,സാൻ‌ഡ്‌ബോക്സ്
 DocType: Payment Reconciliation Payment,Reference Row,റഫറൻസ് വരി
 DocType: Installation Note,Installation Time,ഇന്സ്റ്റലേഷന് സമയം
 DocType: Sales Invoice,Accounting Details,അക്കൗണ്ടിംഗ് വിശദാംശങ്ങൾ
@@ -3267,12 +3310,11 @@
 DocType: Leave Ledger Entry,Transaction Type,ഇടപാട് തരം
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,സ്വീകാര്യത മാനദണ്ഡം
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,മുകളിലുള്ള പട്ടികയിൽ മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ നൽകുക
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,ആകെ അടയ്ക്കേണ്ട തുക
 DocType: Task,Expected Time (in hours),(മണിക്കൂറിനുള്ളിൽ) പ്രതീക്ഷിക്കുന്ന സമയം
 DocType: Item Reorder,Check in (group),(ഗ്രൂപ്പ്) ചെക്ക് ഇൻ
 DocType: Soil Texture,Silt,സിൽറ്റ്
@@ -3304,6 +3346,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,അൺസബ്സ്മിഡ് ടാക്സ് എക്സംപ്ഷൻ പ്രൂഫിന് നികുതി ഇളവ് ചെയ്യുക
 DocType: Volunteer,Anytime,ഏതുസമയത്തും
 DocType: Bank Account,Bank Account No,ബാങ്ക് അക്കൗണ്ട് നം
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,വിതരണവും തിരിച്ചടവും
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,എംപ്ലോയീസ് ടാക്സ് എക്സംപ്ഷൻ പ്രൂഫ് സമർപ്പണം
 DocType: Patient,Surgical History,സർജിക്കൽ ചരിത്രം
 DocType: Bank Statement Settings Item,Mapped Header,മാപ്പിംഗ് ഹെഡ്ഡർ
@@ -3364,6 +3407,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,സെയിൽ ഇൻവോയ്സ് സമർപ്പിക്കുക എന്നതിലെ ലാബ് ടെസ്റ്റ് (കൾ) സൃഷ്ടിക്കുക
 DocType: Serial No,Invoice Details,ഇൻവോയ്സ് വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,നികുതി ഇളവ് പ്രഖ്യാപനം സമർപ്പിക്കുന്നതിന് മുമ്പ് ശമ്പള ഘടന സമർപ്പിക്കണം
+DocType: Loan Application,Proposed Pledges,നിർദ്ദേശിച്ച പ്രതിജ്ഞകൾ
 DocType: Grant Application,Show on Website,വെബ്സൈറ്റിൽ കാണിക്കുക
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,ആരംഭിക്കുക
 DocType: Hub Tracked Item,Hub Category,ഹബ് വിഭാഗം
@@ -3375,7 +3419,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,വിതരണക്കാരൻ സ്കോറർ സ്റ്റാൻഡിംഗ്
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},വരി {0}: വസ്തുക്കൾ ബിൽ ഇനം {1} കണ്ടില്ല
 DocType: Contract Fulfilment Checklist,Requirement,ആവശ്യമുണ്ട്
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ഹ്യൂമൻ റിസോഴ്സ്&gt; എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക
 DocType: Journal Entry,Accounts Receivable,സ്വീകാരയോഗ്യമായ കണക്കുകള്
 DocType: Quality Goal,Objectives,ലക്ഷ്യങ്ങൾ
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ബാക്ക്ഡേറ്റഡ് ലീവ് ആപ്ലിക്കേഷൻ സൃഷ്ടിക്കാൻ അനുവദിച്ച പങ്ക്
@@ -3631,6 +3674,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,തീയതി മുതൽ സാധുതയുള്ള തീയതി വരെ സാധുത കുറവായിരിക്കണം.
 DocType: Employee Skill,Evaluation Date,മൂല്യനിർണ്ണയ തീയതി
 DocType: Quotation Item,Stock Balance,ഓഹരി ബാലൻസ്
+DocType: Loan Security Pledge,Total Security Value,മൊത്തം സുരക്ഷാ മൂല്യം
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,പെയ്മെന്റ് വിൽപ്പന ഓർഡർ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,സിഇഒ
 DocType: Purchase Invoice,With Payment of Tax,നികുതി അടച്ചുകൊണ്ട്
@@ -3643,6 +3687,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,ശരിയായ അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
 DocType: Salary Structure Assignment,Salary Structure Assignment,ശമ്പളം ഘടന നിർണയം
 DocType: Purchase Invoice Item,Weight UOM,ഭാരോദ്വഹനം UOM
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},{0} അക്കൗണ്ട് ഡാഷ്‌ബോർഡ് ചാർട്ടിൽ നിലവിലില്ല {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ഫോളിയോ നമ്പറുകളുള്ള ഷെയർഹോൾഡർമാരുടെ പട്ടിക
 DocType: Salary Structure Employee,Salary Structure Employee,ശമ്പള ഘടന ജീവനക്കാരുടെ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,വേരിയന്റ് ആട്രിബ്യൂട്ടുകൾ കാണിക്കുക
@@ -3720,6 +3765,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,ഇപ്പോഴത്തെ മൂലധനം റേറ്റ്
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,റൂട്ട് അക്കൗണ്ടുകളുടെ എണ്ണം 4 ൽ കുറവാകരുത്
 DocType: Training Event,Advance,അഡ്വാൻസ്
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,വായ്പയ്‌ക്കെതിരെ:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless പേയ്മെന്റ് ഗേറ്റ്വേ ക്രമീകരണങ്ങൾ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,എക്സ്ചേഞ്ച് ഗെയിൻ / നഷ്ടം
 DocType: Opportunity,Lost Reason,നഷ്ടപ്പെട്ട കാരണം
@@ -3802,8 +3848,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,തിരഞ്ഞെടുക്കുക ബാച്ച് ഇല്ല
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},അസാധുവായ {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,വരി {0}: സഹോദരന്റെ ജനനത്തീയതി ഇന്നത്തേതിനേക്കാൾ വലുതായിരിക്കരുത്.
 DocType: Fee Validity,Reference Inv,റെഫറൻസ് ആഹ്
 DocType: Sales Invoice Advance,Advance Amount,മുൻകൂർ തുക
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,പ്രതിദിനം പലിശ നിരക്ക് (%)
 DocType: Manufacturing Settings,Capacity Planning,ശേഷി ആസൂത്രണ
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,റൗണ്ടിംഗ് അഡ്ജസ്റ്റ്മെന്റ് (കമ്പനി കറൻസി
 DocType: Asset,Policy number,പോളിസി നമ്പർ
@@ -3818,7 +3866,9 @@
 DocType: Normal Test Items,Require Result Value,റിസൾട്ട് മൂല്യം ആവശ്യമാണ്
 DocType: Purchase Invoice,Pricing Rules,വിലനിർണ്ണയ നിയമങ്ങൾ
 DocType: Item,Show a slideshow at the top of the page,പേജിന്റെ മുകളിൽ ഒരു സ്ലൈഡ്ഷോ കാണിക്കുക
+DocType: Appointment Letter,Body,ശരീരം
 DocType: Tax Withholding Rate,Tax Withholding Rate,ടാക്സ് വിത്ത്ഹോൾഡിംഗ് റേറ്റ്
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,ടേം ലോണുകൾക്ക് തിരിച്ചടവ് ആരംഭ തീയതി നിർബന്ധമാണ്
 DocType: Pricing Rule,Max Amt,മാക്സ് ആം
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,സ്റ്റോറുകൾ
@@ -3836,7 +3886,7 @@
 DocType: Call Log,Received By,സ്വീകരിച്ചത്
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),അപ്പോയിന്റ്മെന്റ് കാലാവധി (മിനിറ്റുകളിൽ)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ക്യാഷ് ഫ്ലോ മാപ്പിംഗ് ടെംപ്ലേറ്റ് വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,ലോൺ മാനേജ്മെന്റ്
+DocType: Loan,Loan Management,ലോൺ മാനേജ്മെന്റ്
 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,Update Cost,അപ്ഡേറ്റ് ചെലവ്
@@ -3844,6 +3894,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B- ഫോം
 DocType: Sales Invoice,Mode of Transport,ഗതാഗത മാർഗ്ഗം
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,ശമ്പള ജി കാണിക്കുക
+DocType: Loan,Is Term Loan,ടേം ലോൺ ആണ്
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,മെറ്റീരിയൽ കൈമാറുക
 DocType: Fees,Send Payment Request,പേയ്മെന്റ് അഭ്യർത്ഥന അയയ്ക്കുക
 DocType: Travel Request,Any other details,മറ്റേതൊരു വിശദാംശവും
@@ -3861,6 +3912,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,ഫിനാൻസിംഗ് നിന്നുള്ള ക്യാഷ് ഫ്ളോ
 DocType: Budget Account,Budget Account,ബജറ്റ് അക്കൗണ്ട്
 DocType: Quality Inspection,Verified By,പരിശോധിച്ചു
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,വായ്പ സുരക്ഷ ചേർക്കുക
 DocType: Travel Request,Name of Organizer,ഓർഗനൈസറുടെ പേര്
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,ആദായ നികുതി ബാധ്യതയാണ്
@@ -3910,6 +3962,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ആവശ്യമാണ്
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","പരിശോധിക്കുകയാണെങ്കിൽ, ശമ്പള സ്ലിപ്പുകളിലെ വൃത്താകൃതിയിലുള്ള മൊത്തം ഫീൽഡ് മറയ്ക്കുകയും അപ്രാപ്തമാക്കുകയും ചെയ്യുന്നു"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,വിൽപ്പന ഓർഡറുകളിലെ ഡെലിവറി തീയതിയുടെ സ്ഥിരസ്ഥിതി ഓഫ്‌സെറ്റ് (ദിവസങ്ങൾ) ഇതാണ്. ഓർഡർ പ്ലെയ്‌സ്‌മെന്റ് തീയതി മുതൽ 7 ദിവസമാണ് ഫോൾബാക്ക് ഓഫ്‌സെറ്റ്.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,സജ്ജീകരണം&gt; നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക
 DocType: Rename Tool,File to Rename,പേരു്മാറ്റുക ഫയൽ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},ദയവായി വരി {0} ൽ ഇനം വേണ്ടി BOM ൽ തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,സബ്സ്ക്രിപ്ഷൻ അപ്ഡേറ്റുകൾ ലഭ്യമാക്കുക
@@ -3922,6 +3975,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,സീരിയൽ നമ്പറുകൾ സൃഷ്ടിച്ചു
 DocType: POS Profile,Applicable for Users,ഉപയോക്താക്കൾക്ക് ബാധകമാണ്
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN- .YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,തീയതി മുതൽ തീയതി വരെ നിർബന്ധമാണ്
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),അഡ്വാൻസുകളും അലോക്കേറ്റും (FIFO) സജ്ജമാക്കുക
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,സൃഷ്ടി ഉത്തരവുകളൊന്നും സൃഷ്ടിച്ചിട്ടില്ല
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം ഈ കാലയളവിൽ സൃഷ്ടിച്ച
@@ -4025,11 +4079,12 @@
 ,Minutes to First Response for Opportunity,അവസരം ആദ്യപ്രതികരണം ലേക്കുള്ള മിനിറ്റ്
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,ആകെ േചാദി
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,വരി ഐറ്റം അപാകതയുണ്ട് {0} മെറ്റീരിയൽ അഭ്യർത്ഥന പൊരുത്തപ്പെടുന്നില്ല
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,നൽകേണ്ട തുക
+DocType: Loan Repayment,Payable Amount,നൽകേണ്ട തുക
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,അവസരം
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,പരമാവധി ശക്തി പൂജ്യത്തേക്കാൾ കുറവായിരിക്കരുത്.
 DocType: Options,Option,ഓപ്ഷൻ
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},അടച്ച അക്ക ing ണ്ടിംഗ് കാലയളവിൽ നിങ്ങൾക്ക് അക്ക account ണ്ടിംഗ് എൻ‌ട്രികൾ സൃഷ്ടിക്കാൻ കഴിയില്ല {0}
 DocType: Operation,Default Workstation,സ്ഥിരസ്ഥിതി വർക്ക്സ്റ്റേഷൻ
@@ -4071,6 +4126,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,പലിശ തുക നിർബന്ധമാണ്
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ശമ്പള വിടണമെന്ന് അംഗീകൃത അനുവാദ ആപ്ലിക്കേഷന് രേഖകളുമായി പൊരുത്തപ്പെടുന്നില്ല
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,അടുത്ത ഘട്ടങ്ങൾ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ഇനങ്ങൾ സംരക്ഷിച്ചു
@@ -4122,8 +4178,6 @@
 DocType: Grant Application,Grant Application Details ,അപേക്ഷകൾ അനുവദിക്കുക
 DocType: Employee Separation,Employee Separation,തൊഴിലുടമ വേർപിരിയൽ
 DocType: BOM Item,Original Item,യഥാർത്ഥ ഇനം
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ <a href=""#Form/Employee/{0}"">{0}</a> delete ഇല്ലാതാക്കുക"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,പ്രമാണ തീയതി
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},സൃഷ്ടിച്ചു ഫീസ് റെക്കോർഡ്സ് - {0}
 DocType: Asset Category Account,Asset Category Account,അസറ്റ് വർഗ്ഗം അക്കൗണ്ട്
@@ -4158,6 +4212,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ലാബ് ടെസ്റ്റ് ഇനം {0} ഇതിനകം നിലവിലുണ്ട്
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ഒരു കമ്പനി അവധി ദിവസമാണ്
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ബിൽ ചെയ്യാവുന്ന സമയം
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,തിരിച്ചടവ് വൈകിയാൽ ദിവസേന തീർപ്പുകൽപ്പിക്കാത്ത പലിശ തുകയ്ക്ക് പിഴ പലിശ നിരക്ക് ഈടാക്കുന്നു
+DocType: Appointment Letter content,Appointment Letter content,അപ്പോയിന്റ്മെന്റ് ലെറ്റർ ഉള്ളടക്കം
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,സ്റ്റാറ്റസ് അറിയിപ്പ് വിടുക
 DocType: Patient Appointment,Procedure Prescription,നടപടിക്രമം കുറിപ്പടി
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures ആൻഡ് മതംതീര്ത്ഥാടനംജ്യോതിഷംഉത്സവങ്ങള്വിശ്വസിക്കാമോ
@@ -4176,7 +4232,7 @@
 DocType: Opportunity,Customer / Lead Name,കസ്റ്റമർ / ലീഡ് പേര്
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ക്ലിയറൻസ് തീയതി പറഞ്ഞിട്ടില്ലാത്ത
 DocType: Payroll Period,Taxable Salary Slabs,നികുതി അടയ്ക്കാവുന്ന ശമ്പള സ്ലാബുകൾ
-DocType: Job Card,Production,പ്രൊഡക്ഷൻ
+DocType: Plaid Settings,Production,പ്രൊഡക്ഷൻ
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN അസാധുവാണ്! നിങ്ങൾ നൽകിയ ഇൻപുട്ട് GSTIN ഫോർമാറ്റുമായി പൊരുത്തപ്പെടുന്നില്ല.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,അക്കൗണ്ട് മൂല്യം
 DocType: Guardian,Occupation,തൊഴില്
@@ -4314,6 +4370,7 @@
 DocType: Healthcare Settings,Registration Fee,രജിസ്ട്രേഷൻ ഫീസ്
 DocType: Loyalty Program Collection,Loyalty Program Collection,ലോയൽറ്റി പ്രോഗ്രാം ശേഖരണം
 DocType: Stock Entry Detail,Subcontracted Item,സബ്ക്യുട്ടഡ് ചെയ്ത ഇനം
+DocType: Appointment Letter,Appointment Date,നിയമന തീയതി
 DocType: Budget,Cost Center,ചെലവ് കേന്ദ്രം
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,സാക്ഷപ്പെടുത്തല് #
 DocType: Tax Rule,Shipping Country,ഷിപ്പിംഗ് രാജ്യം
@@ -4383,6 +4440,7 @@
 DocType: Accounting Dimension,Accounting Dimension,അക്ക ing ണ്ടിംഗ് അളവ്
 ,Profit and Loss Statement,അറ്റാദായം നഷ്ടവും സ്റ്റേറ്റ്മെന്റ്
 DocType: Bank Reconciliation Detail,Cheque Number,ചെക്ക് നമ്പർ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,അടച്ച തുക പൂജ്യമാകരുത്
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} റഫർ ചെയ്ത ഇനം ഇതിനകം തന്നെ വിളിക്കപ്പെട്ടിരിക്കുന്നു
 ,Sales Browser,സെയിൽസ് ബ്രൗസർ
 DocType: Journal Entry,Total Credit,ആകെ ക്രെഡിറ്റ്
@@ -4487,6 +4545,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,കൂപ്പൺ നിബന്ധനകൾ ചേർക്കുക / എഡിറ്റുചെയ്യുക
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ചിലവേറിയ / വ്യത്യാസം അക്കൗണ്ട് ({0}) ഒരു &#39;പ്രോഫിറ്റ് അല്ലെങ്കിൽ നഷ്ടം&#39; അക്കൗണ്ട് ആയിരിക്കണം
 DocType: Stock Entry Detail,Stock Entry Child,സ്റ്റോക്ക് എൻട്രി കുട്ടി
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,ലോൺ സെക്യൂരിറ്റി പ്രതിജ്ഞാ കമ്പനിയും ലോൺ കമ്പനിയും ഒന്നായിരിക്കണം
 DocType: Project,Copied From,നിന്നും പകർത്തി
 DocType: Project,Copied From,നിന്നും പകർത്തി
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,എല്ലാ ബില്ലിംഗ് പ്രവർത്തനങ്ങൾക്കും ഇൻവോയ്സ് ഇതിനകം സൃഷ്ടിച്ചു
@@ -4495,6 +4554,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,ധനകാര്യ ചെലവ്
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,ജീവനക്കാരൻ {0} വേണ്ടി ഹാജർ ഇതിനകം മലിനമായിരിക്കുന്നു
 DocType: Packing Slip,If more than one package of the same type (for print),(പ്രിന്റ് വേണ്ടി) ഒരേ തരത്തിലുള്ള ഒന്നിലധികം പാക്കേജ് എങ്കിൽ
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,വിദ്യാഭ്യാസം&gt; വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,റെസ്റ്റോറന്റ് ക്രമീകരണങ്ങളിൽ സ്ഥിരസ്ഥിതി ഉപഭോക്താവിനെ സജ്ജീകരിക്കുക
 ,Salary Register,ശമ്പള രജിസ്റ്റർ
 DocType: Company,Default warehouse for Sales Return,സെയിൽസ് റിട്ടേണിനായുള്ള സ്ഥിര വെയർഹ house സ്
@@ -4539,7 +4599,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,നിലവിലെ സീരിയൽ നമ്പർ
 DocType: Employee,Attendance and Leave Details,ഹാജർനിലയും വിശദാംശങ്ങളും വിടുക
 ,BOM Comparison Tool,BOM താരതമ്യ ഉപകരണം
-,Requested,അഭ്യർത്ഥിച്ചു
+DocType: Loan Security Pledge,Requested,അഭ്യർത്ഥിച്ചു
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,ഇല്ല അഭിപ്രായപ്രകടനം
 DocType: Asset,In Maintenance,അറ്റകുറ്റപ്പണികൾ
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ആമസോൺ MWS- ൽ നിന്നും നിങ്ങളുടെ സെയിൽസ് ഓർഡർ ഡാറ്റ പിൻവലിക്കുന്നതിന് ഈ ബട്ടൺ ക്ലിക്കുചെയ്യുക.
@@ -4551,7 +4611,6 @@
 DocType: Drug Prescription,Drug Prescription,മരുന്ന് കുറിപ്പടി
 DocType: Service Level,Support and Resolution,പിന്തുണയും റെസല്യൂഷനും
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,സ item ജന്യ ഇന കോഡ് തിരഞ്ഞെടുത്തിട്ടില്ല
-DocType: Loan,Repaid/Closed,പ്രതിഫലം / അടച്ചു
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,ആകെ പ്രൊജക്റ്റുചെയ്തു അളവ്
 DocType: Monthly Distribution,Distribution Name,വിതരണ പേര്
@@ -4583,6 +4642,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,ഓഹരി വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ഇതിനകം നിങ്ങൾ വിലയിരുത്തൽ മാനദണ്ഡങ്ങൾ {} വേണ്ടി വിലയിരുത്തി ചെയ്തു.
+DocType: Loan Security Shortfall,Shortfall Amount,കുറവ് തുക
 DocType: Vehicle Service,Engine Oil,എഞ്ചിൻ ഓയിൽ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},സൃഷ്ടികൾ ഓർഡറുകൾ സൃഷ്ടിച്ചു: {0}
 DocType: Sales Invoice,Sales Team1,സെയിൽസ് ടീം 1
@@ -4600,6 +4660,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ഡാഷ്‌ബോർഡ് ചാർട്ടിനായി അക്കൗണ്ട് സജ്ജമാക്കിയിട്ടില്ല {0}
 DocType: Purchase Invoice,Apply Additional Discount On,പ്രയോഗിക്കുക അധിക ഡിസ്കൌണ്ട്
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,തരം തിരഞ്ഞെടുക്കുക ...
+DocType: Loan Interest Accrual,Amounts,തുകകൾ
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,നിങ്ങളുടെ ടിക്കറ്റുകൾ
 DocType: Account,Root Type,റൂട്ട് തരം
 DocType: Item,FIFO,fifo തുറക്കാന്കഴിയില്ല
@@ -4607,6 +4668,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},വരി # {0}: {1} ഇനം വേണ്ടി {2} അധികം മടങ്ങിപ്പോകാനാകില്ല
 DocType: Item Group,Show this slideshow at the top of the page,പേജിന്റെ മുകളിലുള്ള ഈ സ്ലൈഡ്ഷോ കാണിക്കുക
 DocType: BOM,Item UOM,ഇനം UOM
+DocType: Loan Security Price,Loan Security Price,വായ്പ സുരക്ഷാ വില
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ഡിസ്കൗണ്ട് തുക (കമ്പനി കറന്സി) ശേഷം നികുതിയും
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ടാർജറ്റ് വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ്
 apps/erpnext/erpnext/config/retail.py,Retail Operations,റീട്ടെയിൽ പ്രവർത്തനങ്ങൾ
@@ -4743,6 +4805,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},ബാച്ച് വരി {0} ൽ നിർബന്ധമായും
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},ബാച്ച് വരി {0} ൽ നിർബന്ധമായും
 DocType: Company,Default Buying Terms,സ്ഥിരസ്ഥിതി വാങ്ങൽ നിബന്ധനകൾ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,വായ്പ വിതരണം
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,നൽകിയത് വാങ്ങൽ രസീത് ഇനം
 DocType: Amazon MWS Settings,Enable Scheduled Synch,ഷെഡ്യൂൾ ചെയ്ത സമന്വയം പ്രവർത്തനക്ഷമമാക്കുക
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,തീയതി-ചെയ്യുന്നതിനായി
@@ -4834,6 +4897,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,പ്രൊപ്പോസൽ / പ്രൈസ് ക്വാട്ട്
 DocType: Antibiotic,Healthcare,ആരോഗ്യ പരിരക്ഷ
 DocType: Target Detail,Target Detail,ടാർജറ്റ് വിശദാംശം
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,വായ്പാ പ്രക്രിയകൾ
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,സിംഗിൾ വേരിയന്റ്
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,എല്ലാ ജോലി
 DocType: Sales Order,% of materials billed against this Sales Order,ഈ സെയിൽസ് ഓർഡർ നേരെ ഈടാക്കും വസ്തുക്കൾ%
@@ -4893,7 +4957,7 @@
 DocType: Item,Reorder level based on Warehouse,വെയർഹൗസ് അടിസ്ഥാനമാക്കിയുള്ള പുനഃക്രമീകരിക്കുക തലത്തിൽ
 DocType: Activity Cost,Billing Rate,ബില്ലിംഗ് റേറ്റ്
 ,Qty to Deliver,വിടുവിപ്പാൻ Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,വിതരണ എൻട്രി സൃഷ്ടിക്കുക
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,വിതരണ എൻട്രി സൃഷ്ടിക്കുക
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ഈ തീയതിക്ക് ശേഷം അപ്ഡേറ്റ് ചെയ്ത ഡാറ്റ ആമസോൺ സമന്വയിപ്പിക്കും
 ,Stock Analytics,സ്റ്റോക്ക് അനലിറ്റിക്സ്
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,ഓപ്പറേഷൻ ശൂന്യമായിടാൻ കഴിയില്ല
@@ -4927,6 +4991,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,ബാഹ്യ സംയോജനങ്ങൾ അൺലിങ്ക് ചെയ്യുക
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,അനുബന്ധ പേയ്‌മെന്റ് തിരഞ്ഞെടുക്കുക
 DocType: Pricing Rule,Item Code,ഇനം കോഡ്
+DocType: Loan Disbursement,Pending Amount For Disbursal,വിതരണത്തിനുള്ള തീർ‌ച്ചപ്പെടുത്തിയിട്ടില്ല
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,വാറന്റി / എഎംസി വിവരങ്ങൾ
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,പ്രവർത്തനം അടിസ്ഥാനമാക്കി ഗ്രൂപ്പ് മാനുവലായി വിദ്യാർത്ഥികളെ തിരഞ്ഞെടുക്കുക
@@ -4952,6 +5017,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,മൊത്തം മൊത്തം
 DocType: Landed Cost Item,Receipt Document,രസീത് പ്രമാണം
 DocType: Employee Education,School/University,സ്കൂൾ / യൂണിവേഴ്സിറ്റി
+DocType: Loan Security Pledge,Loan  Details,വായ്പ വിശദാംശങ്ങൾ
 DocType: Sales Invoice Item,Available Qty at Warehouse,സംഭരണശാല ലഭ്യമാണ് Qty
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,ഈടാക്കൂ തുക
 DocType: Share Transfer,(including),(ഉൾപ്പെടെ)
@@ -4975,6 +5041,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,ഗ്രൂപ്പുകൾ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,അക്കൗണ്ട് വഴി ഗ്രൂപ്പ്
 DocType: Purchase Invoice,Hold Invoice,ഇൻവോയ്സ് പിടിക്കുക
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,പ്രതിജ്ഞാ നില
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,തൊഴിലുടമ തിരഞ്ഞെടുക്കുക
 DocType: Sales Order,Fully Delivered,പൂർണ്ണമായി കൈമാറി
 DocType: Promotional Scheme Price Discount,Min Amount,കുറഞ്ഞ തുക
@@ -4984,7 +5051,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},വിതരണം തുക വായ്പാ തുക {0} അധികമാകരുത് കഴിയില്ല
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ഇനം {0} വേണ്ടി ആവശ്യമാണ് വാങ്ങൽ ഓർഡർ നമ്പർ
 DocType: Leave Allocation,Carry Forwarded Leaves,കൈമാറിയ ഇലകൾ വഹിക്കുക
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',&#39;ഈ തീയതി മുതൽ&#39; &#39;തീയതി ആരംഭിക്കുന്ന&#39; ശേഷം ആയിരിക്കണം
@@ -5010,6 +5076,7 @@
 DocType: Pick List Item,Serial No and Batch,സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച്
 DocType: Warranty Claim,From Company,കമ്പനി നിന്നും
 DocType: GSTR 3B Report,January,ജനുവരി
+DocType: Loan Repayment,Principal Amount Paid,പണമടച്ച പ്രിൻസിപ്പൽ തുക
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,വിലയിരുത്തിയശേഷം മാനദണ്ഡം സ്കോററായ സം {0} വേണം.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,ബുക്കുചെയ്തു Depreciations എണ്ണം ക്രമീകരിക്കുക ദയവായി
 DocType: Supplier Scorecard Period,Calculations,കണക്കുകൂട്ടലുകൾ
@@ -5036,6 +5103,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,നിങ്ങളുടെ കമ്പനിയെക്കുറിച്ച്
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,സ്റ്റോക്ക് ഏജിംഗ് ഡാറ്റ കാണിക്കുക
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം
+DocType: Loan Repayment,Penalty Amount,പിഴ തുക
 DocType: Donor,Donor,ദാതാവിന്
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ഇനങ്ങൾക്കായി നികുതികൾ അപ്‌ഡേറ്റുചെയ്യുക
 DocType: Global Defaults,Disable In Words,വാക്കുകളിൽ പ്രവർത്തനരഹിതമാക്കുക
@@ -5066,6 +5134,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,കോസ്റ്റ് സെന്ററും ബജറ്റിംഗും
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ബാലൻസ് ഇക്വിറ്റി തുറക്കുന്നു
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,ഭാഗിക പണമടച്ചുള്ള എൻട്രി
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,പേയ്‌മെന്റ് ഷെഡ്യൂൾ സജ്ജമാക്കുക
 DocType: Pick List,Items under this warehouse will be suggested,ഈ വെയർഹൗസിന് കീഴിലുള്ള ഇനങ്ങൾ നിർദ്ദേശിക്കും
 DocType: Purchase Invoice,N,N
@@ -5097,7 +5166,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,വഴി വിതരണക്കാരെ നേടുക
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ഇനത്തിനായുള്ള {0} കണ്ടെത്തിയില്ല
 DocType: Accounts Settings,Show Inclusive Tax In Print,അച്ചടിച്ച ഇൻകമിങ് ടാക്സ് കാണിക്കുക
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","ബാങ്ക് അക്കൗണ്ട്, തീയതി മുതൽ അതിലേക്കുള്ള നിയമനം നിർബന്ധമാണ്"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,സന്ദേശം അയച്ചു
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ ആയി സജ്ജമാക്കാൻ കഴിയില്ല
 DocType: C-Form,II,രണ്ടാം
@@ -5111,6 +5179,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,യാന്ത്രിക പുന -ക്രമീകരണം പ്രവർത്തനക്ഷമമാക്കുക
 DocType: Stock Settings,Item Naming By,തന്നെയാണ നാമകരണം ഇനം
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},{0} {1} ശേഷം ഇതുവരെ ലഭിച്ചിട്ടുള്ള മറ്റൊരു കാലയളവ് സമാപന എൻട്രി
+DocType: Proposed Pledge,Proposed Pledge,നിർദ്ദേശിച്ച പ്രതിജ്ഞ
 DocType: Work Order,Material Transferred for Manufacturing,ണം വേണ്ടി മാറ്റിയത് മെറ്റീരിയൽ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,അക്കൗണ്ട് {0} നിലവിലുണ്ട് ഇല്ല
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ലോയൽറ്റി പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക
@@ -5121,7 +5190,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","സെയിൽസ് പേഴ്സൺസ് താഴെ ഘടിപ്പിച്ചിരിക്കുന്ന ജീവനക്കാർ {1} ഒരു ഉപയോക്താവിന്റെ ഐഡി ഇല്ല ശേഷം, ലേക്കുള്ള {0} ഇവന്റുകൾ ക്രമീകരിക്കുന്നു"
 DocType: Timesheet,Billing Details,ബില്ലിംഗ് വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,"ഉറവിട, ടാർഗെറ്റ് വെയർഹൗസ് വ്യത്യസ്തമായിരിക്കണം"
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ഹ്യൂമൻ റിസോഴ്സ്&gt; എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,പേയ്മെന്റ് പരാജയപ്പെട്ടു. കൂടുതൽ വിശദാംശങ്ങൾക്ക് നിങ്ങളുടെ GoCardless അക്കൗണ്ട് പരിശോധിക്കുക
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} ചെന്നവർ സ്റ്റോക്ക് ഇടപാടുകൾ പുതുക്കുന്നതിനായി അനുവാദമില്ല
 DocType: Stock Entry,Inspection Required,ഇൻസ്പെക്ഷൻ ആവശ്യമുണ്ട്
@@ -5134,6 +5202,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,പ്രോഗ്രാം
+DocType: Unpledge,Against Pledge,പ്രതിജ്ഞയ്‌ക്കെതിരെ
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ഈ പങ്ക് ഉപയോക്താക്കൾ മരവിച്ച അക്കൗണ്ടുകൾ സജ്ജമാക്കാനും സൃഷ്ടിക്കുന്നതിനും / ശീതീകരിച്ച അക്കൗണ്ടുകൾ നേരെ അക്കൗണ്ടിങ് എൻട്രികൾ പരിഷ്ക്കരിക്കുക അനുവദിച്ചിരിക്കുന്ന
 DocType: Plaid Settings,Plaid Environment,പ്ലെയ്ഡ് പരിസ്ഥിതി
 ,Project Billing Summary,പ്രോജക്റ്റ് ബില്ലിംഗ് സംഗ്രഹം
@@ -5186,6 +5255,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ബാച്ചുകൾ
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ദിവസങ്ങളുടെ കൂടിക്കാഴ്‌ചകളുടെ എണ്ണം മുൻകൂട്ടി ബുക്ക് ചെയ്യാം
 DocType: Article,LMS User,LMS ഉപയോക്താവ്
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,സുരക്ഷിത വായ്പയ്ക്ക് വായ്പ സുരക്ഷാ പ്രതിജ്ഞ നിർബന്ധമാണ്
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),വിതരണ സ്ഥലം (സംസ്ഥാനം / യുടി)
 DocType: Purchase Order Item Supplied,Stock UOM,ഓഹരി UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,വാങ്ങൽ ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
@@ -5258,6 +5328,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ജോബ് കാർഡ് സൃഷ്ടിക്കുക
 DocType: Quotation,Referral Sales Partner,റഫറൽ സെയിൽസ് പാർട്ണർ
 DocType: Quality Procedure Process,Process Description,പ്രോസസ്സ് വിവരണം
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","അൺപ്ലെഡ് ചെയ്യാൻ കഴിയില്ല, വായ്പാ സുരക്ഷാ മൂല്യം തിരിച്ചടച്ച തുകയേക്കാൾ വലുതാണ്"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ഉപഭോക്താവ് {0} സൃഷ്ടിച്ചു.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ഏതൊരു വെയർഹൌസിലും നിലവിൽ സ്റ്റോക്കില്ല
 ,Payment Period Based On Invoice Date,ഇൻവോയിസ് തീയതി അടിസ്ഥാനമാക്കി പേയ്മെന്റ് പിരീഡ്
@@ -5277,7 +5348,7 @@
 DocType: Asset,Insurance Details,ഇൻഷുറൻസ് വിശദാംശങ്ങൾ
 DocType: Account,Payable,അടയ്ക്കേണ്ട
 DocType: Share Balance,Share Type,പങ്കിടൽ തരം
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,ദയവായി തിരിച്ചടവ് ഭരണവും നൽകുക
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,ദയവായി തിരിച്ചടവ് ഭരണവും നൽകുക
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),കടക്കാർ ({0})
 DocType: Pricing Rule,Margin,മാർജിൻ
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,പുതിയ ഉപഭോക്താക്കളെ
@@ -5286,6 +5357,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,ലീഡ് സ്രോതസിലൂടെ അവസരങ്ങൾ
 DocType: Appraisal Goal,Weightage (%),വെയിറ്റേജ് (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS പ്രൊഫൈൽ മാറ്റുക
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,വായ്പ സുരക്ഷയ്‌ക്കായി ക്യൂട്ടി അല്ലെങ്കിൽ തുക മാൻ‌ഡ്രോയ് ആണ്
 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,Assessment Report,അസ്സസ്മെന്റ് റിപ്പോർട്ട്
@@ -5320,6 +5392,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ലഡ്ജർ പങ്കിടുക
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,വിൽപ്പന ഇൻവോയ്സ് {0} സൃഷ്ടിച്ചു
 DocType: Employee,Confirmation Date,സ്ഥിരീകരണം തീയതി
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ <a href=""#Form/Employee/{0}"">{0}</a> delete ഇല്ലാതാക്കുക"
 DocType: Inpatient Occupancy,Check Out,ചെക്ക് ഔട്ട്
 DocType: C-Form,Total Invoiced Amount,ആകെ Invoiced തുക
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,കുറഞ്ഞത് Qty മാക്സ് Qty വലുതായിരിക്കും കഴിയില്ല
@@ -5332,7 +5406,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ക്വിക്ക്ബുക്ക്സ് കമ്പനി ഐഡി
 DocType: Travel Request,Travel Funding,ട്രാവൽ ഫണ്ടിംഗ്
 DocType: Employee Skill,Proficiency,പ്രാവീണ്യം
-DocType: Loan Application,Required by Date,തീയതി പ്രകാരം ആവശ്യമാണ്
 DocType: Purchase Invoice Item,Purchase Receipt Detail,രസീത് വിശദാംശങ്ങൾ വാങ്ങുക
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,വിളവെടുപ്പ് നടക്കുന്ന എല്ലാ സ്ഥലങ്ങളിലേക്കും ഒരു ലിങ്ക്
 DocType: Lead,Lead Owner,ലീഡ് ഉടമ
@@ -5351,7 +5424,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,ഇപ്പോഴത്തെ BOM ലേക്ക് ന്യൂ BOM ഒന്നുതന്നെയായിരിക്കരുത്
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ശമ്പള ജി ഐഡി
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,വിരമിക്കുന്ന തീയതി ചേരുന്നു തീയതി വലുതായിരിക്കണം
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,വിതരണക്കാരൻ&gt; വിതരണ തരം
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,വിവിധ വകഭേദങ്ങൾ
 DocType: Sales Invoice,Against Income Account,ആദായ അക്കൗണ്ടിനെതിരായ
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,കൈമാറി {0}%
@@ -5384,7 +5456,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,മൂലധനം തരം ചാർജ് സഹായകം ആയി അടയാളപ്പെടുത്തി കഴിയില്ല
 DocType: POS Profile,Update Stock,സ്റ്റോക്ക് അപ്ഡേറ്റ്
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,പേയ്മെന്റ് വിശദാംശങ്ങൾ
+DocType: Loan Repayment,Payment Details,പേയ്മെന്റ് വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM റേറ്റ്
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,അപ്‌ലോഡുചെയ്‌ത ഫയൽ വായിക്കുന്നു
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","നിർത്തി ജോലി ഓർഡർ റദ്ദാക്കാൻ കഴിയുന്നില്ല, റദ്ദാക്കാൻ ആദ്യം അതിനെ തടഞ്ഞുനിർത്തുക"
@@ -5416,6 +5488,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,പരമാവധി വായ്പ മൂല്യം
 ,Stock Ledger,ഓഹരി ലെഡ്ജർ
 DocType: Company,Exchange Gain / Loss Account,എക്സ്ചേഞ്ച് ഗെയിൻ / നഷ്ടം അക്കൗണ്ട്
 DocType: Amazon MWS Settings,MWS Credentials,MWS ക്രെഡൻഷ്യലുകൾ
@@ -5523,7 +5596,6 @@
 DocType: Fee Schedule,Fee Schedule,ഷെഡ്യുള്
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,നിര ലേബലുകൾ‌:
 DocType: Bank Transaction,Settled,സെറ്റിൽ ചെയ്തു
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,വായ്പ തിരിച്ചടവ് ആരംഭ തീയതിക്ക് ശേഷം വിതരണ തീയതി പാടില്ല
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,സെസ്
 DocType: Quality Feedback,Parameters,പാരാമീറ്ററുകൾ
 DocType: Company,Create Chart Of Accounts Based On,അക്കൗണ്ടുകൾ അടിസ്ഥാനമാക്കിയുള്ള ചാർട്ട് സൃഷ്ടിക്കുക
@@ -5543,6 +5615,7 @@
 DocType: Customer,Credit Limit and Payment Terms,"ക്രെഡിറ്റ് പരിധി, പേയ്മെന്റ് നിബന്ധനകൾ"
 DocType: Loyalty Program,Collection Rules,ശേഖര നിയമങ്ങൾ
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,ഇനം 3
+DocType: Loan Security Shortfall,Shortfall Time,കുറവ് സമയം
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ഓർഡർ എൻട്രി
 DocType: Purchase Order,Customer Contact Email,കസ്റ്റമർ കോൺടാക്റ്റ് ഇമെയിൽ
 DocType: Warranty Claim,Item and Warranty Details,ഇനം വാറണ്ടിയുടെയും വിശദാംശങ്ങൾ
@@ -5562,12 +5635,14 @@
 DocType: Sales Person,Sales Person Name,സെയിൽസ് വ്യക്തി നാമം
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,പട്ടികയിലെ കുറയാതെ 1 ഇൻവോയ്സ് നൽകുക
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ലാ ടെസ്റ്റ് ഒന്നും സൃഷ്ടിച്ചിട്ടില്ല
+DocType: Loan Security Shortfall,Security Value ,സുരക്ഷാ മൂല്യം
 DocType: POS Item Group,Item Group,ഇനം ഗ്രൂപ്പ്
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,വിദ്യാർത്ഥി സംഘം:
 DocType: Depreciation Schedule,Finance Book Id,ഫിനാൻസ് ബുക്ക് ഐഡി
 DocType: Item,Safety Stock,സുരക്ഷാ സ്റ്റോക്ക്
 DocType: Healthcare Settings,Healthcare Settings,ആരോഗ്യ സംരക്ഷണ ക്രമീകരണം
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,ആകെ അനുവദിച്ച ഇലകൾ
+DocType: Appointment Letter,Appointment Letter,നിയമന പത്രിക
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},{0} ചെയ്യുക
@@ -5622,6 +5697,7 @@
 DocType: Stock Entry,From BOM,BOM നിന്നും
 DocType: Assessment Code,Assessment Code,അസസ്മെന്റ് കോഡ്
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,അടിസ്ഥാന
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,ഉപഭോക്താക്കളിൽ നിന്നും ജീവനക്കാരിൽ നിന്നുമുള്ള വായ്പാ അപേക്ഷകൾ.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} ഫ്രീസുചെയ്തിരിക്കുമ്പോൾ സ്റ്റോക്ക് ഇടപാടുകൾ മുമ്പ്
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&#39;ജനറേറ്റുചെയ്യൂ ഷെഡ്യൂൾ&#39; ക്ലിക്ക് ചെയ്യുക ദയവായി
 DocType: Job Card,Current Time,വര്ത്തമാന കാലം
@@ -5648,7 +5724,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,അനുവദിക്കുക
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ഇല്ല സ്റ്റുഡന്റ് ഗ്രൂപ്പുകൾ സൃഷ്ടിച്ചു.
 DocType: Purchase Invoice Item,Serial No,സീരിയൽ ഇല്ല
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,പ്രതിമാസ തിരിച്ചടവ് തുക വായ്പാ തുക ശ്രേഷ്ഠ പാടില്ല
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,പ്രതിമാസ തിരിച്ചടവ് തുക വായ്പാ തുക ശ്രേഷ്ഠ പാടില്ല
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Maintaince വിവരങ്ങൾ ആദ്യ നൽകുക
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,വരി # {0}: പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി പർച്ചേസ് ഓർഡർ തീയതിക്ക് മുമ്പായിരിക്കരുത്
 DocType: Purchase Invoice,Print Language,പ്രിന്റ് ഭാഷ
@@ -5661,6 +5737,7 @@
 DocType: Asset,Finance Books,ധനകാര്യ പുസ്തകങ്ങൾ
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,എംപ്ലോയീസ് ടാക്സ് എക്സംപ്ഷൻ ഡിക്ലറേഷൻ വിഭാഗം
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,എല്ലാ പ്രദേശങ്ങളും
+DocType: Plaid Settings,development,വികസനം
 DocType: Lost Reason Detail,Lost Reason Detail,നഷ്‌ടമായ കാരണം വിശദാംശം
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,ജീവനക്കാരന് / ഗ്രേഡ് റെക്കോർഡിലെ ജീവനക്കാരന് {0} എന്നതിനുള്ള അവധി നയം സജ്ജീകരിക്കുക
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,"തിരഞ്ഞെടുത്ത കസ്റ്റമർ, ഇനം എന്നിവയ്ക്കായി അസാധുവായ ബ്ലാങ്കറ്റ് ഓർഡർ"
@@ -5725,12 +5802,14 @@
 DocType: Staffing Plan Detail,Current Openings,ഇപ്പോഴത്തെ ഓപ്പണിംഗ്
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ഓപ്പറേഷൻസ് നിന്നുള്ള ക്യാഷ് ഫ്ളോ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST തുക
+DocType: Vehicle Log,Current Odometer value ,നിലവിലെ ഓഡോമീറ്റർ മൂല്യം
 apps/erpnext/erpnext/utilities/activation.py,Create Student,വിദ്യാർത്ഥിയെ സൃഷ്ടിക്കുക
 DocType: Asset Movement Item,Asset Movement Item,അസറ്റ് പ്രസ്ഥാന ഇനം
 DocType: Purchase Invoice,Shipping Rule,ഷിപ്പിംഗ് റൂൾ
 DocType: Patient Relation,Spouse,ജീവിത പങ്കാളി
 DocType: Lab Test Groups,Add Test,ടെസ്റ്റ് ചേർക്കുക
 DocType: Manufacturer,Limited to 12 characters,12 പ്രതീകങ്ങളായി ലിമിറ്റഡ്
+DocType: Appointment Letter,Closing Notes,അടയ്ക്കൽ കുറിപ്പുകൾ
 DocType: Journal Entry,Print Heading,പ്രിന്റ് തലക്കെട്ട്
 DocType: Quality Action Table,Quality Action Table,ഗുണനിലവാര പ്രവർത്തന പട്ടിക
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,ആകെ പൂജ്യമാകരുത്
@@ -5797,6 +5876,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,സെയിൽസ് സംഗ്രഹം
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),ആകെ (ശാരീരിക)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,വിനോദം &amp; ഒഴിവുസമയ
+DocType: Loan Security,Loan Security,വായ്പ സുരക്ഷ
 ,Item Variant Details,ഇനം വ്യത്യാസത്തിന്റെ വിശദാംശങ്ങൾ
 DocType: Quality Inspection,Item Serial No,ഇനം സീരിയൽ പോസ്റ്റ്
 DocType: Payment Request,Is a Subscription,ഒരു സബ്സ്ക്രിപ്ഷൻ
@@ -5808,7 +5888,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,ഏറ്റവും പുതിയ പ്രായം
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,ഷെഡ്യൂൾ‌ ചെയ്‌തതും പ്രവേശിച്ചതുമായ തീയതികൾ‌ ഇന്നത്തേതിനേക്കാൾ‌ കുറവായിരിക്കരുത്
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,വിതരണക്കാരൻ വരെ മെറ്റീരിയൽ ട്രാന്സ്ഫര്
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,പുതിയ സീരിയൽ പാണ്ടികശാലയും പാടില്ല. വെയർഹൗസ് ഓഹരി എൻട്രി വാങ്ങാനും റെസീപ്റ്റ് സജ്ജമാക്കി വേണം
 DocType: Lead,Lead Type,ലീഡ് തരം
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,ക്വട്ടേഷൻ സൃഷ്ടിക്കുക
@@ -5824,7 +5903,6 @@
 DocType: Leave Allocation,Leave Period,കാലയളവ് വിടുക
 DocType: Item,Default Material Request Type,സ്വതേ മെറ്റീരിയൽ അഭ്യർത്ഥന ഇനം
 DocType: Supplier Scorecard,Evaluation Period,വിലയിരുത്തൽ കാലയളവ്
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,കസ്റ്റമർ&gt; കസ്റ്റമർ ഗ്രൂപ്പ്&gt; ടെറിട്ടറി
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,അറിയപ്പെടാത്ത
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,വർക്ക് ഓർഡർ സൃഷ്ടിച്ചില്ല
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5908,7 +5986,8 @@
 ,Customer-wise Item Price,ഉപഭോക്തൃ തിരിച്ചുള്ള ഇന വില
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,ക്യാഷ് ഫ്ളോ പ്രസ്താവന
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ഭൌതിക അഭ്യർത്ഥനയൊന്നും സൃഷ്ടിച്ചിട്ടില്ല
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},വായ്പാ തുക {0} പരമാവധി വായ്പാ തുക കവിയാൻ പാടില്ല
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},വായ്പാ തുക {0} പരമാവധി വായ്പാ തുക കവിയാൻ പാടില്ല
+DocType: Loan,Loan Security Pledge,വായ്പ സുരക്ഷാ പ്രതിജ്ഞ
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,അനുമതി
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,നിങ്ങൾക്ക് മുൻ സാമ്പത്തിക വർഷത്തെ ബാലൻസ് ഈ സാമ്പത്തിക വർഷം വിട്ടുതരുന്നു ഉൾപ്പെടുത്താൻ ആഗ്രഹിക്കുന്നുവെങ്കിൽ മുന്നോട്ട് തിരഞ്ഞെടുക്കുക
@@ -5925,6 +6004,7 @@
 DocType: Pricing Rule,Price Discount Scheme,വില കിഴിവ് പദ്ധതി
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,അറ്റകുറ്റപ്പണി സ്റ്റാറ്റസ് റദ്ദാക്കാൻ സമർപ്പിക്കേണ്ടതാണ്
 DocType: Amazon MWS Settings,US,യുഎസ്
+DocType: Loan Security Pledge,Pledged,പണയം വച്ചു
 DocType: Holiday List,Add Weekly Holidays,പ്രതിവാര അവധി ദിവസങ്ങൾ ചേർക്കുക
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,ഇനം റിപ്പോർട്ടുചെയ്യുക
 DocType: Staffing Plan Detail,Vacancies,ഒഴിവുകൾ
@@ -5942,7 +6022,6 @@
 DocType: Production Plan Item,Planned Start Date,ആസൂത്രണം ചെയ്ത ആരംഭ തീയതി
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,ദയവായി ഒരു BOM തിരഞ്ഞെടുക്കുക
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ഐടിസി ഇന്റഗ്രേറ്റഡ് ടാക്സ് പ്രയോജനപ്പെടുത്തി
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,തിരിച്ചടവ് എൻട്രി സൃഷ്ടിക്കുക
 DocType: Purchase Order Item,Blanket Order Rate,ബ്ലാങ്കറ്റ് ഓർഡർ റേറ്റ്
 ,Customer Ledger Summary,ഉപഭോക്തൃ ലെഡ്ജർ സംഗ്രഹം
 apps/erpnext/erpnext/hooks.py,Certification,സർട്ടിഫിക്കേഷൻ
@@ -5963,6 +6042,7 @@
 DocType: Appraisal Template,Appraisal Template Title,അപ്രൈസൽ ഫലകം ശീർഷകം
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ആവശ്യത്തിന്
 DocType: Patient,Alcohol Current Use,ആൽക്കഹോൾ നിലവിലെ ഉപയോഗം
+DocType: Loan,Loan Closure Requested,വായ്പ അടയ്ക്കൽ അഭ്യർത്ഥിച്ചു
 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,നികുതി ഒഴിവാക്കൽ വിഭാഗം
@@ -5986,6 +6066,7 @@
 DocType: Opening Invoice Creation Tool,Sales,സെയിൽസ്
 DocType: Stock Entry Detail,Basic Amount,അടിസ്ഥാന തുക
 DocType: Training Event,Exam,പരീക്ഷ
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,പ്രോസസ്സ് ലോൺ സുരക്ഷാ കുറവ്
 DocType: Email Campaign,Email Campaign,ഇമെയിൽ കാമ്പെയ്‌ൻ
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Marketplace പിശക്
 DocType: Complaint,Complaint,പരാതി
@@ -6089,6 +6170,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,ഉപയോഗിച്ച ഇലകൾ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,മെറ്റീരിയൽ അഭ്യർത്ഥന സമർപ്പിക്കാൻ നിങ്ങൾ ആഗ്രഹിക്കുന്നുണ്ടോ
 DocType: Job Offer,Awaiting Response,കാത്തിരിക്കുന്നു പ്രതികരണത്തിന്റെ
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,വായ്പ നിർബന്ധമാണ്
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH -YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,മുകളിൽ
 DocType: Support Search Source,Link Options,ലിങ്ക് ഓപ്ഷനുകൾ
@@ -6100,6 +6182,7 @@
 DocType: Training Event Employee,Optional,ഓപ്ഷണൽ
 DocType: Salary Slip,Earning & Deduction,സമ്പാദിക്കാനുള്ള &amp; കിഴിച്ചുകൊണ്ടു
 DocType: Agriculture Analysis Criteria,Water Analysis,ജല വിശകലനം
+DocType: Pledge,Post Haircut Amount,പോസ്റ്റ് ഹെയർകട്ട് തുക
 DocType: Sales Order,Skip Delivery Note,ഡെലിവറി കുറിപ്പ് ഒഴിവാക്കുക
 DocType: Price List,Price Not UOM Dependent,വില UOM ആശ്രിതമല്ല
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} വകഭേദങ്ങൾ സൃഷ്ടിച്ചു.
@@ -6126,6 +6209,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,ഉൽപ്പന്ന ബണ്ടിൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,ടേം ലോണുകൾക്ക് തിരിച്ചടവ് രീതി നിർബന്ധമാണ്
 DocType: Asset,Straight Line,വര
 DocType: Project User,Project User,പദ്ധതി ഉപയോക്താവ്
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,രണ്ടായി പിരിയുക
@@ -6173,7 +6257,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ശീതീകരിച്ച അക്കൗണ്ടുകൾ &amp; എഡിറ്റ് ശീതീകരിച്ച എൻട്രികൾ സജ്ജമാക്കുക അനുവദിച്ചു റോൾ
 DocType: Supplier Scorecard Scoring Variable,Path,പാത
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,അത് കുട്ടി റോഡുകളുണ്ട് പോലെ ലെഡ്ജർ വരെ ചെലവ് കേന്ദ്രം പരിവർത്തനം ചെയ്യാൻ കഴിയുമോ
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ഇനത്തിനായി UOM പരിവർത്തന ഘടകം ({0} -&gt; {1}) കണ്ടെത്തിയില്ല: {2}
 DocType: Production Plan,Total Planned Qty,മൊത്തം ആസൂത്രണ കോഡ്
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ഇടപാടുകൾ ഇതിനകം പ്രസ്താവനയിൽ നിന്ന് വീണ്ടെടുത്തു
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,തുറക്കുന്നു മൂല്യം
@@ -6181,11 +6264,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,സീരിയൽ #
 DocType: Material Request Plan Item,Required Quantity,ആവശ്യമായ അളവ്
 DocType: Lab Test Template,Lab Test Template,ടെസ്റ്റ് ടെംപ്ലേറ്റ് ടെംപ്ലേറ്റ്
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,വിതരണക്കാരൻ&gt; വിതരണ തരം
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,സെൽ അക്കൌണ്ട്
 DocType: Purchase Invoice Item,Total Weight,ആകെ ഭാരം
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ <a href=""#Form/Employee/{0}"">{0}</a> delete ഇല്ലാതാക്കുക"
 DocType: Pick List Item,Pick List Item,ലിസ്റ്റ് ഇനം തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,വിൽപ്പന കമ്മീഷൻ
 DocType: Job Offer Term,Value / Description,മൂല്യം / വിവരണം
@@ -6231,6 +6311,7 @@
 DocType: Patient Encounter,Encounter Date,എൻകണറ്റ് തീയതി
 DocType: Work Order,Update Consumed Material Cost In Project,പ്രോജക്റ്റിലെ ഉപഭോഗ മെറ്റീരിയൽ ചെലവ് അപ്‌ഡേറ്റുചെയ്യുക
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,അക്കൗണ്ട്: {0} കറൻസി കൂടെ: {1} തിരഞ്ഞെടുത്ത ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ഉപഭോക്താക്കൾക്കും ജീവനക്കാർക്കും വായ്പ നൽകിയിട്ടുണ്ട്.
 DocType: Bank Statement Transaction Settings Item,Bank Data,ബാങ്ക് ഡാറ്റ
 DocType: Purchase Receipt Item,Sample Quantity,സാമ്പിൾ അളവ്
 DocType: Bank Guarantee,Name of Beneficiary,ഗുണഭോക്താവിന്റെ പേര്
@@ -6298,7 +6379,6 @@
 DocType: Contract,Signed On,സൈൻ ഇൻ ചെയ്തു
 DocType: Bank Account,Party Type,പാർട്ടി ടൈപ്പ്
 DocType: Discounted Invoice,Discounted Invoice,ഡിസ്കൗണ്ട് ഇൻവോയ്സ്
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ഹാജർ അടയാളപ്പെടുത്തുക <b></b>
 DocType: Payment Schedule,Payment Schedule,തുക അടക്കേണ്ട തിയതികൾ
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},തന്നിരിക്കുന്ന ജീവനക്കാരുടെ ഫീൽഡ് മൂല്യത്തിനായി ഒരു ജീവനക്കാരനെയും കണ്ടെത്തിയില്ല. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,ചുരുക്കല്
@@ -6391,7 +6471,6 @@
 DocType: Purchase Order,To Receive,സ്വീകരിക്കാൻ
 DocType: Leave Period,Holiday List for Optional Leave,ഓപ്ഷണൽ അവധിക്കുള്ള അവധി ലിസ്റ്റ്
 DocType: Item Tax Template,Tax Rates,നികുതി നിരക്കുകൾ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ഇന കോഡ്&gt; ഐറ്റം ഗ്രൂപ്പ്&gt; ബ്രാൻഡ്
 DocType: Asset,Asset Owner,അസറ്റ് ഉടമസ്ഥൻ
 DocType: Item,Website Content,വെബ്‌സൈറ്റ് ഉള്ളടക്കം
 DocType: Bank Account,Integration ID,ഇന്റഗ്രേഷൻ ഐഡി
@@ -6435,6 +6514,7 @@
 DocType: Customer,Mention if non-standard receivable account,സ്റ്റാൻഡേർഡ് അല്ലാത്ത സ്വീകരിക്കുന്ന അക്കൌണ്ട് എങ്കിൽ പ്രസ്താവിക്കുക
 DocType: Bank,Plaid Access Token,പ്ലെയ്ഡ് ആക്സസ് ടോക്കൺ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,നിലവിലുള്ള ഏതെങ്കിലും ഘടകഭാഗത്ത് ബാക്കിയുള്ള ആനുകൂല്യങ്ങൾ ചേർക്കുക {0}
+DocType: Bank Account,Is Default Account,സ്ഥിരസ്ഥിതി അക്ക is ണ്ടാണ്
 DocType: Journal Entry Account,If Income or Expense,ആദായ അല്ലെങ്കിൽ ചിലവേറിയ ചെയ്താൽ
 DocType: Course Topic,Course Topic,കോഴ്‌സ് വിഷയം
 DocType: Bank Statement Transaction Entry,Matching Invoices,പൊരുത്തപ്പെടുന്ന ഇൻവോയ്സുകൾ
@@ -6446,7 +6526,7 @@
 DocType: Disease,Treatment Task,ചികിത്സ ടാസ്ക്
 DocType: Payment Order Reference,Bank Account Details,ബാങ്ക് അക്കൗണ്ട് വിശദാംശങ്ങൾ
 DocType: Purchase Order Item,Blanket Order,ബ്ലാങ്കറ്റ് ഓർഡർ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,തിരിച്ചടവ് തുക ഇതിലും കൂടുതലായിരിക്കണം
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,തിരിച്ചടവ് തുക ഇതിലും കൂടുതലായിരിക്കണം
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,നികുതി ആസ്തികൾ
 DocType: BOM Item,BOM No,BOM ഇല്ല
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,വിശദാംശങ്ങൾ അപ്‌ഡേറ്റുചെയ്യുക
@@ -6502,6 +6582,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce ഉൽപ്പന്നങ്ങൾ
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},ഫോർമുല അല്ലെങ്കിൽ അവസ്ഥയിൽ വ്യാകരണ പിശക്: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,അത് ഒരു സ്റ്റോക്ക് ഇനവും സ്ഥിതിക്ക് ഇനം {0} അവഗണിച്ച
+,Loan Security Status,വായ്പാ സുരക്ഷാ നില
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ഒരു പ്രത്യേക ഇടപാടിലും പ്രൈസിങ് .കൂടുതൽ ചെയ്യുന്നതിനായി, ബാധകമായ എല്ലാ വിലനിർണ്ണയത്തിലേക്ക് പ്രവർത്തനരഹിതമാകും വേണം."
 DocType: Payment Term,Day(s) after the end of the invoice month,ഇൻവോയ്സ് മാസം അവസാനിച്ച ശേഷം ദിവസം (ദിവസങ്ങൾ)
 DocType: Assessment Group,Parent Assessment Group,രക്ഷാകർതൃ അസസ്മെന്റ് ഗ്രൂപ്പ്
@@ -6516,7 +6597,6 @@
 DocType: Stock Entry Detail,Additional Cost,അധിക ചെലവ്
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","വൗച്ചർ ഭൂഖണ്ടക്രമത്തിൽ എങ്കിൽ, വൗച്ചർ പോസ്റ്റ് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല"
 DocType: Quality Inspection,Incoming,ഇൻകമിംഗ്
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,സജ്ജീകരണം&gt; നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,വിൽപ്പനയ്ക്കായി വാങ്ങുന്നതിനും വാങ്ങുന്നതിനുമുള്ള സ്ഥിര ടാക്സ് ടെംപ്ലേറ്റുകൾ സൃഷ്ടിക്കുന്നു.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,മൂല്യനിർണ്ണയ ഫല റിക്കോഡ് {0} ഇതിനകം നിലവിലുണ്ട്.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ഉദാഹരണം: ABCD. #####. സീരീസ് സജ്ജമാക്കിയാൽ, ബാച്ച് നോയിംഗ് ഇടപാടുകളിൽ പരാമർശിച്ചിട്ടില്ലെങ്കിൽ, ഈ ശ്രേണിയെ അടിസ്ഥാനമാക്കി യാന്ത്രിക ബാച്ച് നമ്പർ സൃഷ്ടിക്കും. ഈ ഇനത്തിനായി ബാച്ച് നമ്പറെ നിങ്ങൾ എപ്പോഴും സ്പഷ്ടമായി സൂചിപ്പിക്കണമെങ്കിൽ, ഇത് ശൂന്യമാക്കിയിടുക. കുറിപ്പ്: സ്റ്റോക്കിംഗ് ക്രമീകരണങ്ങളിൽ നാമമുള്ള സീരീസ് പ്രിഫിക്സിൽ ഈ ക്രമീകരണം മുൻഗണന നൽകും."
@@ -6526,8 +6606,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,അവലോകനം സമർപ്പിക്കുക
 DocType: Contract,Party User,പാർട്ടി ഉപയോക്താവ്
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',ശൂന്യമായ ഫിൽട്ടർ ഗ്രൂപ്പ് &#39;കമ്പനി&#39; എങ്കിൽ കമ്പനി സജ്ജമാക്കുക
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,കസ്റ്റമർ&gt; കസ്റ്റമർ ഗ്രൂപ്പ്&gt; ടെറിട്ടറി
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,പോസ്റ്റുചെയ്ത തീയതി ഭാവി തീയതി കഴിയില്ല
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},വരി # {0}: സീരിയൽ ഇല്ല {1} {2} {3} കൂടെ പൊരുത്തപ്പെടുന്നില്ല
+DocType: Loan Repayment,Interest Payable,നൽകേണ്ട പലിശ
 DocType: Stock Entry,Target Warehouse Address,ടാർഗറ്റ് വേൾഹൗസ് വിലാസം
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,കാഷ്വൽ ലീവ്
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ജീവനക്കാരുടെ ചെക്ക്-ഇൻ ഹാജരാകാൻ പരിഗണിക്കുന്ന ഷിഫ്റ്റ് ആരംഭ സമയത്തിന് മുമ്പുള്ള സമയം.
@@ -6653,6 +6735,7 @@
 DocType: Issue,Reset Service Level Agreement,സേവന ലെവൽ കരാർ പുന et സജ്ജമാക്കുക
 ,Sales Person-wise Transaction Summary,സെയിൽസ് പേഴ്സൺ തിരിച്ചുള്ള ഇടപാട് ചുരുക്കം
 DocType: Training Event,Contact Number,കോൺടാക്റ്റ് നമ്പർ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,വായ്പ തുക നിർബന്ധമാണ്
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,വെയർഹൗസ് {0} നിലവിലില്ല
 DocType: Cashier Closing,Custody,കസ്റ്റഡി
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,എംപ്ലോയീസ് ടാക്സ് എക്സംപ്ഷൻ പ്രൂഫ് സമർപ്പണ വിശദാംശം
@@ -6699,6 +6782,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ബാലൻസ് Qty
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,തിരഞ്ഞെടുത്ത എല്ലാ ഇനങ്ങളിലും നിബന്ധനകൾ പ്രയോഗിക്കും.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,ഗോളുകൾ ശൂന്യമായിരിക്കരുത്
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,തെറ്റായ വെയർഹ house സ്
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,വിദ്യാർത്ഥികളെ എൻറോൾ ചെയ്യുന്നു
 DocType: Item Group,Parent Item Group,പാരന്റ് ഇനം ഗ്രൂപ്പ്
 DocType: Appointment Type,Appointment Type,അപ്പോയിന്റ്മെന്റ് തരം
@@ -6754,10 +6838,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ശരാശരി നിരക്ക്
 DocType: Appointment,Appointment With,കൂടെ നിയമനം
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,മൊത്തം പേയ്മെന്റ് തുക പേയ്മെന്റ് ഷെഡ്യൂൾ ഗ്രാൻഡ് / വൃത്തത്തിലുള്ള മൊത്തമായി തുല്യമായിരിക്കണം
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ഹാജർ അടയാളപ്പെടുത്തുക <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;ഉപഭോക്തൃ നൽകിയ ഇനത്തിന്&quot; മൂല്യനിർണ്ണയ നിരക്ക് ഉണ്ടാകരുത്
 DocType: Subscription Plan Detail,Plan,പദ്ധതി
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,ജനറൽ ലെഡ്ജർ പ്രകാരം ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ബാലൻസ്
-DocType: Job Applicant,Applicant Name,അപേക്ഷകന് പേര്
+DocType: Appointment Letter,Applicant Name,അപേക്ഷകന് പേര്
 DocType: Authorization Rule,Customer / Item Name,കസ്റ്റമർ / ഇനം പേര്
 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**. 
 
@@ -6801,11 +6886,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,സ്റ്റോക്ക് ലെഡ്ജർ എൻട്രി ഈ വെയർഹൗസ് നിലവിലുണ്ട് പോലെ വെയർഹൗസ് ഇല്ലാതാക്കാൻ കഴിയില്ല.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,വിതരണം
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,ഇനിപ്പറയുന്ന ജീവനക്കാർ നിലവിൽ ഈ ജീവനക്കാരന് റിപ്പോർട്ട് ചെയ്യുന്നതിനാൽ ജീവനക്കാരുടെ നില &#39;ഇടത്&#39; ആയി സജ്ജമാക്കാൻ കഴിയില്ല:
-DocType: Journal Entry Account,Loan,വായ്പ
+DocType: Loan Repayment,Amount Paid,തുക
+DocType: Loan Security Shortfall,Loan,വായ്പ
 DocType: Expense Claim Advance,Expense Claim Advance,ചെലവ് ക്ലെയിം അഡ്വാൻസ്
 DocType: Lab Test,Report Preference,മുൻഗണന റിപ്പോർട്ടുചെയ്യുക
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,സ്വമേധയാ വിവരങ്ങൾ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,പ്രോജക്റ്റ് മാനേജർ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,കസ്റ്റമർ പ്രകാരം ഗ്രൂപ്പ്
 ,Quoted Item Comparison,ഉദ്ധരിച്ച ഇനം താരതമ്യം
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},"{0}, {1} എന്നിവയ്ക്കിടയിലുള്ള സ്കോറിംഗ് ഓവർലാപ്പ് ചെയ്യുക"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,ഡിസ്പാച്ച്
@@ -6825,6 +6912,7 @@
 DocType: Material Request Plan Item,Material Issue,മെറ്റീരിയൽ പ്രശ്നം
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ഇനം വിലനിർണ്ണയ നിയമത്തിൽ സജ്ജമാക്കിയിട്ടില്ല {0}
 DocType: Employee Education,Qualification,യോഗ്യത
+DocType: Loan Security Shortfall,Loan Security Shortfall,വായ്പാ സുരക്ഷാ കുറവ്
 DocType: Item Price,Item Price,ഇനം വില
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,സോപ്പ് &amp; മാലിനനിര്മാര്ജനി
 DocType: BOM,Show Items,ഇനങ്ങൾ കാണിക്കുക
@@ -6845,13 +6933,13 @@
 DocType: Appointment Booking Settings,Appointment Details,നിയമന വിശദാംശങ്ങൾ
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,പൂർത്തിയായ ഉൽപ്പന്നം
 DocType: Warehouse,Warehouse Name,വെയർഹൗസ് പേര്
+DocType: Loan Security Pledge,Pledge Time,പ്രതിജ്ഞാ സമയം
 DocType: Naming Series,Select Transaction,ഇടപാട് തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,റോൾ അംഗീകരിക്കുന്നു അല്ലെങ്കിൽ ഉപയോക്താവ് അംഗീകരിക്കുന്നു നൽകുക
 DocType: Journal Entry,Write Off Entry,എൻട്രി എഴുതുക
 DocType: BOM,Rate Of Materials Based On,മെറ്റീരിയൽസ് അടിസ്ഥാനത്തിൽ ഓൺ നിരക്ക്
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","പ്രാപ്തമാക്കിയാൽ, ഫീൽഡ് അക്കാദമിക് ടേം പ്രോഗ്രാം എൻറോൾമെന്റ് ടൂളിൽ നിർബന്ധമാണ്."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",ഒഴിവാക്കിയതും ഇല്ല റേറ്റുചെയ്തതും ജിഎസ്ടി അല്ലാത്തതുമായ ആന്തരിക വിതരണങ്ങളുടെ മൂല്യങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,കസ്റ്റമർ&gt; കസ്റ്റമർ ഗ്രൂപ്പ്&gt; ടെറിട്ടറി
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>കമ്പനി</b> നിർബന്ധിത ഫിൽട്ടറാണ്.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,എല്ലാത്തിൻറെയും പരിശോധന
 DocType: Purchase Taxes and Charges,On Item Quantity,ഇനത്തിന്റെ അളവിൽ
@@ -6897,7 +6985,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ദൌർലഭ്യം Qty
 DocType: Purchase Invoice,Input Service Distributor,ഇൻപുട്ട് സേവന വിതരണക്കാരൻ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ഇനം വേരിയന്റ് {0} ഒരേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട്
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,വിദ്യാഭ്യാസം&gt; വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക
 DocType: Loan,Repay from Salary,ശമ്പളത്തിൽ നിന്ന് പകരം
 DocType: Exotel Settings,API Token,API ടോക്കൺ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},തുക {0} {1} നേരെ പേയ്മെന്റ് അഭ്യർത്ഥിക്കുന്നു {2}
@@ -6916,6 +7003,7 @@
 DocType: Salary Slip,Total Interest Amount,മൊത്തം പലിശ തുക
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ ഉപയോഗിച്ച് അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
 DocType: BOM,Manage cost of operations,ഓപ്പറേഷൻസ് ചെലവ് നിയന്ത്രിക്കുക
+DocType: Unpledge,Unpledge,അൺപ്ലെഡ്ജ്
 DocType: Accounts Settings,Stale Days,പഴക്കം ചെന്ന ദിവസങ്ങൾ
 DocType: Travel Itinerary,Arrival Datetime,എത്തിച്ചേരൽ സമയം
 DocType: Tax Rule,Billing Zipcode,ബില്ലിംഗ് പിൻ കോഡ്
@@ -7094,6 +7182,7 @@
 DocType: Employee Transfer,Employee Transfer,എംപ്ലോയീസ് ട്രാൻസ്ഫർ
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,മണിക്കൂറുകൾ
 DocType: Project,Expected Start Date,പ്രതീക്ഷിച്ച ആരംഭ തീയതി
+DocType: Work Order,This is a location where raw materials are available.,അസംസ്കൃത വസ്തുക്കൾ ലഭ്യമാകുന്ന സ്ഥലമാണിത്.
 DocType: Purchase Invoice,04-Correction in Invoice,04-ഇൻവോയ്സിലെ തിരുത്തൽ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM- ൽ ഉള്ള എല്ലാ ഇനങ്ങൾക്കുമായി സൃഷ്ടിച്ച ഓർഡർ ഇതിനകം സൃഷ്ടിച്ചു
 DocType: Bank Account,Party Details,പാർട്ടി വിശദാംശങ്ങൾ
@@ -7112,6 +7201,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,ഉദ്ധരണികൾ:
 DocType: Contract,Partially Fulfilled,ഭാഗികമായി പൂരിപ്പിച്ചു
 DocType: Maintenance Visit,Fully Completed,പൂർണ്ണമായി പൂർത്തിയാക്കി
+DocType: Loan Security,Loan Security Name,വായ്പ സുരക്ഷാ പേര്
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot;, &quot;}&quot; എന്നിവ ഒഴികെയുള്ള പ്രത്യേക പ്രതീകങ്ങൾ നാമകരണ ശ്രേണിയിൽ അനുവദനീയമല്ല"
 DocType: Purchase Invoice Item,Is nil rated or exempted,റേറ്റുചെയ്തിട്ടില്ല അല്ലെങ്കിൽ ഒഴിവാക്കിയിരിക്കുന്നു
 DocType: Employee,Educational Qualification,വിദ്യാഭ്യാസ യോഗ്യത
@@ -7169,6 +7259,7 @@
 DocType: Program,Is Featured,സവിശേഷതയാണ്
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ലഭ്യമാക്കുന്നു ...
 DocType: Agriculture Analysis Criteria,Agriculture User,കൃഷി ഉപയോക്താവ്
+DocType: Loan Security Shortfall,America/New_York,അമേരിക്ക / ന്യൂ_യോർക്ക്
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,തീയതി വരെ സാധുത ഇടപാട് തീയതിക്ക് മുമ്പായിരിക്കരുത്
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,വിദ്യാർത്ഥിയുടെ വർഗ്ഗം
@@ -7244,8 +7335,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,നിങ്ങൾ ശീതീകരിച്ച മൂല്യം സജ്ജീകരിക്കാൻ അംഗീകാരമില്ല
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled എൻട്രികൾ നേടുക
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},{1} ജീവനക്കാരൻ {0}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,ജേർണൽ എൻട്രിയ്ക്കായി റീഫെയ്നുകളൊന്നും തിരഞ്ഞെടുത്തിട്ടില്ല
 DocType: Purchase Invoice,GST Category,ജിഎസ്ടി വിഭാഗം
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,സുരക്ഷിതമായ വായ്പകൾക്ക് നിർദ്ദിഷ്ട പ്രതിജ്ഞകൾ നിർബന്ധമാണ്
 DocType: Payment Reconciliation,From Invoice Date,ഇൻവോയിസ് തീയതി മുതൽ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,പദ്ധതിയുടെ സാമ്പത്തിക
 DocType: Invoice Discounting,Disbursed,വിതരണം ചെയ്തു
@@ -7300,14 +7391,13 @@
 DocType: Restaurant,Active Menu,സജീവ മെനു
 DocType: Accounting Dimension Detail,Default Dimension,സ്ഥിരസ്ഥിതി അളവ്
 DocType: Target Detail,Target Qty,ടാർജറ്റ് Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},വായ്പയ്ക്കെതിരെയുള്ളത്: {0}
 DocType: Shopping Cart Settings,Checkout Settings,ചെക്കൗട്ട് ക്രമീകരണങ്ങൾ
 DocType: Student Attendance,Present,ഇപ്പോഴത്തെ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ഡെലിവറി നോട്ട് {0} സമർപ്പിയ്ക്കാൻ വേണം
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","ജീവനക്കാരന് ഇമെയിൽ ചെയ്യുന്ന ശമ്പള സ്ലിപ്പ് പാസ്‌വേഡ് പരിരക്ഷിക്കും, പാസ്‌വേഡ് നയത്തെ അടിസ്ഥാനമാക്കി പാസ്‌വേഡ് ജനറേറ്റുചെയ്യും."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,അക്കൗണ്ട് {0} അടയ്ക്കുന്നത് തരം ബാധ്യത / ഇക്വിറ്റി എന്ന ഉണ്ടായിരിക്കണം
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം സമയം ഷീറ്റ് {1} സൃഷ്ടിച്ച
-DocType: Vehicle Log,Odometer,ഓഡോമീറ്റർ
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,ഓഡോമീറ്റർ
 DocType: Production Plan Item,Ordered Qty,ഉത്തരവിട്ടു Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,ഇനം {0} പ്രവർത്തനരഹിതമാക്കിയിരിക്കുന്നതിനാൽ
 DocType: Stock Settings,Stock Frozen Upto,ഓഹരി ശീതീകരിച്ച വരെ
@@ -7362,7 +7452,6 @@
 DocType: Serial No,Delivery Document Type,ഡെലിവറി ഡോക്യുമെന്റ് തരം
 DocType: Sales Order,Partly Delivered,ഭാഗികമായി കൈമാറി
 DocType: Item Variant Settings,Do not update variants on save,സംരക്ഷിക്കുന്നതിനായി വേരിയന്റുകൾ അപ്ഡേറ്റുചെയ്യരുത്
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,കസ്റ്റമർ ഗ്രൂപ്പ്
 DocType: Email Digest,Receivables,Receivables
 DocType: Lead Source,Lead Source,ലീഡ് ഉറവിടം
 DocType: Customer,Additional information regarding the customer.,ഉപഭോക്തൃ സംബന്ധിച്ച കൂടുതൽ വിവരങ്ങൾ.
@@ -7455,6 +7544,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,യഥാർത്ഥ
 DocType: Appointment,Skype ID,സ്കൈപ്പ് ഐഡി
 DocType: Restaurant Menu,Restaurant Manager,റെസ്റ്റോറന്റ് മാനേജർ
+DocType: Loan,Penalty Income Account,പിഴ വരുമാന അക്കൗണ്ട്
 DocType: Call Log,Call Log,കോൾ ലോഗ്
 DocType: Authorization Rule,Customerwise Discount,Customerwise ഡിസ്കൗണ്ട്
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,ടാസ്ക്കുകൾക്കായി Timesheet.
@@ -7540,6 +7630,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,ഉൽപ്പന്ന കിഴിവ് പദ്ധതി
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,വിളിക്കുന്നയാൾ ഒരു പ്രശ്‌നവും ഉന്നയിച്ചിട്ടില്ല.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,ഗ്രൂപ്പ് ബൈ സപ്ലയർ
 DocType: Restaurant Reservation,Waitlisted,കാത്തിരുന്നു
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ഒഴിവാക്കൽ വിഭാഗം
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,കറൻസി മറ്റ് ചില കറൻസി ഉപയോഗിച്ച് എൻട്രികൾ ചെയ്തശേഷം മാറ്റാൻ കഴിയില്ല
@@ -7550,7 +7641,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,കൺസൾട്ടിംഗ്
 DocType: Subscription Plan,Based on price list,വിലയുടെ അടിസ്ഥാനത്തിൽ
 DocType: Customer Group,Parent Customer Group,പാരന്റ് ഉപഭോക്തൃ ഗ്രൂപ്പ്
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,സെയിൽസ് ഇൻവോയ്സിൽ നിന്ന് മാത്രമേ ഇ-വേ ബിൽ JSON സൃഷ്ടിക്കാൻ കഴിയൂ
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ഈ ക്വിസിനായുള്ള പരമാവധി ശ്രമങ്ങൾ എത്തി!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,സബ്സ്ക്രിപ്ഷൻ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ഫീസ് ക്രിയേഷൻ തീർപ്പാക്കിയിരിക്കുന്നു
@@ -7567,6 +7657,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,പ്രതിരോധ അറ്റകുറ്റപ്പണി
 DocType: Delivery Note Item,Against Sales Invoice,സെയിൽസ് ഇൻവോയിസ് എഗെൻസ്റ്റ്
 DocType: Purchase Invoice,07-Others,07- മറ്റുള്ളവ
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,ഉദ്ധരണി തുക
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,ദയവായി സീരിയൽ ഇനം സീരിയൽ നമ്പറുകളോ നൽകുക
 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. ,നിങ്ങൾ കോഴ്സ് അടിസ്ഥാനമാക്കിയുള്ള ഗ്രൂപ്പുകൾ അവസരത്തിൽ ബാച്ച് പരിഗണിക്കുക ആഗ്രഹിക്കുന്നില്ല പരിശോധിക്കാതെ വിടുക.
@@ -7676,6 +7767,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,പേയ്മെന്റ് രസീത് കുറിപ്പ്
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ഇത് ഈ കസ്റ്റമർ നേരെ ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്ക് ടൈംലൈൻ കാണുക
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന സൃഷ്ടിക്കുക
+DocType: Loan Interest Accrual,Pending Principal Amount,പ്രധാന തുക ശേഷിക്കുന്നു
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,കോഴ്സ് ജ്ഞാനികൾ വിലയിരുത്തൽ റിപ്പോർട്ട്
@@ -7718,6 +7810,7 @@
 											to fullfill Sales Order {2}","സീരിയൽ നമ്പർ {0} സംസ്ക്കരിച്ചതിനാൽ {1} ഡെലിവർ ചെയ്യാൻ കഴിയില്ല, പൂർണ്ണമായി സെയിൽസ് ഓർഡർ {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN -YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,വിതരണക്കാരൻ ക്വട്ടേഷൻ {0} സൃഷ്ടിച്ചു
+DocType: Loan Security Unpledge,Unpledge Type,അൺപ്ലഡ്ജ് തരം
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,അവസാനിക്കുന്ന വർഷം ആരംഭിക്കുന്ന വർഷം മുമ്പ് ആകാൻ പാടില്ല
 DocType: Employee Benefit Application,Employee Benefits,ജീവനക്കാരുടെ ആനുകൂല്യങ്ങൾ
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,തൊഴിലാളിയുടെ തിരിച്ചറിയല് രേഖ
@@ -7800,6 +7893,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,കോഴ്സ് കോഡ്:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ചിലവേറിയ നൽകുക
 DocType: Quality Action Resolution,Problem,പ്രശ്നം
+DocType: Loan Security Type,Loan To Value Ratio,മൂല്യ അനുപാതത്തിലേക്ക് വായ്പ
 DocType: Account,Stock,സ്റ്റോക്ക്
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം പർച്ചേസ് ഓർഡർ, പർച്ചേസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം"
 DocType: Employee,Current Address,ഇപ്പോഴത്തെ വിലാസം
@@ -7817,6 +7911,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ട്രാൻസാക്ഷൻ എൻട്രി
 DocType: Sales Invoice Item,Discount and Margin,ഡിസ്ക്കൗണ്ട് മാര്ജിന്
 DocType: Lab Test,Prescription,കുറിപ്പടി
+DocType: Process Loan Security Shortfall,Update Time,അപ്‌ഡേറ്റ് സമയം
 DocType: Import Supplier Invoice,Upload XML Invoices,എക്സ്എം‌എൽ ഇൻവോയ്സുകൾ അപ്‌ലോഡ് ചെയ്യുക
 DocType: Company,Default Deferred Revenue Account,സ്ഥിര ഡിഫോൾഡ് റവന്യൂ അക്കൗണ്ട്
 DocType: Project,Second Email,രണ്ടാമത്തെ ഇമെയിൽ
@@ -7830,7 +7925,7 @@
 DocType: Quality Action,Preventive,പ്രിവന്റീവ്
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,രജിസ്റ്റർ ചെയ്യാത്ത വ്യക്തികൾക്ക് വിതരണം ചെയ്യുന്നു
 DocType: Company,Date of Incorporation,കമ്പനി രൂപീകരണം തീയതി
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ആകെ നികുതി
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,ആകെ നികുതി
 DocType: Manufacturing Settings,Default Scrap Warehouse,സ്ഥിരസ്ഥിതി സ്ക്രാപ്പ് വെയർഹ house സ്
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,അവസാനം വാങ്ങൽ വില
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ക്വാണ്ടിറ്റി എന്ന (Qty ഫാക്ടറി) നിർബന്ധമായും
@@ -7848,6 +7943,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,പണമടയ്ക്കൽ സ്ഥിരസ്ഥിതി മോഡ് സജ്ജമാക്കുക
 DocType: Stock Entry Detail,Against Stock Entry,സ്റ്റോക്ക് എൻട്രിക്കെതിരെ
 DocType: Grant Application,Withdrawn,പിൻവലിച്ചു
+DocType: Loan Repayment,Regular Payment,പതിവ് പേയ്‌മെന്റ്
 DocType: Support Search Source,Support Search Source,തിരയൽ സ്രോതസ്സുകളെ പിന്തുണയ്ക്കുക
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,ചാർജബിൾ
 DocType: Project,Gross Margin %,മൊത്തം മാർജിൻ%
@@ -7861,8 +7957,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,നികുതി അടയ്ക്കാതെ
 DocType: BOM Operation,BOM Operation,BOM ഓപ്പറേഷൻ
 DocType: Purchase Taxes and Charges,On Previous Row Amount,മുൻ വരി തുക
+DocType: Student,Home Address,ഹോം വിലാസം
 DocType: Options,Is Correct,ശരിയാണ്
 DocType: Item,Has Expiry Date,കാലഹരണപ്പെടുന്ന തീയതി
+DocType: Loan Repayment,Paid Accrual Entries,പണമടച്ചുള്ള എൻട്രികൾ
+DocType: Loan Security,Loan Security Type,വായ്പ സുരക്ഷാ തരം
 apps/erpnext/erpnext/config/support.py,Issue Type.,ലക്കം തരം.
 DocType: POS Profile,POS Profile,POS പ്രൊഫൈൽ
 DocType: Training Event,Event Name,ഇവന്റ് പേര്
@@ -7874,6 +7973,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ബജറ്റുകൾ സ്ഥാപിക്കുന്നതിനുള്ള Seasonality, ടാർഗറ്റുകൾ തുടങ്ങിയവ"
 apps/erpnext/erpnext/www/all-products/index.html,No values,മൂല്യങ്ങളൊന്നുമില്ല
 DocType: Supplier Scorecard Scoring Variable,Variable Name,വേരിയബിൾ പേര്
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,അനുരഞ്ജനം നടത്താൻ ബാങ്ക് അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",ഇനം {0} ഫലകം അതിന്റെ വകഭേദങ്ങളും തിരഞ്ഞെടുക്കുക
 DocType: Purchase Invoice Item,Deferred Expense,വ്യതിരിക്ത ചെലവ്
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,സന്ദേശങ്ങളിലേക്ക് മടങ്ങുക
@@ -7925,7 +8025,6 @@
 DocType: GL Entry,To Rename,പേരുമാറ്റാൻ
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,സീരിയൽ നമ്പർ ചേർക്കാൻ തിരഞ്ഞെടുക്കുക.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,വിദ്യാഭ്യാസം&gt; വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',&#39;% S&#39; ഉപഭോക്താവിനായി ധന കോഡ് സജ്ജമാക്കുക
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ആദ്യം കമ്പനി തിരഞ്ഞെടുക്കുക
 DocType: Item Attribute,Numeric Values,സാംഖിക മൂല്യങ്ങൾ
@@ -7947,6 +8046,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO അടിസ്ഥാനമാക്കി നേടുക
 DocType: Soil Texture,Clay Loam,കളിമണ്ണ്
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,റൂട്ട് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,വായ്പാ സുരക്ഷാ മൂല്യം
 DocType: Item,Units of Measure,അളവിന്റെ യൂണിറ്റുകൾ
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,മെട്രോ സിറ്റിയിൽ വാടകയ്ക്കെടുക്കുക
 DocType: Supplier,Default Tax Withholding Config,സ്ഥിര ടാക്സ് പിക്ക്ഹോൾഡിംഗ് കോൺഫിഗർ
@@ -7993,6 +8093,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,ആദ്യം വർഗ്ഗം തിരഞ്ഞെടുക്കുക
 apps/erpnext/erpnext/config/projects.py,Project master.,പ്രോജക്ട് മാസ്റ്റർ.
 DocType: Contract,Contract Terms,കരാർ നിബന്ധനകൾ
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,അനുവദിച്ച തുക പരിധി
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,കോൺഫിഗറേഷൻ തുടരുക
 DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,കറൻസികൾ വരെ തുടങ്ങിയവ $ പോലുള്ള ഏതെങ്കിലും ചിഹ്നം അടുത്ത കാണിക്കരുത്.
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py, (Half Day),(അര ദിവസം)
@@ -8035,3 +8136,4 @@
 DocType: Account,Cash,ക്യാഷ്
 DocType: Sales Invoice,Unpaid and Discounted,പണമടയ്ക്കാത്തതും കിഴിവുള്ളതും
 DocType: Employee,Short biography for website and other publications.,വെബ്സൈറ്റ് മറ്റ് പ്രസിദ്ധീകരണങ്ങളിൽ ഷോർട്ട് ജീവചരിത്രം.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,വരി # {0}: സബ് കോൺ‌ട്രാക്ടറിലേക്ക് അസംസ്കൃത വസ്തുക്കൾ നൽകുമ്പോൾ വിതരണ വെയർഹ house സ് തിരഞ്ഞെടുക്കാൻ കഴിയില്ല
diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv
index b21d57d..7041a31 100644
--- a/erpnext/translations/mr.csv
+++ b/erpnext/translations/mr.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,संधी गमावले कारण
 DocType: Patient Appointment,Check availability,उपलब्धता तपासा
 DocType: Retention Bonus,Bonus Payment Date,बोनस भरणा तारीख
-DocType: Employee,Job Applicant,ईयोब अर्जदाराचे
+DocType: Appointment Letter,Job Applicant,ईयोब अर्जदाराचे
 DocType: Job Card,Total Time in Mins,मिन्स मध्ये एकूण वेळ
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,हे या पुरवठादार विरुद्ध व्यवहार आधारित आहे. तपशीलासाठी खालील टाइमलाइन पाहू
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,कामाच्या मागणीसाठी वाढीचा दर
@@ -183,6 +183,7 @@
 DocType: Delivery Stop,Contact Information,संपर्क माहिती
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,कशासाठीही शोधा ...
 ,Stock and Account Value Comparison,स्टॉक आणि खाते मूल्य तुलना
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,वितरित रक्कम कर्जाच्या रकमेपेक्षा जास्त असू शकत नाही
 DocType: Company,Phone No,फोन नाही
 DocType: Delivery Trip,Initial Email Notification Sent,आरंभिक ईमेल सूचना पाठविले
 DocType: Bank Statement Settings,Statement Header Mapping,स्टेटमेंट शीर्षलेख मॅपिंग
@@ -288,6 +289,7 @@
 DocType: Lead,Interested,इच्छुक
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,उघडणे
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,कार्यक्रम:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,वैध वेळेपासून वैध वेळेपेक्षा कमी असणे आवश्यक आहे.
 DocType: Item,Copy From Item Group,आयटम गट पासून कॉपी
 DocType: Journal Entry,Opening Entry,उघडणे प्रवेश
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,केवळ खाते वेतन
@@ -336,6 +338,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,ग्रेड
 DocType: Restaurant Table,No of Seats,सीटची संख्या
+DocType: Loan Type,Grace Period in Days,दिवसांमध्ये ग्रेस पीरियड
 DocType: Sales Invoice,Overdue and Discounted,जादा आणि सूट
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},मालमत्ता {0} संरक्षक {1} ची नाही
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,कॉल डिस्कनेक्ट झाला
@@ -388,7 +391,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,विहित कार्यपद्धती
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,केवळ POS दर्शवा
 DocType: Supplier Group,Supplier Group Name,पुरवठादार गट नाव
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,म्हणून हजेरी लावा <b></b>
 DocType: Driver,Driving License Categories,ड्रायव्हिंग लायसेन्स श्रेण्या
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,कृपया वितरण तारीख प्रविष्ट करा
 DocType: Depreciation Schedule,Make Depreciation Entry,घसारा प्रवेश करा
@@ -405,10 +407,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ऑपरेशन तपशील चालते.
 DocType: Asset Maintenance Log,Maintenance Status,देखभाल स्थिती
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,आयटम कर रक्कम मूल्य मध्ये समाविष्ट
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,कर्ज सुरक्षा Unp प्ले
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,सदस्यता तपशील
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: पुरवठादार देय खात्यावरील आवश्यक आहे {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,आयटम आणि किंमत
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},एकूण तास: {0}
+DocType: Loan,Loan Manager,कर्ज व्यवस्थापक
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},तारीख पासून आर्थिक वर्षाच्या आत असावे. गृहीत धरा तारीख पासून  = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,एचएलसी-पीएमआर-.YYYY.-
 DocType: Drug Prescription,Interval,मध्यंतर
@@ -467,6 +471,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',&#39;वेळ लॉग&#39; द्वारे अद्यतनित
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ग्राहक किंवा पुरवठादार निवडा.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,फाईलमधील देश कोड सिस्टममध्ये सेट केलेल्या देशाच्या कोडशी जुळत नाही
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},खाते {0} कंपनी संबंधित नाही {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,डीफॉल्ट म्हणून केवळ एक अग्रक्रम निवडा.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},आगाऊ रक्कम पेक्षा जास्त असू शकत नाही {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","वेळ स्लॉट वगळण्यात आला, स्लॉट {0} ते {1} ओव्हलजिंग स्लॉट {2} ते {3} ओव्हरलॅप"
@@ -542,7 +547,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,रजा अवरोधित
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},आयटम {0} ने त्याच्या जीवनाचा शेवट  {1} वर गाठला  आहे
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,बँक नोंदी
-DocType: Customer,Is Internal Customer,अंतर्गत ग्राहक आहे
+DocType: Sales Invoice,Is Internal Customer,अंतर्गत ग्राहक आहे
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,विक्री चलन क्रमांक
@@ -566,6 +571,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,साहित्य विनंती
 DocType: Bank Reconciliation,Update Clearance Date,अद्यतन लाभ तारीख
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,बंडल क्वाटी
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,अर्ज मंजूर होईपर्यंत कर्ज तयार करू शकत नाही
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},आयटम {0} खरेदी ऑर्डर {1} मध्ये ' कच्चा माल पुरवठा ' टेबल मध्ये आढळला  नाही
 DocType: Salary Slip,Total Principal Amount,एकूण मुद्दल रक्कम
@@ -573,6 +579,7 @@
 DocType: Quiz Result,Correct,योग्य
 DocType: Student Guardian,Mother,आई
 DocType: Restaurant Reservation,Reservation End Time,आरक्षण समाप्ती वेळ
+DocType: Salary Slip Loan,Loan Repayment Entry,कर्जाची परतफेड एन्ट्री
 DocType: Crop,Biennial,द्विवार्षिक
 ,BOM Variance Report,BOM चल अहवाल
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,ग्राहक समोर ऑर्डर.
@@ -593,6 +600,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},रक्कम {0} {1} च्या  विरुद्ध भरणा  थकबाकी रक्कम{2} पेक्षा जास्त  असू शकत नाही
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,सर्व आरोग्य सेवा एकक
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,संधी बदलण्यावर
+DocType: Loan,Total Principal Paid,एकूण प्राचार्य दिले
 DocType: Bank Account,Address HTML,पत्ता HTML
 DocType: Lead,Mobile No.,मोबाइल क्रमांक.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,देण्याची पध्दत
@@ -611,12 +619,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,बेस मुद्रामध्ये शिल्लक
 DocType: Supplier Scorecard Scoring Standing,Max Grade,कमाल ग्रेड
 DocType: Email Digest,New Quotations,नवी अवतरणे
+DocType: Loan Interest Accrual,Loan Interest Accrual,कर्ज व्याज जमा
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} साठी {1} सुट्टीसाठी उपस्थित नाही.
 DocType: Journal Entry,Payment Order,प्रदान आदेश
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ईमेल सत्यापित करा
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,इतर स्त्रोतांकडून उत्पन्न
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","रिक्त असल्यास, मूळ गोदाम खाते किंवा कंपनी डीफॉल्टचा विचार केला जाईल"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,प्राधान्य ईमेल कर्मचारी निवड आधारित कर्मचारी ईमेल पगारपत्रक
+DocType: Work Order,This is a location where operations are executed.,हे असे स्थान आहे जेथे ऑपरेशन्स कार्यान्वित केल्या जातात.
 DocType: Tax Rule,Shipping County,शिपिंग परगणा
 DocType: Currency Exchange,For Selling,विक्रीसाठी
 apps/erpnext/erpnext/config/desktop.py,Learn,जाणून घ्या
@@ -625,6 +635,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,लागू केलेला कूपन कोड
 DocType: Asset,Next Depreciation Date,पुढील घसारा दिनांक
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,कर्मचारी दर क्रियाकलाप खर्च
+DocType: Loan Security,Haircut %,केशरचना%
 DocType: Accounts Settings,Settings for Accounts,खाती सेटिंग्ज
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},पुरवठादार चलन कोणतेही चलन खरेदी अस्तित्वात {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,विक्री व्यक्ती वृक्ष व्यवस्थापित करा.
@@ -663,6 +674,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},कृपया {0 वर हॉटेल रूम रेट सेट करा
 DocType: Journal Entry,Multi Currency,मल्टी चलन
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,चलन प्रकार
+DocType: Loan,Loan Security Details,कर्जाची सुरक्षा तपशील
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,तारखेपासून वैध तारीख पर्यंत वैधपेक्षा कमी असणे आवश्यक आहे
 DocType: Purchase Invoice,Set Accepted Warehouse,स्वीकृत गोदाम सेट करा
 DocType: Employee Benefit Claim,Expense Proof,खर्चाचा पुरावा
@@ -766,7 +778,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,लॅब चाचणी मान्यता आवश्यक
 DocType: Attendance,Working Hours,कामाचे तास
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,एकूण शिल्लक
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -&gt; {1}) आढळला नाही: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,विद्यमान मालिकेत सुरू / वर्तमान क्रम संख्या बदला.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ऑर्डर केलेल्या रकमेच्या तुलनेत आपल्याला अधिक बिल देण्याची टक्केवारी. उदाहरणार्थ: जर एखाद्या आयटमसाठी ऑर्डर मूल्य $ 100 असेल आणि सहिष्णुता 10% म्हणून सेट केली गेली असेल तर आपणास $ 110 साठी बिल करण्याची परवानगी आहे.
 DocType: Dosage Strength,Strength,सामर्थ्य
@@ -783,6 +794,7 @@
 DocType: Purchase Receipt,Vehicle Date,वाहन तारीख
 DocType: Campaign Email Schedule,Campaign Email Schedule,मोहीम ईमेल वेळापत्रक
 DocType: Student Log,Medical,वैद्यकीय
+DocType: Work Order,This is a location where scraped materials are stored.,हे असे स्थान आहे जेथे स्क्रॅप केलेली सामग्री संग्रहित केली जाते.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,ड्रग निवडा
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,आघाडी मालक लीड म्हणून समान असू शकत नाही
 DocType: Announcement,Receiver,स्वीकारणारा
@@ -880,7 +892,7 @@
 DocType: Driver,Applicable for external driver,बाह्य ड्राइव्हरसाठी लागू
 DocType: Sales Order Item,Used for Production Plan,उत्पादन योजना करीता वापरले जाते
 DocType: BOM,Total Cost (Company Currency),एकूण किंमत (कंपनी चलन)
-DocType: Loan,Total Payment,एकूण भरणा
+DocType: Repayment Schedule,Total Payment,एकूण भरणा
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO सर्व विक्रय ऑर्डर आयटमसाठी आधीच तयार केले आहे
@@ -904,6 +916,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,खरेदी ऑर्डर चेतावणी द्या
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,तारखेपासून तारखेस
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,बिल्ड पुरेसे भाग
+DocType: Loan Security,Loan Security Code,कर्ज सुरक्षा कोड
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,कृपया प्रथम जतन करा
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,त्याच्याशी संबंधित कच्चा माल खेचण्यासाठी आयटम आवश्यक आहेत.
 DocType: POS Profile User,POS Profile User,पीओएस प्रोफाइल वापरकर्ता
@@ -961,6 +974,7 @@
 DocType: Patient,Risk Factors,धोका कारक
 DocType: Patient,Occupational Hazards and Environmental Factors,व्यावसायिक धोका आणि पर्यावरणीय घटक
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,कार्य मागणीसाठी आधीपासून तयार केलेल्या स्टॉक प्रविष्ट्या
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,आयटम कोड&gt; आयटम गट&gt; ब्रँड
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,मागील मागण्या पहा
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} संभाषणे
 DocType: Vital Signs,Respiratory rate,श्वसन दर
@@ -1023,6 +1037,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,करधारणा खाते
 DocType: Pricing Rule,Sales Partner,विक्री भागीदार
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,सर्व पुरवठादार स्कोरकार्ड
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ऑर्डर रक्कम
+DocType: Loan,Disbursed Amount,वितरित रक्कम
 DocType: Buying Settings,Purchase Receipt Required,खरेदी पावती आवश्यक
 DocType: Sales Invoice,Rail,रेल्वे
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,वास्तविक किंमत
@@ -1060,6 +1076,7 @@
 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},वितरित: {0}
 DocType: QuickBooks Migrator,Connected to QuickBooks,क्विकबुकशी कनेक्ट केले
 DocType: Bank Statement Transaction Entry,Payable Account,देय खाते
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,देय नोंदी मिळविण्यासाठी खाते अनिवार्य आहे
 DocType: Payment Entry,Type of Payment,भरणा प्रकार
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,अर्धा दिवस दिनांक अनिवार्य आहे
 DocType: Sales Order,Billing and Delivery Status,बिलिंग आणि वितरण स्थिती
@@ -1098,7 +1115,7 @@
 DocType: Purchase Order Item,Billed Amt,बिल रक्कम
 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,Principal Amount,मुख्य रक्कम
+DocType: Repayment Schedule,Principal Amount,मुख्य रक्कम
 DocType: Loan Application,Total Payable Interest,एकूण व्याज देय
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},एकूण शिल्लक: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,संपर्क उघडा
@@ -1112,6 +1129,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,अद्यतन प्रक्रियेदरम्यान एक त्रुटी आली
 DocType: Restaurant Reservation,Restaurant Reservation,रेस्टॉरन्ट आरक्षण
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,आपले आयटम
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,पुरवठादार&gt; पुरवठादार प्रकार
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,प्रस्ताव लेखन
 DocType: Payment Entry Deduction,Payment Entry Deduction,भरणा प्रवेश कापून
 DocType: Service Level Priority,Service Level Priority,सेवा स्तर प्राधान्य
@@ -1266,7 +1284,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),बेसिक रेट (कंपनी चलन)
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,विभाजित समस्या
 DocType: Student Attendance,Student Attendance,विद्यार्थी उपस्थिती
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,निर्यात करण्यासाठी कोणताही डेटा नाही
 DocType: Sales Invoice Timesheet,Time Sheet,वेळ पत्रक
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush कच्चा माल आधारित रोजी
 DocType: Sales Invoice,Port Code,पोर्ट कोड
@@ -1279,6 +1296,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,वास्तविक वितरण तारीख
 DocType: Lab Test,Test Template,टेस्ट टेम्पलेट
+DocType: Loan Security Pledge,Securities,सिक्युरिटीज
 DocType: Restaurant Order Entry Item,Served,सेवा केली
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,अध्याय माहिती
 DocType: Account,Accounts,खाते
@@ -1372,6 +1390,7 @@
 DocType: Inpatient Record,O Negative,ओ नकारात्मक
 DocType: Work Order Operation,Planned End Time,नियोजनबद्ध समाप्ती वेळ
 DocType: POS Profile,Only show Items from these Item Groups,केवळ या आयटम गटातील आयटम दर्शवा
+DocType: Loan,Is Secured Loan,सुरक्षित कर्ज आहे
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,विद्यमान व्यवहार खाते लेजर रूपांतरीत केले जाऊ शकत नाही
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,सदस्यता प्रकार तपशील
 DocType: Delivery Note,Customer's Purchase Order No,ग्राहकाच्या पर्चेस order क्रमांक
@@ -1408,6 +1427,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,कृपया नोंदणीसाठी कंपनी आणि पोस्टिंग तारीख निवडा
 DocType: Asset,Maintenance,देखभाल
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,रुग्णांच्या चकमकीतुन मिळवा
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -&gt; {1}) आढळला नाही: {2}
 DocType: Subscriber,Subscriber,सदस्य
 DocType: Item Attribute Value,Item Attribute Value,आयटम मूल्य विशेषता
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,चलन विनिमय खरेदी किंवा विक्रीसाठी लागू असणे आवश्यक आहे.
@@ -1487,6 +1507,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,कोणतीही परवानगी नाही
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,करार पूर्तता चेकलिस्ट
 DocType: Vital Signs,Heart Rate / Pulse,हृदय गती / पल्स
+DocType: Customer,Default Company Bank Account,डीफॉल्ट कंपनी बँक खाते
 DocType: Supplier,Default Bank Account,मुलभूत बँक खाते
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","पार्टी आधारित फिल्टर कर यासाठी,   पहिले पार्टी पयायय टाइप करा"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},' अद्यतन शेअर ' तपासणे शक्य नाही कारण आयटम द्वारे वितरीत नाही {0}
@@ -1603,7 +1624,6 @@
 DocType: Sales Team,Incentives,प्रोत्साहन
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,समक्रमित मूल्ये
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,फरक मूल्य
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा
 DocType: SMS Log,Requested Numbers,विनंती संख्या
 DocType: Volunteer,Evening,संध्याकाळी
 DocType: Quiz,Quiz Configuration,क्विझ कॉन्फिगरेशन
@@ -1623,6 +1643,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,मागील पंक्ती एकूण वर
 DocType: Purchase Invoice Item,Rejected Qty,नाकारले प्रमाण
 DocType: Setup Progress Action,Action Field,क्रिया क्षेत्र
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,व्याज आणि दंड दरासाठी कर्जाचा प्रकार
 DocType: Healthcare Settings,Manage Customer,ग्राहक व्यवस्थापित करा
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ऑर्डर तपशील समजावून घेण्यापूर्वी आपल्या उत्पादनांना नेहमी ऍमेझॉन मेगावाट्सकडून एकत्र करा
 DocType: Delivery Trip,Delivery Stops,वितरण थांबे
@@ -1634,6 +1655,7 @@
 ,Final Assessment Grades,अंतिम मूल्यांकन ग्रेड
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"आपल्या कंपनीचे नाव, जे आपण या प्रणालीत  सेट केले  आहे."
 DocType: HR Settings,Include holidays in Total no. of Working Days,एकूण कार्यरत दिवसामधे  सुट्ट्यांचा सामावेश करा
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,एकूण एकूण%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext मध्ये आपला संस्था सेट अप करा
 DocType: Agriculture Analysis Criteria,Plant Analysis,वनस्पती विश्लेषण
 DocType: Task,Timeline,टाइमलाइन
@@ -1641,9 +1663,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,वैकल्पिक आयटम
 DocType: Shopify Log,Request Data,विनंती डेटा
 DocType: Employee,Date of Joining,प्रवेश दिनांक
+DocType: Delivery Note,Inter Company Reference,आंतर कंपनी संदर्भ
 DocType: Naming Series,Update Series,अद्यतन मालिका
 DocType: Supplier Quotation,Is Subcontracted,Subcontracted आहे
 DocType: Restaurant Table,Minimum Seating,किमान आसन
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,प्रश्न डुप्लिकेट होऊ शकत नाही
 DocType: Item Attribute,Item Attribute Values,आयटम विशेषता मूल्ये
 DocType: Examination Result,Examination Result,परीक्षेचा निकाल
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,खरेदी पावती
@@ -1745,6 +1769,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या
 DocType: Payment Request,Paid,पेड
 DocType: Service Level,Default Priority,डीफॉल्ट अग्रक्रम
+DocType: Pledge,Pledge,प्रतिज्ञा
 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 मधील ताजे किंमत देखील अद्ययावत करते.
@@ -1758,6 +1783,7 @@
 DocType: Guardian,Guardian Name,पालक नाव
 DocType: Cheque Print Template,Has Print Format,प्रिंट स्वरूप आहे
 DocType: Support Settings,Get Started Sections,प्रारंभ विभाग
+,Loan Repayment and Closure,कर्जाची परतफेड आणि बंद
 DocType: Lead,CRM-LEAD-.YYYY.-,सीआरएम-LEAD -YYYY.-
 DocType: Invoice Discounting,Sanctioned,मंजूर
 ,Base Amount,बेस रक्कम
@@ -1768,10 +1794,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,ठिकाण पासून
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},कर्जाची रक्कम {0} पेक्षा जास्त असू शकत नाही
 DocType: Student Admission,Publish on website,वेबसाइट वर प्रकाशित
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,पुरवठादार चलन तारीख पोस्ट दिनांक पेक्षा जास्त असू शकत नाही
 DocType: Installation Note,MAT-INS-.YYYY.-,मॅट-एन्एस- .YYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,आयटम कोड&gt; आयटम गट&gt; ब्रँड
 DocType: Subscription,Cancelation Date,रद्द करण्याची तारीख
 DocType: Purchase Invoice Item,Purchase Order Item,ऑर्डर आयटम खरेदी
 DocType: Agriculture Task,Agriculture Task,कृषी कार्य
@@ -1790,7 +1816,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,अतिरिक्त सवलत टक्केवारी
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,मदत व्हिडिओ यादी पहा
 DocType: Agriculture Analysis Criteria,Soil Texture,मातीचा पोत
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,जेथे चेक जमा होतात  ते  बँक प्रमुख खाते निवडा .
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,वापरकर्ता व्यवहार दर सूची दर संपादित करण्याची परवानगी द्या
 DocType: Pricing Rule,Max Qty,कमाल Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,अहवाल कार्ड प्रिंट करा
@@ -1924,7 +1949,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","एकदा सेट केल्यानंतर, ही चलन सेट तारखेपर्यंत असेल"
 DocType: Cashier Closing,POS-CLO-,पीओएस-सीएलओ-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,विक्री रक्कम
-DocType: Repayment Schedule,Interest Amount,व्याज रक्कम
+DocType: Loan Interest Accrual,Interest Amount,व्याज रक्कम
 DocType: Job Card,Time Logs,वेळ नोंदी
 DocType: Sales Invoice,Loyalty Amount,लॉयल्टी रक्कम
 DocType: Employee Transfer,Employee Transfer Detail,कर्मचारी हस्तांतरण तपशील
@@ -1964,7 +1989,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,खरेदी ऑर्डर आयटम अतिदेय
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,पिनकोड
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},विक्री ऑर्डर {0} हे  {1}आहे
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},कर्जाचा व्याज उत्पन्न खाते निवडा {0}
 DocType: Opportunity,Contact Info,संपर्क माहिती
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,शेअर नोंदी करून देणे
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,दर्जा असलेल्या डावीकडून कर्मचार्याला प्रोत्साहन देऊ शकत नाही
@@ -2049,7 +2073,6 @@
 DocType: Salary Slip,Deductions,वजावट
 DocType: Setup Progress Action,Action Name,क्रिया नाव
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,प्रारंभ वर्ष
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,कर्ज तयार करा
 DocType: Purchase Invoice,Start date of current invoice's period,चालू चलन च्या कालावधी प्रारंभ तारीख
 DocType: Shift Type,Process Attendance After,नंतर प्रक्रिया उपस्थिती
 ,IRS 1099,आयआरएस 1099
@@ -2070,6 +2093,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,आपले डोमेन निवडा
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,शॉपिइटी पुरवठादार
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,भरणा इनवॉइस आयटम
+DocType: Repayment Schedule,Is Accrued,जमा आहे
 DocType: Payroll Entry,Employee Details,कर्मचारी तपशील
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,एक्सएमएल फायलींवर प्रक्रिया करीत आहे
 DocType: Amazon MWS Settings,CN,सीएन
@@ -2099,6 +2123,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,लॉयल्टी पॉइंट प्रविष्टी
 DocType: Employee Checkin,Shift End,शिफ्ट एंड
 DocType: Stock Settings,Default Item Group,मुलभूत आयटम गट
+DocType: Loan,Partially Disbursed,अंशत: वाटप
 DocType: Job Card Time Log,Time In Mins,मिनिट वेळ
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,माहिती द्या
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ही क्रिया आपल्या बँक खात्यांसह ईआरपीनेक्स्ट एकत्रित करणार्‍या कोणत्याही बाह्य सेवेमधून या खात्यास दुवा साधेल. ते पूर्ववत केले जाऊ शकत नाही. तुला खात्री आहे का?
@@ -2114,6 +2139,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,सारख्या आयटमचा एकाधिक वेळा प्रविष्ट करणे शक्य नाही.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","पुढील खाती गट अंतर्गत केले जाऊ शकते, पण नोंदी नॉन-गट  करू शकता"
+DocType: Loan Repayment,Loan Closure,कर्ज बंद
 DocType: Call Log,Lead,लीड
 DocType: Email Digest,Payables,देय
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth टोकन
@@ -2146,6 +2172,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,कर्मचारी कर आणि फायदे
 DocType: Bank Guarantee,Validity in Days,दिवस मध्ये वैधता
 DocType: Bank Guarantee,Validity in Days,दिवस मध्ये वैधता
+DocType: Unpledge,Haircut,केशरचना
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},सी-फॉर्म बीजक लागू नाही: {0}
 DocType: Certified Consultant,Name of Consultant,सल्लागाराचे नाव
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled देय तपशील
@@ -2199,7 +2226,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,उर्वरित जग
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,आयटम {0} बॅच असू शकत नाही
 DocType: Crop,Yield UOM,पीक यूओएम
+DocType: Loan Security Pledge,Partially Pledged,अर्धवट तारण ठेवले
 ,Budget Variance Report,अर्थसंकल्प फरक अहवाल
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,मंजूर कर्जाची रक्कम
 DocType: Salary Slip,Gross Pay,एकूण वेतन
 DocType: Item,Is Item from Hub,आयटम हब पासून आहे
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,हेल्थकेअर सर्व्हिसेजकडून आयटम्स मिळवा
@@ -2234,6 +2263,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,नवीन गुणवत्ता प्रक्रिया
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},खाते साठी शिल्लक {0} नेहमी असणे आवश्यक आहे {1}
 DocType: Patient Appointment,More Info,अधिक माहिती
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,जन्मतारीख सामील होण्याच्या तारखेपेक्षा मोठी असू शकत नाही.
 DocType: Supplier Scorecard,Scorecard Actions,स्कोअरकार्ड क्रिया
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},{1} मधील पुरवठादार {0} आढळला नाही
 DocType: Purchase Invoice,Rejected Warehouse,नाकारल्याचे कोठार
@@ -2328,6 +2358,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,कृपया प्रथम आयटम कोड सेट करा
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,दस्तऐवज प्रकार
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},कर्ज सुरक्षिततेची प्रतिज्ञा तयार केली: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,भेटी आणि रुग्णांच्या उद्घोषक
@@ -2382,6 +2413,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,समवर्ती भेटींची संख्या
 apps/erpnext/erpnext/config/desktop.py,Getting Started,प्रारंभ करणे
 DocType: Purchase Invoice,Taxes and Charges Calculation,कर आणि शुल्क गणना
+DocType: Loan Interest Accrual,Payable Principal Amount,देय प्रधान रक्कम
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,पुस्तक मालमत्ता घसारा प्रवेश स्वयंचलितपणे
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,पुस्तक मालमत्ता घसारा प्रवेश स्वयंचलितपणे
 DocType: BOM Operation,Workstation,वर्कस्टेशन
@@ -2418,7 +2450,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,अन्न
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing श्रेणी 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,पीओएस बंद व्हाउचर तपशील
-DocType: Bank Account,Is the Default Account,डीफॉल्ट खाते आहे
 DocType: Shopify Log,Shopify Log,Shopify लॉग
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,संप्रेषण आढळले नाही.
 DocType: Inpatient Occupancy,Check In,चेक इन
@@ -2472,12 +2503,14 @@
 DocType: Sales Order Item,Planned Quantity,नियोजनबद्ध प्रमाण
 DocType: Water Analysis,Water Analysis Criteria,पाणी विश्लेषण मानदंड
 DocType: Item,Maintain Stock,शेअर ठेवा
+DocType: Loan Security Unpledge,Unpledge Time,अप्रत्याशित वेळ
 DocType: Terms and Conditions,Applicable Modules,लागू मॉड्यूल
 DocType: Employee,Prefered Email,Prefered ईमेल
 DocType: Student Admission,Eligibility and Details,पात्रता आणि तपशील
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,एकूण नफ्यात समाविष्ट
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,मुदत मालमत्ता निव्वळ बदला
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,रेखडि मात्रा
+DocType: Work Order,This is a location where final product stored.,हे असे स्थान आहे जेथे अंतिम उत्पादन संग्रहित केले जाते.
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार 'वास्तविक ' सलग शुल्क {0} आयटम रेट मधे  समाविष्ट केले जाऊ शकत नाही
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},कमाल: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,DATETIME पासून
@@ -2517,8 +2550,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,हमी / जेथे एएमसी स्थिती
 ,Accounts Browser,खाती ब्राउझर
 DocType: Procedure Prescription,Referral,रेफरल
+,Territory-wise Sales,टेरिटरीनुसार विक्री
 DocType: Payment Entry Reference,Payment Entry Reference,भरणा प्रवेश संदर्भ
 DocType: GL Entry,GL Entry,जी.एल. प्रवेश
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,पंक्ती # {0}: स्वीकृत गोदाम आणि पुरवठादार कोठार एकसारखे असू शकत नाही
 DocType: Support Search Source,Response Options,प्रतिसाद पर्याय
 DocType: Pricing Rule,Apply Multiple Pricing Rules,मल्टीपल प्राइसिंग नियम लागू करा
 DocType: HR Settings,Employee Settings,कर्मचारी सेटिंग्ज
@@ -2592,6 +2627,7 @@
 DocType: Item,Sales Details,विक्री तपशील
 DocType: Coupon Code,Used,वापरलेले
 DocType: Opportunity,With Items,आयटम
+DocType: Vehicle Log,last Odometer Value ,शेवटचे ओडोमीटर मूल्य
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',मोहीम &#39;{0}&#39; आधीपासूनच {1} &#39;{2}&#39; साठी विद्यमान आहे
 DocType: Asset Maintenance,Maintenance Team,देखरेख कार्यसंघ
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","कोणत्या विभागांमध्ये दिसले पाहिजे याची क्रमवारी लावा. 0 प्रथम आहे, 1 दुसरा आहे आणि याप्रमाणे."
@@ -2602,7 +2638,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,खर्च दावा {0} वाहनाकरीता लॉग आधिपासूनच अस्तित्वात आहे
 DocType: Asset Movement Item,Source Location,स्रोत स्थान
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,संस्था नाव
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,परतफेड रक्कम प्रविष्ट करा
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,परतफेड रक्कम प्रविष्ट करा
 DocType: Shift Type,Working Hours Threshold for Absent,अनुपस्थित कामकाजाचा उंबरठा
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,एकूण खर्च केल्याच्या कारणास्तव एकापेक्षा अधिक रचित संकलन घटक असू शकतात. परंतु विमोचन करण्यासाठी रूपांतर नेहमीच सर्व स्तरांकरिता समान असेल.
 apps/erpnext/erpnext/config/help.py,Item Variants,आयटम रूपे
@@ -2625,6 +2661,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,भरणा टेबल मधे रेकॉर्ड आढळले नाहीत
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},या {0} संघर्ष {1} साठी {2} {3}
 DocType: Student Attendance Tool,Students HTML,विद्यार्थी HTML
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,कृपया प्रथम अर्जदार प्रकार निवडा
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","बीओएम, क्वाटी आणि वेअरहाऊससाठी निवडा"
 DocType: GST HSN Code,GST HSN Code,&#39;जीएसटी&#39; HSN कोड
 DocType: Employee External Work History,Total Experience,एकूण अनुभव
@@ -2713,7 +2750,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",आयटम {0} साठी कोणतेही सक्रिय BOM आढळले नाही. \ Serial No द्वारे डिलिव्हरी सुनिश्चित केली जाऊ शकत नाही
 DocType: Sales Partner,Sales Partner Target,विक्री भागीदार लक्ष्य
-DocType: Loan Type,Maximum Loan Amount,कमाल कर्ज रक्कम
+DocType: Loan Application,Maximum Loan Amount,कमाल कर्ज रक्कम
 DocType: Coupon Code,Pricing Rule,किंमत नियम
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},विद्यार्थी रोल नंबर डुप्लिकेट {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},विद्यार्थी रोल नंबर डुप्लिकेट {0}
@@ -2737,6 +2774,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},रजा यशस्वीरित्या  {0} साठी वाटप केली
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,पॅक करण्यासाठी आयटम नाहीत
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,सध्या केवळ .csv आणि .xlsx फायली समर्थित आहेत
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,मानव संसाधन&gt; एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा
 DocType: Shipping Rule Condition,From Value,मूल्य
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,उत्पादन प्रमाण अनिवार्य आहे
 DocType: Loan,Repayment Method,परतफेड पद्धत
@@ -2886,6 +2924,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,निव्वळ नफा
 DocType: Purchase Invoice,Eligibility For ITC,आयटीसीसाठी पात्रता
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP- .YYYY.-
+DocType: Loan Security Pledge,Unpledged,अप्रमाणित
 DocType: Journal Entry,Entry Type,प्रवेश प्रकार
 ,Customer Credit Balance,ग्राहक क्रेडिट शिल्लक
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,देय खात्यांमध्ये  निव्वळ बदल
@@ -2897,6 +2936,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),उपस्थिती डिव्हाइस आयडी (बायोमेट्रिक / आरएफ टॅग आयडी)
 DocType: Quotation,Term Details,मुदत तपशील
 DocType: Item,Over Delivery/Receipt Allowance (%),जास्त वितरण / पावती भत्ता (%)
+DocType: Appointment Letter,Appointment Letter Template,नियुक्ती पत्र टेम्पलेट
 DocType: Employee Incentive,Employee Incentive,कर्मचारी प्रोत्साहन
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} विद्यार्थी या विद्यार्थी गट जास्त नोंदणी करु शकत नाही.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),एकूण (कर न करता)
@@ -2921,6 +2961,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",सीरीयल नुसार डिलिव्हरीची खात्री करणे शक्य नाही कारण \ आयटम {0} सह आणि \ Serial No. द्वारे डिलिव्हरी सुनिश्चित केल्याशिवाय जोडली आहे.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,चलन रद्द देयक दुवा रद्द करा
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,प्रक्रिया कर्ज व्याज जमा
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},प्रवेश चालू ओडोमीटर वाचन प्रारंभिक वाहन ओडोमीटर अधिक असावे {0}
 ,Purchase Order Items To Be Received or Billed,खरेदी ऑर्डर आयटम प्राप्त किंवा बिल करण्यासाठी
 DocType: Restaurant Reservation,No Show,शो नाही
@@ -3005,6 +3046,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: &#39;नफा व तोटा&#39; खात्यासाठी खर्च केंद्र आवश्यक आहे {2}. कंपनी साठी डीफॉल्ट खर्च केंद्र सेट करा.
 DocType: Payment Schedule,Payment Term,पैसे देण्याची अट
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,एक ग्राहक गट त्याच नावाने अस्तित्वात असेल तर ग्राहक नाव बदला किंवा ग्राहक गट नाव बदला
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,प्रवेश समाप्ती तारीख प्रवेश प्रारंभ तारखेपेक्षा मोठी असावी.
 DocType: Location,Area,क्षेत्र
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,नवीन संपर्क
 DocType: Company,Company Description,कंपनीचे वर्णन
@@ -3079,6 +3121,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,नकाशे डेटा
 DocType: Purchase Order Item,Warehouse and Reference,वखार आणि संदर्भ
 DocType: Payroll Period Date,Payroll Period Date,वेतनपट कालावधी तारीख
+DocType: Loan Disbursement,Against Loan,कर्जाच्या विरूद्ध
 DocType: Supplier,Statutory info and other general information about your Supplier,आपल्या पुरवठादार बद्दल वैधानिक माहिती आणि इतर सर्वसाधारण माहिती
 DocType: Item,Serial Nos and Batches,सिरियल क्र आणि बॅच
 DocType: Item,Serial Nos and Batches,सिरियल क्र आणि बॅच
@@ -3144,6 +3187,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,कंपनी निवडा
 DocType: Delivery Settings,Delivery Settings,वितरण सेटिंग्ज
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,डेटा मिळवा
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},{0} च्या {0} क्वाइटीपेक्षा जास्त अनपज करू शकत नाही
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},सुट्टीच्या प्रकार {0} मध्ये अनुमत कमाल सुट {1} आहे
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 आयटम प्रकाशित करा
 DocType: SMS Center,Create Receiver List,स्वीकारणारा यादी तयार करा
@@ -3289,6 +3333,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),बेस रक्कम (कंपनी चलन)
 DocType: Purchase Invoice,Registered Regular,नियमित नोंदणीकृत
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,कच्चा माल
+DocType: Plaid Settings,sandbox,सँडबॉक्स
 DocType: Payment Reconciliation Payment,Reference Row,संदर्भ पंक्ती
 DocType: Installation Note,Installation Time,प्रतिष्ठापन वेळ
 DocType: Sales Invoice,Accounting Details,लेखा माहिती
@@ -3301,12 +3346,11 @@
 DocType: Leave Ledger Entry,Transaction Type,व्यवहार प्रकार
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,स्वीकृती निकष
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,वरील टेबलमधे  साहित्य विनंत्या प्रविष्ट करा
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,एकूण देय रक्कम
 DocType: Task,Expected Time (in hours),अपेक्षित वेळ(तासामधे )
 DocType: Item Reorder,Check in (group),चेक इन (गट)
 DocType: Soil Texture,Silt,गाळ
@@ -3338,6 +3382,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,सबमिट न केलेल्या कर सूट सबस्क्रिप्शनसाठी कराची वसुली करा
 DocType: Volunteer,Anytime,कधीही
 DocType: Bank Account,Bank Account No,बँक खाते क्रमांक
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,वितरण आणि परतफेड
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,कर्मचारी कर सूट सबॉफ सबमिशन
 DocType: Patient,Surgical History,सर्जिकल इतिहास
 DocType: Bank Statement Settings Item,Mapped Header,मॅप केलेली शीर्षलेख
@@ -3399,6 +3444,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,विक्री चलन वर लॅब प्रयोग (टे) तयार करा सबमिट करा
 DocType: Serial No,Invoice Details,चलन तपशील
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,कर सूट जाहीर करण्यापूर्वी वेतन रचना सादर करणे आवश्यक आहे
+DocType: Loan Application,Proposed Pledges,प्रस्तावित प्रतिज्ञा
 DocType: Grant Application,Show on Website,वेबसाइटवर दर्शवा
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,सुरु करा
 DocType: Hub Tracked Item,Hub Category,हब श्रेणी
@@ -3410,7 +3456,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,पुरवठादार धावसंख्याकार्ड उभे राहणे
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},पंक्ती {0}: सामग्रीचा बिल आयटम आढळले नाही {1}
 DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,मानव संसाधन&gt; एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा
 DocType: Journal Entry,Accounts Receivable,प्राप्तीयोग्य खाते
 DocType: Quality Goal,Objectives,उद्दीष्टे
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,बॅकडेटेड लीव्ह Createप्लिकेशन तयार करण्यासाठी भूमिका अनुमत
@@ -3669,6 +3714,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,वैध तारखेनुसार तारीख पर्यंत वैध असणे आवश्यक आहे.
 DocType: Employee Skill,Evaluation Date,मूल्यांकन तारीख
 DocType: Quotation Item,Stock Balance,शेअर शिल्लक
+DocType: Loan Security Pledge,Total Security Value,एकूण सुरक्षा मूल्य
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,भरणा करण्यासाठी विक्री आदेश
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,मुख्य कार्यकारी अधिकारी
 DocType: Purchase Invoice,With Payment of Tax,कराचा भरणा सह
@@ -3761,6 +3807,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,वर्तमान मूल्यांकन दर
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,मूळ खात्यांची संख्या 4 पेक्षा कमी असू शकत नाही
 DocType: Training Event,Advance,प्रगती
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,कर्जाविरूद्ध:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless देयक गेटवे सेटिंग्ज
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,विनिमय लाभ / कमी होणे
 DocType: Opportunity,Lost Reason,कारण गमावले
@@ -3845,8 +3892,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,बॅच निवडा कोणत्याही
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},अवैध {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,पंक्ती {0}: भावंडांची जन्मतारीख आजपेक्षा मोठी असू शकत नाही.
 DocType: Fee Validity,Reference Inv,संदर्भ INV
 DocType: Sales Invoice Advance,Advance Amount,आगाऊ रक्कम
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,दंड व्याज दर (%) दर दिवशी
 DocType: Manufacturing Settings,Capacity Planning,क्षमता नियोजन
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,गोलाकार समायोजन (कंपनी चलन
 DocType: Asset,Policy number,पॉलिसी नंबर
@@ -3861,7 +3910,9 @@
 DocType: Normal Test Items,Require Result Value,परिणाम मूल्य आवश्यक आहे
 DocType: Purchase Invoice,Pricing Rules,किंमत नियम
 DocType: Item,Show a slideshow at the top of the page,पृष्ठाच्या शीर्षस्थानी स्लाईड शो दर्शवा
+DocType: Appointment Letter,Body,शरीर
 DocType: Tax Withholding Rate,Tax Withholding Rate,कर विहहधन दर
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,मुदतीच्या कर्जासाठी परतफेड सुरू करण्याची तारीख अनिवार्य आहे
 DocType: Pricing Rule,Max Amt,मॅक्स अमेट
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,स्टोअर्स
@@ -3881,7 +3932,7 @@
 DocType: Call Log,Received By,द्वारा प्राप्त
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),नियुक्ती कालावधी (मिनिटांत)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,रोख प्रवाह मॅपिंग टेम्पलेट तपशील
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,कर्ज व्यवस्थापन
+DocType: Loan,Loan Management,कर्ज व्यवस्थापन
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,स्वतंत्र उत्पन्न ट्रॅक आणि उत्पादन verticals किंवा विभाग लवकरात.
 DocType: Rename Tool,Rename Tool,साधन पुनर्नामित करा
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,अद्यतन खर्च
@@ -3889,6 +3940,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,जीएसटीआर 3 बी-फॉर्म
 DocType: Sales Invoice,Mode of Transport,वाहतूक साधन
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,पगार शो स्लिप्स
+DocType: Loan,Is Term Loan,टर्म लोन आहे
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,ट्रान्सफर साहित्य
 DocType: Fees,Send Payment Request,पैसे विनंती पाठवा
 DocType: Travel Request,Any other details,कोणतेही अन्य तपशील
@@ -3906,6 +3958,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,आर्थिक रोख प्रवाह
 DocType: Budget Account,Budget Account,बजेट खाते
 DocType: Quality Inspection,Verified By,द्वारा सत्यापित केली
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,कर्ज सुरक्षा जोडा
 DocType: Travel Request,Name of Organizer,आयोजकचे नाव
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,आयकर दायित्व आहे
@@ -3955,6 +4008,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,रोजी आवश्यक
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","तपासल्यास, पगार स्लिपमधील राउंड एकूण फील्ड लपविला आणि अक्षम करते"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,विक्री ऑर्डरमधील वितरण तारखेसाठी हे डीफॉल्ट ऑफसेट (दिवस) आहे. ऑर्डर प्लेसमेंट तारखेपासून फॉलबॅक ऑफसेट 7 दिवस आहे.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा
 DocType: Rename Tool,File to Rename,फाइल पुनर्नामित करा
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},कृपया सलग {0} मधे  आयटम साठी BOM निवडा
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,सदस्यता अद्यतने प्राप्त करा
@@ -3967,6 +4021,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,अनुक्रमांक तयार केले
 DocType: POS Profile,Applicable for Users,वापरकर्त्यांसाठी लागू
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN- .YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,तारीख आणि तारखेपासून अनिवार्य आहेत
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,प्रोजेक्ट आणि सर्व कार्ये स्थिती {0} वर सेट करायची?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),अॅडव्हान्स आणि ऑलोकेट (फीफो) सेट करा
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,कोणतेही कार्य ऑर्डर तयार नाहीत
@@ -4071,11 +4126,12 @@
 ,Minutes to First Response for Opportunity,संधी प्रथम प्रतिसाद मिनिटे
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,एकूण अनुपिस्थत
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,आयटम किंवा कोठार सलग {0} साठी  सामग्री विनंती  जुळत नाही
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,देय रक्कम
+DocType: Loan Repayment,Payable Amount,देय रक्कम
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,संधी
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,जास्तीत जास्त सामर्थ्य शून्यापेक्षा कमी असू शकत नाही.
 DocType: Options,Option,पर्याय
 DocType: Operation,Default Workstation,मुलभूत वर्कस्टेशन
 DocType: Payment Entry,Deductions or Loss,कपात किंवा कमी होणे
@@ -4116,6 +4172,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,व्याज रक्कम अनिवार्य आहे
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,वेतन न करता सोडू मंजूर रजा रेकॉर्ड जुळत नाही
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,पुढील पायऱ्या
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,जतन केलेले आयटम
@@ -4167,8 +4224,6 @@
 DocType: Grant Application,Grant Application Details ,अर्ज विनंती मंजूर करा
 DocType: Employee Separation,Employee Separation,कर्मचारी विभेदन
 DocType: BOM Item,Original Item,मूळ आयटम
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी <a href=""#Form/Employee/{0}"">{0}.</a> हटवा"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,दस्तऐवज तारीख
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},फी रेकॉर्ड तयार - {0}
 DocType: Asset Category Account,Asset Category Account,मालमत्ता वर्ग खाते
@@ -4204,6 +4259,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,लॅब टेस्ट आयटम {0} आधीपासून विद्यमान आहे
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} कंपनीची सुट्टी आहे
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,बिल करण्यायोग्य तास
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,विलंब परतफेड झाल्यास दररोज प्रलंबित व्याज रकमेवर दंड व्याज दर आकारला जातो
+DocType: Appointment Letter content,Appointment Letter content,नियुक्ती पत्र सामग्री
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,स्थिती सूचना सोडा
 DocType: Patient Appointment,Procedure Prescription,कार्यपद्धती प्रिस्क्रिप्शन
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,फर्निचर आणि सामने
@@ -4222,7 +4279,7 @@
 DocType: Opportunity,Customer / Lead Name,ग्राहक / लीड नाव
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,निपटारा तारीख नमूद केलेली नाही
 DocType: Payroll Period,Taxable Salary Slabs,करपात्र वेतन स्लॅब
-DocType: Job Card,Production,उत्पादन
+DocType: Plaid Settings,Production,उत्पादन
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,अवैध जीएसटीआयएन! आपण प्रविष्ट केलेले इनपुट जीएसटीआयएनच्या स्वरूपाशी जुळत नाही.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,खाते मूल्य
 DocType: Guardian,Occupation,व्यवसाय
@@ -4365,6 +4422,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,लॉयल्टी प्रोग्राम संकलन
 DocType: Stock Entry Detail,Subcontracted Item,उपकांक्षिक आयटम
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},विद्यार्थी {0} गटाशी संबंधित नाही {1}
+DocType: Appointment Letter,Appointment Date,नियुक्तीची तारीख
 DocType: Budget,Cost Center,खर्च केंद्र
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,प्रमाणक #
 DocType: Tax Rule,Shipping Country,शिपिंग देश
@@ -4435,6 +4493,7 @@
 DocType: Accounting Dimension,Accounting Dimension,लेखा परिमाण
 ,Profit and Loss Statement,नफा व तोटा स्टेटमेंट
 DocType: Bank Reconciliation Detail,Cheque Number,धनादेश क्रमांक
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,देय रक्कम शून्य असू शकत नाही
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} द्वारे संदर्भित केलेला आयटम आधीपासून चालविला गेला आहे
 ,Sales Browser,विक्री ब्राउझर
 DocType: Journal Entry,Total Credit,एकूण क्रेडिट
@@ -4539,6 +4598,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,कूपन अटी जोडा / संपादित करा
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,खर्च / फरक खाते ({0}) एक &#39;नफा किंवा तोटा&#39; खाते असणे आवश्यक आहे
 DocType: Stock Entry Detail,Stock Entry Child,स्टॉक एन्ट्री मूल
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,कर्ज सुरक्षा तारण कंपनी आणि कर्ज कंपनी समान असणे आवश्यक आहे
 DocType: Project,Copied From,कॉपी
 DocType: Project,Copied From,कॉपी
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,सर्व बिलिंग तासांसाठी आधीच तयार केलेले बीजक
@@ -4547,6 +4607,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,वित्त खर्च आहे
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,कर्मचारी {0} हजेरी आधीच खूण आहे
 DocType: Packing Slip,If more than one package of the same type (for print),तर समान प्रकारच्या एकापेक्षा जास्त पॅकेज (मुद्रण)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षण&gt; शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,कृपया रेस्टॉरंट सेटिंग्जमध्ये डीफॉल्ट ग्राहक सेट करा
 ,Salary Register,पगार नोंदणी
 DocType: Company,Default warehouse for Sales Return,सेल्स रिटर्नसाठी डीफॉल्ट वेअरहाउस
@@ -4591,7 +4652,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,सध्याचा अनुक्रमांक
 DocType: Employee,Attendance and Leave Details,उपस्थिती आणि रजा तपशील
 ,BOM Comparison Tool,बीओएम तुलना साधन
-,Requested,विनंती
+DocType: Loan Security Pledge,Requested,विनंती
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,शेरा नाही
 DocType: Asset,In Maintenance,देखरेख मध्ये
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWS कडून आपल्या विकल्के आदेश डेटा खेचण्यासाठी हे बटण क्लिक करा
@@ -4603,7 +4664,6 @@
 DocType: Drug Prescription,Drug Prescription,ड्रग प्रिस्क्रिप्शन
 DocType: Service Level,Support and Resolution,समर्थन आणि ठराव
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,विनामूल्य आयटम कोड निवडलेला नाही
-DocType: Loan,Repaid/Closed,परतफेड / बंद
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,एकूण अंदाज प्रमाण
 DocType: Monthly Distribution,Distribution Name,वितरण नाव
@@ -4636,6 +4696,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,शेअर एकट्या प्रवेश
 DocType: Lab Test,LabTest Approver,लॅबस्टेस्ट अॅपरॉव्हर
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,आपण मूल्यांकन निकष आधीच मूल्यमापन आहे {}.
+DocType: Loan Security Shortfall,Shortfall Amount,उणीव रक्कम
 DocType: Vehicle Service,Engine Oil,इंजिन तेल
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},तयार केलेल्या कार्य ऑर्डर: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},कृपया लीड {0} साठी ईमेल आयडी सेट करा
@@ -4653,6 +4714,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,कब्जा स्थिती
 DocType: Purchase Invoice,Apply Additional Discount On,अतिरिक्त सवलत लागू
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,प्रकार निवडा ...
+DocType: Loan Interest Accrual,Amounts,रक्कम
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,आपल्या तिकिटे
 DocType: Account,Root Type,रूट प्रकार
 DocType: Item,FIFO,FIFO
@@ -4660,6 +4722,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},रो # {0}:  आयटम {2} साठी  {1} पेक्षा अधिक परत करू शकत नाही
 DocType: Item Group,Show this slideshow at the top of the page,पृष्ठाच्या शीर्षस्थानी हा स्लाइडशो दर्शवा
 DocType: BOM,Item UOM,आयटम UOM
+DocType: Loan Security Price,Loan Security Price,कर्ज सुरक्षा किंमत
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),सवलत रक्कम नंतर कर रक्कम (कंपनी चलन)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},लक्ष्य कोठार सलग {0} साठी अनिवार्य आहे
 apps/erpnext/erpnext/config/retail.py,Retail Operations,किरकोळ ऑपरेशन्स
@@ -4797,6 +4860,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},बॅच सलग आवश्यक आहे {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},बॅच सलग आवश्यक आहे {0}
 DocType: Company,Default Buying Terms,डीफॉल्ट खरेदी अटी
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,कर्ज वितरण
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,खरेदी पावती आयटम प्रदान
 DocType: Amazon MWS Settings,Enable Scheduled Synch,अनुसूचित समूहाला सक्षम करा
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,DATETIME करण्यासाठी
@@ -4889,6 +4953,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,प्रस्ताव / किंमत कोट
 DocType: Antibiotic,Healthcare,आरोग्य सेवा
 DocType: Target Detail,Target Detail,लक्ष्य तपशील
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,कर्ज प्रक्रिया
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,सिंगल व्हेरियंट
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,सर्व नोकरी
 DocType: Sales Order,% of materials billed against this Sales Order,साहित्याचे % या विक्री ऑर्डर विरोधात बिल केले आहे
@@ -4951,7 +5016,7 @@
 DocType: Item,Reorder level based on Warehouse,वखारवर  आधारित पुन्हा क्रमवारी लावा पातळी
 DocType: Activity Cost,Billing Rate,बिलिंग दर
 ,Qty to Deliver,वितरीत करण्यासाठी Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,वितरण प्रविष्टी तयार करा
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,वितरण प्रविष्टी तयार करा
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ऍमेझॉन या तारीख नंतर अद्यतनित डेटा समक्रमित होईल
 ,Stock Analytics,शेअर Analytics
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,ऑपरेशन रिक्त सोडले जाऊ शकत नाही
@@ -4985,6 +5050,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,बाह्य एकत्रीकरण अनलिंक करा
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,संबंधित देय निवडा
 DocType: Pricing Rule,Item Code,आयटम कोड
+DocType: Loan Disbursement,Pending Amount For Disbursal,वितरणासाठी प्रलंबित रक्कम
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU- .YYY.-
 DocType: Serial No,Warranty / AMC Details,हमी / जेथे एएमसी तपशील
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,क्रियाकलाप आधारित गट विद्यार्थ्यांना निवडा स्वतः
@@ -5010,6 +5076,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,गणक एकूण
 DocType: Landed Cost Item,Receipt Document,पावती दस्तऐवज
 DocType: Employee Education,School/University,शाळा / विद्यापीठ
+DocType: Loan Security Pledge,Loan  Details,कर्जाचा तपशील
 DocType: Sales Invoice Item,Available Qty at Warehouse,कोठार वर उपलब्ध आहे Qty
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,बिल केलेली रक्कम
 DocType: Share Transfer,(including),(यासह)
@@ -5033,6 +5100,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,गट
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,खाते गट
 DocType: Purchase Invoice,Hold Invoice,चलन धारण करा
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,तारण स्थिती
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,कृपया कर्मचारी निवडा
 DocType: Sales Order,Fully Delivered,पूर्णतः वितरित
 DocType: Promotional Scheme Price Discount,Min Amount,किमान रक्कम
@@ -5042,7 +5110,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},वितरित करण्यात आलेल्या रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},रो {0} # वाटप केलेली रक्कम {1} हक्क न सांगितलेल्या रकमेपेक्षा मोठी असू शकत नाही {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},आयटम आवश्यक मागणीसाठी  क्रमांक खरेदी {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,अग्रेषित केलेले पाने कॅरी
@@ -5070,6 +5137,7 @@
 DocType: Pick List Item,Serial No and Batch,सिरियल क्रमांक आणि बॅच
 DocType: Warranty Claim,From Company,कंपनी पासून
 DocType: GSTR 3B Report,January,जानेवारी
+DocType: Loan Repayment,Principal Amount Paid,मुख्य रक्कम दिली
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन निकष स्कोअर बेरीज {0} असणे आवश्यक आहे.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Depreciations संख्या बुक सेट करा
 DocType: Supplier Scorecard Period,Calculations,गणना
@@ -5096,6 +5164,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,आपल्या कंपनी बद्दल
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,स्टॉक एजिंग डेटा दर्शवा
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,क्रेडिट खाते ताळेबंद खाते असणे आवश्यक आहे
+DocType: Loan Repayment,Penalty Amount,दंड रक्कम
 DocType: Donor,Donor,दाता
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,आयटम करीता कर अद्यतनित करा
 DocType: Global Defaults,Disable In Words,शब्द मध्ये अक्षम
@@ -5125,6 +5194,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,खर्च केंद्र आणि अंदाजपत्रक
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,शिल्लक इक्विटी उघडणे
 DocType: Appointment,CRM,सी आर एम
+DocType: Loan Repayment,Partial Paid Entry,आंशिक सशुल्क प्रवेश
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,कृपया देय वेळापत्रक सेट करा
 DocType: Pick List,Items under this warehouse will be suggested,या गोदामाखालील वस्तू सुचविल्या जातील
 DocType: Purchase Invoice,N,N
@@ -5157,7 +5227,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,द्वारे पुरवठादार मिळवा
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} आयटमसाठी सापडला नाही {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,प्रिंटमध्ये समावेशक कर दाखवा
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","बँक खाते, दिनांकापासून आणि तारखेपर्यंत अनिवार्य आहे"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,संदेश पाठवला
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,बालक नोडस् सह खाते लेजर म्हणून सेट केली जाऊ शकत  नाही
 DocType: C-Form,II,दुसरा
@@ -5171,6 +5240,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,ऑटो री-ऑर्डर सक्षम करा
 DocType: Stock Settings,Item Naming By,आयटम करून नामांकन
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},आणखी कालावधी संवरण {0} आला आहे {1}
+DocType: Proposed Pledge,Proposed Pledge,प्रस्तावित प्रतिज्ञा
 DocType: Work Order,Material Transferred for Manufacturing,साहित्य उत्पादन साठी हस्तांतरित
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,खाते {0} अस्तित्वात नाही
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,लॉयल्टी प्रोग्राम निवडा
@@ -5181,7 +5251,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","इव्हेंट सेट {0}, विक्री व्यक्ती खाली संलग्न कर्मचारी पासून वापरकर्ता आयडी नाही {1}"
 DocType: Timesheet,Billing Details,बिलिंग तपशील
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,स्त्रोत आणि लक्ष्य कोठार भिन्न असणे आवश्यक आहे
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,मानव संसाधन&gt; एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,भरणा अयशस्वी. कृपया अधिक तपशीलांसाठी आपले GoCardless खाते तपासा
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} पेक्षा जुने स्टॉक व्यवहार अद्ययावत करण्याची परवानगी नाही
 DocType: Stock Entry,Inspection Required,तपासणी आवश्यक
@@ -5194,6 +5263,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,कार्यक्रम
+DocType: Unpledge,Against Pledge,तारणविरूद्ध
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,या भूमिका वापरकर्त्यांनी  गोठविलेल्या खात्यांचे विरुद्ध लेखा नोंदी गोठविलेल्या खाती सेट आणि तयार / सुधारित करण्याची अनुमती आहे
 DocType: Plaid Settings,Plaid Environment,प्लेड पर्यावरण
 ,Project Billing Summary,प्रकल्प बिलिंग सारांश
@@ -5246,6 +5316,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,बॅच
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,किती दिवसांच्या भेटीचे आगाऊ आरक्षण करता येते
 DocType: Article,LMS User,एलएमएस वापरकर्ता
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,सुरक्षित कर्जासाठी कर्ज सुरक्षा प्रतिज्ञा अनिवार्य आहे
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),पुरवठा करण्याचे ठिकाण (राज्य / केंद्रशासित प्रदेश)
 DocType: Purchase Order Item Supplied,Stock UOM,शेअर UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,खरेदी ऑर्डर {0} सबमिट केलेली नाही
@@ -5319,6 +5390,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,जॉब कार्ड तयार करा
 DocType: Quotation,Referral Sales Partner,रेफरल विक्री भागीदार
 DocType: Quality Procedure Process,Process Description,प्रक्रिया वर्णन
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","कबूल करू शकत नाही, कर्ज सुरक्षा मूल्य परतफेड केलेल्या रकमेपेक्षा मोठे आहे"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ग्राहक {0} तयार आहे.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,सध्या कोणत्याही कोठारमध्ये कोणतीही स्टॉक उपलब्ध नाही
 ,Payment Period Based On Invoice Date,चलन तारखेला आधारित भरणा कालावधी
@@ -5338,7 +5410,7 @@
 DocType: Asset,Insurance Details,विमा तपशील
 DocType: Account,Payable,देय
 DocType: Share Balance,Share Type,सामायिक प्रकार
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,परतफेड कालावधी प्रविष्ट करा
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,परतफेड कालावधी प्रविष्ट करा
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),कर्जदार ({0})
 DocType: Pricing Rule,Margin,मार्जिन
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,नवीन ग्राहक
@@ -5347,6 +5419,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,लीड सोर्सद्वारे संधी
 DocType: Appraisal Goal,Weightage (%),वजन (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,पीओएस प्रोफाइल बदला
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,कर्जाच्या रकमेसाठी क्वाटी किंवा रकम ही मॅनडॅट्रॉय आहे
 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,Assessment Report,मूल्यांकन अहवाल
@@ -5382,6 +5455,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,लेजर सामायिक करा
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,विक्री चालान {0} तयार केले
 DocType: Employee,Confirmation Date,पुष्टीकरण तारीख
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी <a href=""#Form/Employee/{0}"">{0}.</a> हटवा"
 DocType: Inpatient Occupancy,Check Out,चेक आउट
 DocType: C-Form,Total Invoiced Amount,एकूण Invoiced रक्कम
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,किमान Qty कमाल Qty पेक्षा जास्त असू शकत नाही
@@ -5394,7 +5469,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,क्विकबुक कंपनी आयडी
 DocType: Travel Request,Travel Funding,प्रवास निधी
 DocType: Employee Skill,Proficiency,प्रवीणता
-DocType: Loan Application,Required by Date,तारीख आवश्यक
 DocType: Purchase Invoice Item,Purchase Receipt Detail,खरेदी पावती तपशील
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,क्रॉप वाढत आहे अशा सर्व स्थानांवर एक दुवा
 DocType: Lead,Lead Owner,लीड मालक
@@ -5413,7 +5487,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,वर्तमान BOM आणि नवीन BOM समान असू शकत नाही
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,पगाराच्या स्लिप्स आयडी
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,निवृत्ती तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,पुरवठादार&gt; पुरवठादार प्रकार
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,एकाधिक वेरिएंट
 DocType: Sales Invoice,Against Income Account,उत्पन्न खाते विरुद्ध
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% वितरण
@@ -5445,7 +5518,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,मूल्यांकन प्रकार शुल्क समावेश म्हणून चिन्हांकित करू शकत नाही
 DocType: POS Profile,Update Stock,अद्यतन शेअर
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,भरणा माहिती
+DocType: Loan Repayment,Payment Details,भरणा माहिती
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM दर
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,अपलोड केलेली फाईल वाचणे
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","थांबलेले वर्क ऑर्डर रद्द करता येत नाही, रद्द करण्यासाठी प्रथम तो अनस्टॉप करा"
@@ -5479,6 +5552,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,कमाल कर्ज मूल्य
 ,Stock Ledger,शेअर लेजर
 DocType: Company,Exchange Gain / Loss Account,विनिमय लाभ / तोटा लेखा
 DocType: Amazon MWS Settings,MWS Credentials,MWS क्रेडेन्शियल
@@ -5586,7 +5660,6 @@
 DocType: Fee Schedule,Fee Schedule,शुल्क वेळापत्रक
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,स्तंभ लेबले:
 DocType: Bank Transaction,Settled,सेटल केले
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,कर्जाची परतफेड सुरू होण्याच्या तारखेनंतर वितरणाची तारीख असू शकत नाही
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,उपकर
 DocType: Quality Feedback,Parameters,मापदंड
 DocType: Company,Create Chart Of Accounts Based On,लेखा आधारित चार्ट तयार करा
@@ -5606,6 +5679,7 @@
 DocType: Customer,Credit Limit and Payment Terms,क्रेडिट मर्यादा आणि देयक अटी
 DocType: Loyalty Program,Collection Rules,संकलन नियम
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,आयटम 3
+DocType: Loan Security Shortfall,Shortfall Time,कमी वेळ
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ऑर्डर नोंदवा
 DocType: Purchase Order,Customer Contact Email,ग्राहक संपर्क ईमेल
 DocType: Warranty Claim,Item and Warranty Details,आयटम आणि हमी तपशील
@@ -5625,12 +5699,14 @@
 DocType: Sales Person,Sales Person Name,विक्री व्यक्ती नाव
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,टेबल मध्ये किमान 1 चलन प्रविष्ट करा
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,कोणतीही लॅब चाचणी तयार केली नाही
+DocType: Loan Security Shortfall,Security Value ,सुरक्षा मूल्य
 DocType: POS Item Group,Item Group,आयटम गट
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,विद्यार्थी गट:
 DocType: Depreciation Schedule,Finance Book Id,वित्त बुक आयडी
 DocType: Item,Safety Stock,सुरक्षितता शेअर
 DocType: Healthcare Settings,Healthcare Settings,हेल्थकेअर सेटिंग्ज
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,एकूण वाटप पाने
+DocType: Appointment Letter,Appointment Letter,नियुक्ती पत्र
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},करण्यासाठी {0}
@@ -5686,6 +5762,7 @@
 DocType: Stock Entry,From BOM,BOM पासून
 DocType: Assessment Code,Assessment Code,मूल्यांकन कोड
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,मूलभूत
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,ग्राहक व कर्मचार्‍यांकडून कर्ज अर्ज.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} पूर्वीचे  शेअर व्यवहार गोठविली आहेत
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&#39;व्युत्पन्न वेळापत्रक&#39; वर क्लिक करा
 DocType: Job Card,Current Time,चालू वेळ
@@ -5712,7 +5789,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,अनुदान
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,नाही विद्यार्थी गट निर्माण केले.
 DocType: Purchase Invoice Item,Serial No,सिरियल नाही
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,मासिक परतफेड रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,मासिक परतफेड रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,पहिले  Maintaince तपशील प्रविष्ट करा
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,पंक्ती # {0}: अपेक्षित वितरण तारीख खरेदी ऑर्डर तारखेपूर्वी असू शकत नाही
 DocType: Purchase Invoice,Print Language,मुद्रण भाषा
@@ -5725,6 +5802,7 @@
 DocType: Asset,Finance Books,वित्त पुस्तके
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,कर्मचारी कर सूट घोषणापत्र
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,सर्व प्रदेश
+DocType: Plaid Settings,development,विकास
 DocType: Lost Reason Detail,Lost Reason Detail,गमावलेला कारण तपशील
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,कर्मचारी / ग्रेड रेकॉर्डमध्ये कर्मचारी {0} साठी रजा पॉलिसी सेट करा
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,निवडलेल्या ग्राहक आणि आयटमसाठी अवैध कमाना आदेश
@@ -5788,12 +5866,14 @@
 DocType: Staffing Plan Detail,Current Openings,वर्तमान संधी
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ऑपरेशन्स रोख प्रवाह
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST रक्कम
+DocType: Vehicle Log,Current Odometer value ,वर्तमान ओडोमीटर मूल्य
 apps/erpnext/erpnext/utilities/activation.py,Create Student,विद्यार्थी तयार करा
 DocType: Asset Movement Item,Asset Movement Item,मालमत्ता हालचाली आयटम
 DocType: Purchase Invoice,Shipping Rule,शिपिंग नियम
 DocType: Patient Relation,Spouse,पती किंवा पत्नी
 DocType: Lab Test Groups,Add Test,चाचणी जोडा
 DocType: Manufacturer,Limited to 12 characters,12 वर्णांपर्यंत  मर्यादित
+DocType: Appointment Letter,Closing Notes,नोट्स बंद
 DocType: Journal Entry,Print Heading,मुद्रण शीर्षक
 DocType: Quality Action Table,Quality Action Table,गुणवत्ता कृती सारणी
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,एकूण शून्य असू शकत नाही
@@ -5861,6 +5941,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),एकूण (रक्कम)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},कृपया प्रकारासाठी खाते (गट) ओळखा / तयार करा - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,मनोरंजन आणि फुरसतीचा वेळ
+DocType: Loan Security,Loan Security,कर्ज सुरक्षा
 ,Item Variant Details,आयटम प्रकार तपशील
 DocType: Quality Inspection,Item Serial No,आयटम सिरियल क्रमांक
 DocType: Payment Request,Is a Subscription,एक सबस्क्रिप्शन आहे
@@ -5873,7 +5954,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,ताजे वय
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,अनुसूचित व प्रवेश तारख आजपेक्षा कमी असू शकत नाही
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,पुरवठादार करण्यासाठी ह तांत रत
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ईएमआय
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नवीन सिरिअल क्रमांक कोठार असू  शकत नाही. कोठार शेअर नोंद किंवा खरेदी पावती सेट करणे आवश्यक आहे
 DocType: Lead,Lead Type,लीड प्रकार
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,कोटेशन तयार करा
@@ -5889,7 +5969,6 @@
 DocType: Leave Allocation,Leave Period,कालावधी सोडा
 DocType: Item,Default Material Request Type,मुलभूत साहित्य विनंती प्रकार
 DocType: Supplier Scorecard,Evaluation Period,मूल्यांकन कालावधी
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक गट&gt; प्रदेश
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,अज्ञात
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,कार्य ऑर्डर तयार नाही
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5974,7 +6053,8 @@
 ,Customer-wise Item Price,ग्राहकनिहाय वस्तूंची किंमत
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,रोख फ्लो स्टेटमेंट
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,कोणतीही भौतिक विनंती तयार केली नाही
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},कर्ज रक्कम कमाल कर्ज रक्कम जास्त असू शकत नाही {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},कर्ज रक्कम कमाल कर्ज रक्कम जास्त असू शकत नाही {0}
+DocType: Loan,Loan Security Pledge,कर्ज सुरक्षा तारण
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,परवाना
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,आपण देखील मागील आर्थिक वर्षातील शिल्लक रजा या आर्थिक वर्षात समाविष्ट करू इच्छित असल्यास कृपया कॅरी फॉरवर्ड निवडा
@@ -5991,6 +6071,7 @@
 DocType: Pricing Rule,Price Discount Scheme,किंमत सूट योजना
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,देखभाल स्थिती रद्द करणे किंवा सबमिट करण्यासाठी पूर्ण करणे आवश्यक आहे
 DocType: Amazon MWS Settings,US,यूएस
+DocType: Loan Security Pledge,Pledged,तारण ठेवले
 DocType: Holiday List,Add Weekly Holidays,साप्ताहीक सुट्टी जोडा
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,आयटम नोंदवा
 DocType: Staffing Plan Detail,Vacancies,नोकऱ्या
@@ -6008,7 +6089,6 @@
 DocType: Production Plan Item,Planned Start Date,नियोजनबद्ध प्रारंभ तारीख
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,कृपया एक BOM निवडा
 DocType: Purchase Invoice,Availed ITC Integrated Tax,लाभलेल्या आयटीसी एकात्मिक कर
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,परतफेडीची नोंद तयार करा
 DocType: Purchase Order Item,Blanket Order Rate,कमाना आदेश दर
 ,Customer Ledger Summary,ग्राहक लेजर सारांश
 apps/erpnext/erpnext/hooks.py,Certification,प्रमाणन
@@ -6029,6 +6109,7 @@
 DocType: Appraisal Template,Appraisal Template Title,मूल्यांकन साचा शीर्षक
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,व्यावसायिक
 DocType: Patient,Alcohol Current Use,मद्य चालू वापर
+DocType: Loan,Loan Closure Requested,कर्ज बंद करण्याची विनंती केली
 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,कर सूट श्रेणी
@@ -6052,6 +6133,7 @@
 DocType: Opening Invoice Creation Tool,Sales,विक्री
 DocType: Stock Entry Detail,Basic Amount,मूलभूत रक्कम
 DocType: Training Event,Exam,परीक्षा
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,प्रक्रिया कर्ज सुरक्षा कमतरता
 DocType: Email Campaign,Email Campaign,ईमेल मोहीम
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,मार्केटप्लेस त्रुटी
 DocType: Complaint,Complaint,तक्रार
@@ -6116,6 +6198,7 @@
 DocType: GL Entry,Remarks,शेरा
 DocType: Support Settings,Track Service Level Agreement,ट्रॅक सेवा स्तर करार
 DocType: Hotel Room Amenity,Hotel Room Amenity,हॉटेल रूम सुविधा
+apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},व्हाओकॉमर्स - {0}
 DocType: Budget,Action if Annual Budget Exceeded on MR,वार्षिक बजेट एमआर वर पार केल्यास क्रिया
 DocType: Course Enrollment,Course Enrollment,अभ्यासक्रम नावनोंदणी
 DocType: Payment Entry,Account Paid From,खात्यातून शुल्क दिले
@@ -6154,6 +6237,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,वापरले पाने
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,आपण सामग्री विनंती सबमिट करू इच्छिता?
 DocType: Job Offer,Awaiting Response,प्रतिसाद प्रतीक्षा करत आहे
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,कर्ज अनिवार्य आहे
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH- .YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,वर
 DocType: Support Search Source,Link Options,दुवा पर्याय
@@ -6166,6 +6250,7 @@
 DocType: Training Event Employee,Optional,पर्यायी
 DocType: Salary Slip,Earning & Deduction,कमाई आणि कपात
 DocType: Agriculture Analysis Criteria,Water Analysis,पाणी विश्लेषण
+DocType: Pledge,Post Haircut Amount,केशरचनानंतरची रक्कम
 DocType: Sales Order,Skip Delivery Note,वितरण नोट वगळा
 DocType: Price List,Price Not UOM Dependent,किंमत यूओएम अवलंबित नाही
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} वेरिएंट तयार केले.
@@ -6192,6 +6277,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,उत्पादन बंडलचे आयटम मिळवा
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,मुदतीच्या कर्जासाठी परतफेड करण्याची पद्धत अनिवार्य आहे
 DocType: Asset,Straight Line,सरळ रेष
 DocType: Project User,Project User,प्रकल्प वापरकर्ता
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,स्प्लिट
@@ -6240,7 +6326,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,भूमिका फ्रोजन खाती सेट करण्याची परवानगी आणि फ्रोजन नोंदी संपादित करा
 DocType: Supplier Scorecard Scoring Variable,Path,पथ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,त्याला child nodes आहेत म्हणून खातेवही खर्च केंद्र रूपांतरित करू शकत नाही
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -&gt; {1}) आढळला नाही: {2}
 DocType: Production Plan,Total Planned Qty,एकूण नियोजित खंड
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,विधानांमधून व्यवहार आधीपासूनच मागे घेण्यात आले आहेत
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,उघडण्याचे  मूल्य
@@ -6248,11 +6333,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,सिरियल #
 DocType: Material Request Plan Item,Required Quantity,आवश्यक प्रमाणात
 DocType: Lab Test Template,Lab Test Template,लॅब टेस्ट टेम्पलेट
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,पुरवठादार&gt; पुरवठादार प्रकार
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,विक्री खाते
 DocType: Purchase Invoice Item,Total Weight,एकूण वजन
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी <a href=""#Form/Employee/{0}"">{0}.</a> हटवा"
 DocType: Pick List Item,Pick List Item,सूची आयटम निवडा
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,विक्री आयोगाने
 DocType: Job Offer Term,Value / Description,मूल्य / वर्णन
@@ -6299,6 +6381,7 @@
 DocType: Patient Encounter,Encounter Date,तारखांची तारीख
 DocType: Work Order,Update Consumed Material Cost In Project,प्रकल्पात वापरलेली मटेरियल कॉस्ट अद्यतनित करा
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,खाते: {0} चलन: {1} बरोबर  निवडले जाऊ शकत नाही
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ग्राहक आणि कर्मचार्‍यांना दिलेली कर्जे.
 DocType: Bank Statement Transaction Settings Item,Bank Data,बँक डेटा
 DocType: Purchase Receipt Item,Sample Quantity,नमुना प्रमाण
 DocType: Bank Guarantee,Name of Beneficiary,लाभार्थीचे नाव
@@ -6366,7 +6449,6 @@
 DocType: Contract,Signed On,साइन इन केले
 DocType: Bank Account,Party Type,पार्टी प्रकार
 DocType: Discounted Invoice,Discounted Invoice,सवलतीच्या पावत्या
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,म्हणून हजेरी लावा <b></b>
 DocType: Payment Schedule,Payment Schedule,पेमेंट वेळापत्रक
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},दिलेल्या कर्मचार्‍यांना दिलेल्या फील्ड मूल्यासाठी कोणताही कर्मचारी आढळला नाही. &#39;{}&#39;:}
 DocType: Item Attribute Value,Abbreviation,संक्षेप
@@ -6435,6 +6517,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,कर्ज
 DocType: Assessment Plan,Assessment Name,मूल्यांकन नाव
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,रो # {0}: सिरियल क्रमांक  बंधनकारक आहे
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,कर्ज बंद करण्यासाठी {0} ची रक्कम आवश्यक आहे
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,आयटमनूसार  कर तपशील
 DocType: Employee Onboarding,Job Offer,जॉब ऑफर
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,संस्था संक्षेप
@@ -6459,7 +6542,6 @@
 DocType: Purchase Order,To Receive,प्राप्त करण्यासाठी
 DocType: Leave Period,Holiday List for Optional Leave,पर्यायी रजेसाठी सुट्टी यादी
 DocType: Item Tax Template,Tax Rates,कर दर
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,आयटम कोड&gt; आयटम गट&gt; ब्रँड
 DocType: Asset,Asset Owner,मालमत्ता मालक
 DocType: Item,Website Content,वेबसाइट सामग्री
 DocType: Bank Account,Integration ID,एकत्रीकरण आयडी
@@ -6502,6 +6584,7 @@
 DocType: Customer,Mention if non-standard receivable account,उल्लेख गैर-मानक प्राप्त खाते तर
 DocType: Bank,Plaid Access Token,प्लेड Tokक्सेस टोकन
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,कृपया विद्यमान कोणतेही घटक {0} वर विद्यमान घटक जोडा
+DocType: Bank Account,Is Default Account,डीफॉल्ट खाते आहे
 DocType: Journal Entry Account,If Income or Expense,उत्पन्न किंवा खर्च असेल तर
 DocType: Course Topic,Course Topic,कोर्स विषय
 DocType: Bank Statement Transaction Entry,Matching Invoices,जुळणी चलने
@@ -6513,7 +6596,7 @@
 DocType: Disease,Treatment Task,उपचार कार्य
 DocType: Payment Order Reference,Bank Account Details,बँक खाते तपशील
 DocType: Purchase Order Item,Blanket Order,कमानस आदेश
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,परतफेडची रक्कम त्यापेक्षा जास्त असणे आवश्यक आहे
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,परतफेडची रक्कम त्यापेक्षा जास्त असणे आवश्यक आहे
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,कर मालमत्ता
 DocType: BOM Item,BOM No,BOM नाही
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,तपशील अद्यतनित करा
@@ -6570,6 +6653,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce उत्पादने
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},सूत्र किंवा स्थितीत वाक्यरचना त्रुटी: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,आयटम {0} एक स्टॉक आयटम नसल्यामुळे  दुर्लक्षित केला आहे
+,Loan Security Status,कर्ज सुरक्षा स्थिती
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","एका विशिष्ट व्यवहारात  किंमत नियम लागू न करण्यासाठी, सर्व लागू किंमत नियम अक्षम करणे आवश्यक आहे."
 DocType: Payment Term,Day(s) after the end of the invoice month,बीजक महिन्याच्या समाप्तीनंतर दिवस (र्स)
 DocType: Assessment Group,Parent Assessment Group,पालक मूल्यांकन गट
@@ -6584,7 +6668,6 @@
 DocType: Stock Entry Detail,Additional Cost,अतिरिक्त खर्च
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","व्हाउचर नाही आधारित फिल्टर करू शकत नाही, व्हाउचर प्रमाणे गटात समाविष्ट केले तर"
 DocType: Quality Inspection,Incoming,येणार्या
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,कृपया सेटअप&gt; क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,विक्री आणि खरेदीसाठी डिफॉल्ट कर टेम्पलेट तयार केले जातात.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,मूल्यांकन परिणाम रेकॉर्ड {0} आधीपासूनच अस्तित्वात आहे.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","उदाहरण: एबीसीडी. ##### जर मालिका सेट केली असेल आणि व्यवहारांमध्ये बॅच नंबरचा उल्लेख केला नसेल तर या मालिकेनुसार स्वयंचलित बॅच नंबर तयार केला जाईल. आपण नेहमी या आयटमसाठी बॅच नंबरचा स्पष्टपणे उल्लेख करू इच्छित असल्यास, हे रिक्त सोडा. टीप: हे सेटिंग शेअर सेटिंग्जमधील नामांकन सिरीज उपसर्गापेक्षा प्राथमिकता घेईल."
@@ -6594,8 +6677,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,पुनरावलोकन सबमिट करा
 DocType: Contract,Party User,पार्टी यूजर
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',गट करून &#39;कंपनी&#39; आहे तर कंपनी रिक्त फिल्टर सेट करा
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक गट&gt; प्रदेश
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,पोस्टिंग तारीख भविष्यातील तारीख असू शकत नाही
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},रो # {0}: सिरियल क्रमांक  {1} हा {2} {3}सोबत  जुळत नाही
+DocType: Loan Repayment,Interest Payable,व्याज देय
 DocType: Stock Entry,Target Warehouse Address,लक्ष्य वेअरहाऊस पत्ता
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,प्रासंगिक रजा
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,शिफ्ट सुरू होण्यापूर्वीचा वेळ ज्या दरम्यान हजेरीसाठी कर्मचारी तपासणीचा विचार केला जातो.
@@ -6723,6 +6808,7 @@
 DocType: Issue,Reset Service Level Agreement,सेवा स्तर करार रीसेट करा
 ,Sales Person-wise Transaction Summary,विक्री व्यक्ती-ज्ञानी व्यवहार सारांश
 DocType: Training Event,Contact Number,संपर्क क्रमांक
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,कर्जाची रक्कम अनिवार्य आहे
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,कोठार {0} अस्तित्वात नाही
 DocType: Cashier Closing,Custody,ताब्यात
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,कर्मचारी कर सूट सबॉफ सबमिशन तपशील
@@ -6769,6 +6855,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,शिल्लक Qty
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,एकत्रित सर्व निवडलेल्या आयटमवर अटी लागू केल्या जातील.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,गोल रिक्त असू शकत नाही
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,चुकीचे कोठार
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,विद्यार्थी नोंदणी
 DocType: Item Group,Parent Item Group,मुख्य घटक गट
 DocType: Appointment Type,Appointment Type,नेमणूक प्रकार
@@ -6824,10 +6911,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,सरासरी दर
 DocType: Appointment,Appointment With,नेमणूक
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,पेमेंट शेड्यूल मध्ये एकूण देयक रकमेच्या रुंदीच्या एकूण / उरलेली रक्कम
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,म्हणून हजेरी लावा <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;ग्राहक प्रदान आयटम&quot; मध्ये मूल्य दर असू शकत नाही
 DocType: Subscription Plan Detail,Plan,योजना
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,सामान्य लेजर नुसार बँक स्टेटमेंट शिल्लक
-DocType: Job Applicant,Applicant Name,अर्जदाराचे नाव
+DocType: Appointment Letter,Applicant Name,अर्जदाराचे नाव
 DocType: Authorization Rule,Customer / Item Name,ग्राहक / आयटम नाव
 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**. 
 
@@ -6871,11 +6959,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,स्टॉक खतावणीत नोंद या कोठार विद्यमान म्हणून कोठार हटविला जाऊ शकत नाही.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,वितरण
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,कर्मचार्‍यांची स्थिती &#39;डाव्या&#39; वर सेट केली जाऊ शकत नाही कारण खालील कर्मचारी सध्या या कर्मचार्‍यांना अहवाल देत आहेत:
-DocType: Journal Entry Account,Loan,कर्ज
+DocType: Loan Repayment,Amount Paid,अदा केलेली रक्कम
+DocType: Loan Security Shortfall,Loan,कर्ज
 DocType: Expense Claim Advance,Expense Claim Advance,खर्च दावा आगाऊ
 DocType: Lab Test,Report Preference,अहवाल प्राधान्य
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,स्वयंसेवक माहिती
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,प्रकल्प व्यवस्थापक
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,ग्रुप बाय कस्टमर
 ,Quoted Item Comparison,उद्धृत बाबींचा तुलना
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} आणि {1} दरम्यान स्कोअरिंगमध्ये ओव्हरलॅप
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,पाठवणे
@@ -6895,6 +6985,7 @@
 DocType: Material Request Plan Item,Material Issue,साहित्य अंक
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},किंमत नियमात विनामूल्य आयटम सेट नाही {0}
 DocType: Employee Education,Qualification,पात्रता
+DocType: Loan Security Shortfall,Loan Security Shortfall,कर्ज सुरक्षा कमतरता
 DocType: Item Price,Item Price,आयटम किंमत
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,साबण आणि कपडे
 DocType: BOM,Show Items,आयटम दर्शवा
@@ -6915,13 +7006,13 @@
 DocType: Appointment Booking Settings,Appointment Details,नियुक्ती तपशील
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,तयार झालेले उत्पादन
 DocType: Warehouse,Warehouse Name,वखार नाव
+DocType: Loan Security Pledge,Pledge Time,तारण वेळ
 DocType: Naming Series,Select Transaction,निवडक व्यवहार
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,भूमिका मंजूर किंवा सदस्य मंजूर प्रविष्ट करा
 DocType: Journal Entry,Write Off Entry,प्रवेश बंद लिहा
 DocType: BOM,Rate Of Materials Based On,दर साहित्य आधारित रोजी
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","सक्षम असल्यास, प्रोग्राम एनरोलमेंट टूलमध्ये फील्ड शैक्षणिक कालावधी अनिवार्य असेल."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","माफी, शून्य रेट आणि जीएसटी-नसलेली आवक पुरवठा याची मूल्ये"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ग्राहक&gt; ग्राहक गट&gt; प्रदेश
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>कंपनी</b> अनिवार्य फिल्टर आहे.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,सर्व अनचेक करा
 DocType: Purchase Taxes and Charges,On Item Quantity,आयटम प्रमाण वर
@@ -6967,7 +7058,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,कमतरता Qty
 DocType: Purchase Invoice,Input Service Distributor,इनपुट सेवा वितरक
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,आयटम  variant {0} ज्याच्यामध्ये समान गुणधर्म अस्तित्वात आहेत
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षण&gt; शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा
 DocType: Loan,Repay from Salary,पगार पासून परत फेड करा
 DocType: Exotel Settings,API Token,एपीआय टोकन
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},विरुद्ध पैसे विनंती {0} {1} रक्कम {2}
@@ -6986,6 +7076,7 @@
 DocType: Salary Slip,Total Interest Amount,एकूण व्याज रक्कम
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,मुलाला नोडस् सह गोदामे लेजर रूपांतरीत केले जाऊ शकत नाही
 DocType: BOM,Manage cost of operations,ऑपरेशन खर्च व्यवस्थापित करा
+DocType: Unpledge,Unpledge,न कबूल करा
 DocType: Accounts Settings,Stale Days,जुने दिवस
 DocType: Travel Itinerary,Arrival Datetime,आगमन Datetime
 DocType: Tax Rule,Billing Zipcode,बिलिंग पिनकोड
@@ -7170,6 +7261,7 @@
 DocType: Employee Transfer,Employee Transfer,कर्मचारी हस्तांतरण
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,तास
 DocType: Project,Expected Start Date,अपेक्षित प्रारंभ तारीख
+DocType: Work Order,This is a location where raw materials are available.,हे असे स्थान आहे जेथे कच्चा माल उपलब्ध आहे.
 DocType: Purchase Invoice,04-Correction in Invoice,०४-इनव्हॉइस मधील सुधारणा
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,काम ऑर्डर आधीच BOM सह सर्व आयटम साठी तयार
 DocType: Bank Account,Party Details,पार्टी तपशील
@@ -7188,6 +7280,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,आंतरशालेय:
 DocType: Contract,Partially Fulfilled,अंशतः पूर्ण
 DocType: Maintenance Visit,Fully Completed,पूर्णतः पूर्ण
+DocType: Loan Security,Loan Security Name,कर्जाचे सुरक्षा नाव
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; आणि &quot;}&quot; वगळता विशिष्ट वर्णांना नामांकन मालिकेमध्ये परवानगी नाही"
 DocType: Purchase Invoice Item,Is nil rated or exempted,रेट नाही किंवा सूट आहे
 DocType: Employee,Educational Qualification,शैक्षणिक अर्हता
@@ -7245,6 +7338,7 @@
 DocType: Program,Is Featured,वैशिष्ट्यीकृत आहे
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,आणत आहे ...
 DocType: Agriculture Analysis Criteria,Agriculture User,कृषी उपयोगकर्ता
+DocType: Loan Security Shortfall,America/New_York,अमेरिका / न्यूयॉर्क
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,व्यवहाराच्या तारखेपर्यंत आजपर्यंत मान्य नाही
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,विद्यार्थी वर्ग
@@ -7321,8 +7415,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,आपल्याला गोठविलेले  मूल्य सेट करण्यासाठी अधिकृत नाही
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled नोंदी मिळवा
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},कर्मचारी {0} सुटलेले आहे {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,जर्नल एन्ट्रीसाठी कोणतीही परतफेड निवडली नाही
 DocType: Purchase Invoice,GST Category,जीएसटी श्रेणी
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,सुरक्षित कर्जासाठी प्रस्तावित प्रतिज्ञा अनिवार्य आहेत
 DocType: Payment Reconciliation,From Invoice Date,चलन तारखेपासून
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,खर्चाचे अंदाजपत्रक
 DocType: Invoice Discounting,Disbursed,वाटप
@@ -7379,14 +7473,13 @@
 DocType: Restaurant,Active Menu,सक्रिय मेनू
 DocType: Accounting Dimension Detail,Default Dimension,डीफॉल्ट परिमाण
 DocType: Target Detail,Target Qty,लक्ष्य Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},कर्जावर: {0}
 DocType: Shopping Cart Settings,Checkout Settings,चेकआऊट सेटिंग्ज
 DocType: Student Attendance,Present,सादर
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,डिलिव्हरी टीप {0} सादर जाऊ नये
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","कर्मचार्‍यांना ईमेल केलेली पगार स्लिप संकेतशब्द संरक्षित केली जाईल, संकेतशब्द धोरणाच्या आधारे पासवर्ड तयार केला जाईल."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,खाते {0} बंद प्रकार दायित्व / इक्विटी असणे आवश्यक आहे
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},{0} वेळ पत्रक आधीपासूनच तयार कर्मचा पगाराच्या स्लिप्स {1}
-DocType: Vehicle Log,Odometer,ओडोमीटर
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,ओडोमीटर
 DocType: Production Plan Item,Ordered Qty,आदेश दिलेली  Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,आयटम {0} अक्षम आहे
 DocType: Stock Settings,Stock Frozen Upto,शेअर फ्रोजन पर्यंत
@@ -7441,7 +7534,6 @@
 DocType: Serial No,Delivery Document Type,डिलिव्हरी दस्तऐवज प्रकार
 DocType: Sales Order,Partly Delivered,अंशतः वितरण आकारले
 DocType: Item Variant Settings,Do not update variants on save,जतन वर बदल अद्यतनित करू नका
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ग्राहक गट
 DocType: Email Digest,Receivables,Receivables
 DocType: Lead Source,Lead Source,आघाडी स्रोत
 DocType: Customer,Additional information regarding the customer.,ग्राहक संबंधित अतिरिक्त माहिती.
@@ -7536,6 +7628,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,वास्तविक
 DocType: Appointment,Skype ID,स्काईप आयडी
 DocType: Restaurant Menu,Restaurant Manager,रेस्टॉरन्ट व्यवस्थापक
+DocType: Loan,Penalty Income Account,दंड उत्पन्न खाते
 DocType: Call Log,Call Log,कॉल लॉग
 DocType: Authorization Rule,Customerwise Discount,Customerwise सवलत
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,कार्ये Timesheet.
@@ -7622,6 +7715,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,उत्पादन सवलत योजना
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,कॉलरद्वारे कोणताही मुद्दा उपस्थित केला गेला नाही.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,पुरवठादार गट
 DocType: Restaurant Reservation,Waitlisted,प्रतीक्षा यादी
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,सवलत श्रेणी
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,काही इतर चलन वापरून नोंदी बनवून नंतर चलन बदलले जाऊ शकत नाही
@@ -7632,7 +7726,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,सल्ला
 DocType: Subscription Plan,Based on price list,किंमत सूचीवर आधारित
 DocType: Customer Group,Parent Customer Group,पालक ग्राहक गट
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ई-वे बिल जेएसओएन केवळ विक्री चलन वरून तयार केला जाऊ शकतो
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,या क्विझसाठी जास्तीत जास्त प्रयत्न पोहोचले!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,सदस्यता
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,फी बनविणे प्रलंबित
@@ -7650,6 +7743,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,प्रतिबंधात्मक देखभाल
 DocType: Delivery Note Item,Against Sales Invoice,विक्री चलन विरुद्ध
 DocType: Purchase Invoice,07-Others,०७-इतर
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,अवतरण रक्कम
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,सिरिअल क्रमांक सिरीयलाइज आयटम प्रविष्ट करा
 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. ,आपण अर्थातच आधारित गटांमध्ये करताना बॅच विचार करू इच्छित नाही तर अनचेक.
@@ -7759,6 +7853,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,भरणा पावती टीप
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,हे या ग्राहक विरुद्ध व्यवहार आधारित आहे. तपशीलासाठी खालील टाइमलाइन पाहू
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,साहित्य विनंती तयार करा
+DocType: Loan Interest Accrual,Pending Principal Amount,प्रलंबित रक्कम
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,कोर्स शहाणा मूल्यांकन अहवाल
@@ -7800,6 +7895,7 @@
 											to fullfill Sales Order {2}",आयटम {1} ची {0} सीरियल नंबर वितरीत करू शकत नाही कारण {2} पूर्ण मागणी पूर्ण करण्यासाठी आरक्षित आहे
 DocType: Quotation,SAL-QTN-.YYYY.-,एसएएल- QTN- .YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,पुरवठादार अवतरण {0} तयार
+DocType: Loan Security Unpledge,Unpledge Type,अनप्लेज प्रकार
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,समाप्त वर्ष प्रारंभ वर्ष असू शकत नाही
 DocType: Employee Benefit Application,Employee Benefits,कर्मचारी फायदे
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,कर्मचारी आयडी
@@ -7882,6 +7978,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,कोर्स कोड:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,खर्चाचे खाते प्रविष्ट करा
 DocType: Quality Action Resolution,Problem,समस्या
+DocType: Loan Security Type,Loan To Value Ratio,कर्जाचे मूल्य प्रमाण
 DocType: Account,Stock,शेअर
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",सलग # {0}: संदर्भ दस्तऐवज प्रकार ऑर्डर खरेदी एक बीजक किंवा जर्नल प्रवेश खरेदी असणे आवश्यक आहे
 DocType: Employee,Current Address,सध्याचा पत्ता
@@ -7899,6 +7996,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,बँक स्टेटमेंट व्यवहार एंट्री
 DocType: Sales Invoice Item,Discount and Margin,सवलत आणि मार्जिन
 DocType: Lab Test,Prescription,प्रिस्क्रिप्शन
+DocType: Process Loan Security Shortfall,Update Time,अद्यतनित वेळ
 DocType: Import Supplier Invoice,Upload XML Invoices,एक्सएमएल पावत्या अपलोड करा
 DocType: Company,Default Deferred Revenue Account,डिफॉल्ट डिफर्ड रेव्हेन्यू खाते
 DocType: Project,Second Email,द्वितीय ईमेल
@@ -7912,7 +8010,7 @@
 DocType: Quality Action,Preventive,प्रतिबंधात्मक
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,नोंदणी नसलेल्या व्यक्तींना पुरवठा
 DocType: Company,Date of Incorporation,निगमन तारीख
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,एकूण कर
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,एकूण कर
 DocType: Manufacturing Settings,Default Scrap Warehouse,डीफॉल्ट स्क्रॅप वेअरहाउस
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,अंतिम खरेदी किंमत
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,प्रमाण साठी (Qty उत्पादित) करणे आवश्यक आहे
@@ -7931,6 +8029,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,पेमेंटची डीफॉल्ट मोड सेट करा
 DocType: Stock Entry Detail,Against Stock Entry,स्टॉक एन्ट्रीच्या विरोधात
 DocType: Grant Application,Withdrawn,मागे घेण्यात आले
+DocType: Loan Repayment,Regular Payment,नियमित देय
 DocType: Support Search Source,Support Search Source,समर्थन शोध स्रोत
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,चार्ज करण्यायोग्य
 DocType: Project,Gross Margin %,एकूण मार्जिन%
@@ -7944,8 +8043,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,कराचा भरणा न करता
 DocType: BOM Operation,BOM Operation,BOM ऑपरेशन
 DocType: Purchase Taxes and Charges,On Previous Row Amount,मागील पंक्ती रकमेवर
+DocType: Student,Home Address,घरचा पत्ता
 DocType: Options,Is Correct,बरोबर आहे
 DocType: Item,Has Expiry Date,कालबाह्य तारीख आहे
+DocType: Loan Repayment,Paid Accrual Entries,सशुल्क जमा
+DocType: Loan Security,Loan Security Type,कर्ज सुरक्षा प्रकार
 apps/erpnext/erpnext/config/support.py,Issue Type.,इश्यूचा प्रकार
 DocType: POS Profile,POS Profile,पीओएस प्रोफाइल
 DocType: Training Event,Event Name,कार्यक्रम नाव
@@ -7957,6 +8059,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","सेट अर्थसंकल्प, लक्ष्य इ हंगामी"
 apps/erpnext/erpnext/www/all-products/index.html,No values,मूल्य नाही
 DocType: Supplier Scorecard Scoring Variable,Variable Name,अस्थिर नाव
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,समेट करण्यासाठी बँक खाते निवडा.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","आयटम {0} एक टेम्प्लेट आहे, कृपया त्याची एखादी  रूपे  निवडा"
 DocType: Purchase Invoice Item,Deferred Expense,निहित खर्च
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,संदेशांकडे परत
@@ -8008,7 +8111,6 @@
 DocType: GL Entry,To Rename,पुनर्नामित करण्यासाठी
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,अनुक्रमांक जोडण्यासाठी निवडा.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,कृपया शिक्षण&gt; शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',कृपया ग्राहकांच्या% s साठी वित्तीय कोड सेट करा
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,कृपया प्रथम कंपनी निवडा
 DocType: Item Attribute,Numeric Values,अंकीय मूल्यांना
@@ -8032,6 +8134,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO वर आधारित आणा
 DocType: Soil Texture,Clay Loam,क्ले लोम
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,रूट संपादित केले जाऊ शकत नाही.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,कर्जाची सुरक्षा मूल्य
 DocType: Item,Units of Measure,माप युनिट
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,मेट्रो सिटी भाड्याने
 DocType: Supplier,Default Tax Withholding Config,डीफॉल्ट कर प्रतिबंधन कॉन्फिग
@@ -8078,6 +8181,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,कृपया   पहिले  वर्ग निवडा
 apps/erpnext/erpnext/config/projects.py,Project master.,प्रकल्प मास्टर.
 DocType: Contract,Contract Terms,करार अटी
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,मंजूर रक्कम मर्यादा
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,कॉन्फिगरेशन सुरू ठेवा
 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,Maximum benefit amount of component {0} exceeds {1},घटक {0} च्या जास्तीत जास्त लाभ रक्कम {1} पेक्षा अधिक आहे
@@ -8110,6 +8214,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,कॉल लॉग पहा
 DocType: BOM Operation,Operating Cost(Company Currency),ऑपरेटिंग खर्च (कंपनी चलन)
 DocType: Loan Application,Rate of Interest,व्याज दर
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},कर्ज सुरक्षा तारण आधीपासूनच कर्जाच्या विरोधात तारण ठेवले आहे {0}
 DocType: Expense Claim Detail,Sanctioned Amount,मंजूर रक्कम
 DocType: Item,Shelf Life In Days,दिवसात शेल्फ लाइफ
 DocType: GL Entry,Is Opening,उघडत आहे
@@ -8122,3 +8227,4 @@
 DocType: Account,Cash,रोख
 DocType: Sales Invoice,Unpaid and Discounted,विनाअनुदानित व सवलत
 DocType: Employee,Short biography for website and other publications.,वेबसाइट आणि इतर प्रकाशनासठी  लहान चरित्र.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,पंक्ती # {0}: सब कॉन्ट्रॅक्टरला कच्चा माल पुरवित असताना पुरवठादार कोठार निवडणे शक्य नाही
diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv
index 45de81f..d5bb6be 100644
--- a/erpnext/translations/ms.csv
+++ b/erpnext/translations/ms.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Peluang Hilang Peluang
 DocType: Patient Appointment,Check availability,Semak ketersediaan
 DocType: Retention Bonus,Bonus Payment Date,Tarikh Pembayaran Bonus
-DocType: Employee,Job Applicant,Kerja Pemohon
+DocType: Appointment Letter,Job Applicant,Kerja Pemohon
 DocType: Job Card,Total Time in Mins,Jumlah Masa dalam Mins
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Maklumat perhubungan
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Cari apa ...
 ,Stock and Account Value Comparison,Perbandingan Nilai Saham dan Akaun
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Jumlah yang Dibelanjakan tidak boleh melebihi jumlah pinjaman
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Berminat
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Pembukaan
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Sah dari Masa mesti kurang daripada Sah Sehingga Masa.
 DocType: Item,Copy From Item Group,Salinan Dari Perkara Kumpulan
 DocType: Journal Entry,Opening Entry,Entry pembukaan
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Akaun Pay Hanya
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,gred
 DocType: Restaurant Table,No of Seats,Tiada tempat duduk
+DocType: Loan Type,Grace Period in Days,Tempoh Grace dalam Hari
 DocType: Sales Invoice,Overdue and Discounted,Tertunggak dan Diskaun
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Aset {0} tidak tergolong dalam kustodian {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Panggilan Terputus
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Prosedur yang Ditetapkan
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Tunjukkan sahaja POS
 DocType: Supplier Group,Supplier Group Name,Nama Kumpulan Pembekal
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandatangan kehadiran sebagai <b></b>
 DocType: Driver,Driving License Categories,Kategori Lesen Memandu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Sila masukkan Tarikh Penghantaran
 DocType: Depreciation Schedule,Make Depreciation Entry,Buat Entry Susutnilai
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Butiran operasi dijalankan.
 DocType: Asset Maintenance Log,Maintenance Status,Penyelenggaraan Status
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Amaun Cukai Perkara Termasuk dalam Nilai
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Keselamatan Pinjaman Tidak Menutup
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Butiran Keahlian
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Pembekal diperlukan terhadap akaun Dibayar {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Item dan Harga
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Jumlah jam: {0}
+DocType: Loan,Loan Manager,Pengurus Pinjaman
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dari Tarikh harus berada dalam Tahun Fiskal. Dengan mengandaikan Dari Tarikh = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Selang
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Dikemaskini melalui &#39;Time Log&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Pilih pelanggan atau pembekal.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kod Negara dalam Fail tidak sepadan dengan kod negara yang ditetapkan dalam sistem
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Akaun {0} bukan milik Syarikat {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Pilih Hanya satu Keutamaan sebagai Lalai.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Tinggalkan Disekat
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank Penyertaan
-DocType: Customer,Is Internal Customer,Adakah Pelanggan Dalaman
+DocType: Sales Invoice,Is Internal Customer,Adakah Pelanggan Dalaman
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Permintaan bahan
 DocType: Bank Reconciliation,Update Clearance Date,Update Clearance Tarikh
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Tidak boleh membuat pinjaman sehingga permohonan diluluskan
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Betul
 DocType: Student Guardian,Mother,ibu
 DocType: Restaurant Reservation,Reservation End Time,Waktu Tamat Tempahan
+DocType: Salary Slip Loan,Loan Repayment Entry,Kemasukan Bayaran Balik Pinjaman
 DocType: Crop,Biennial,Dua tahun
 ,BOM Variance Report,Laporan Variasi BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Pesanan disahkan dari Pelanggan.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Bayaran terhadap {0} {1} tidak boleh lebih besar daripada Outstanding Jumlah {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Semua Unit Perkhidmatan Penjagaan Kesihatan
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,On Converting Opportunity
+DocType: Loan,Total Principal Paid,Jumlah Prinsipal Dibayar
 DocType: Bank Account,Address HTML,Alamat HTML
 DocType: Lead,Mobile No.,No. Telefon
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Cara Pembayaran
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Baki Dalam Mata Wang Asas
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Gred Maks
 DocType: Email Digest,New Quotations,Sebut Harga baru
+DocType: Loan Interest Accrual,Loan Interest Accrual,Akruan Faedah Pinjaman
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Kehadiran tidak diserahkan untuk {0} sebagai {1} semasa cuti.
 DocType: Journal Entry,Payment Order,Perintah Pembayaran
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Mengesahkan E-mel
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Pendapatan Dari Sumber Lain
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Sekiranya kosong, akaun Gudang ibu atau syarikat asal akan dipertimbangkan"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,slip e-mel gaji kepada pekerja berdasarkan e-mel pilihan yang dipilih di pekerja
+DocType: Work Order,This is a location where operations are executed.,Ini adalah lokasi di mana operasi dijalankan.
 DocType: Tax Rule,Shipping County,Penghantaran County
 DocType: Currency Exchange,For Selling,Untuk Jualan
 apps/erpnext/erpnext/config/desktop.py,Learn,Belajar
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Kod Kupon Gunaan
 DocType: Asset,Next Depreciation Date,Selepas Tarikh Susutnilai
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Kos aktiviti setiap Pekerja
+DocType: Loan Security,Haircut %,Potongan rambut%
 DocType: Accounts Settings,Settings for Accounts,Tetapan untuk Akaun
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Pembekal Invois No wujud dalam Invois Belian {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Menguruskan Orang Jualan Tree.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Sila tetapkan Kadar Bilik Hotel pada {}
 DocType: Journal Entry,Multi Currency,Mata Multi
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Jenis invois
+DocType: Loan,Loan Security Details,Butiran Keselamatan Pinjaman
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Sah dari tarikh mestilah kurang dari tarikh upto yang sah
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Pengecualian berlaku semasa mendamaikan {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Tetapkan Gudang yang Diterima
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Memerlukan Kelulusan Ujian Lab
 DocType: Attendance,Working Hours,Waktu Bekerja
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Jumlah yang belum dijelaskan
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor penukaran UOM ({0} -&gt; {1}) tidak ditemui untuk item: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Menukar nombor yang bermula / semasa urutan siri yang sedia ada.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Peratusan anda dibenarkan untuk membilkan lebih banyak daripada jumlah yang diperintahkan. Sebagai contoh: Jika nilai pesanan adalah $ 100 untuk item dan toleransi ditetapkan sebanyak 10% maka anda dibenarkan untuk membiayai $ 110.
 DocType: Dosage Strength,Strength,Kekuatan
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Kenderaan Tarikh
 DocType: Campaign Email Schedule,Campaign Email Schedule,Jadual E-mel Kempen
 DocType: Student Log,Medical,Perubatan
+DocType: Work Order,This is a location where scraped materials are stored.,Ini adalah lokasi di mana bahan-bahan yang dikikis disimpan.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Sila pilih Dadah
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Lead Pemilik tidak boleh menjadi sama seperti Lead
 DocType: Announcement,Receiver,penerima
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,Berkenaan pemandu luaran
 DocType: Sales Order Item,Used for Production Plan,Digunakan untuk Rancangan Pengeluaran
 DocType: BOM,Total Cost (Company Currency),Jumlah Kos (Mata Wang Syarikat)
-DocType: Loan,Total Payment,Jumlah Bayaran
+DocType: Repayment Schedule,Total Payment,Jumlah Bayaran
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO telah dibuat untuk semua item pesanan jualan
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Perhatian Pesanan Pembelian
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Disewa dari tarikh
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Bahagian Cukup untuk Membina
+DocType: Loan Security,Loan Security Code,Kod Keselamatan Pinjaman
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Sila simpan dahulu
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Item dikehendaki menarik bahan mentah yang dikaitkan dengannya.
 DocType: POS Profile User,POS Profile User,POS Profil Pengguna
@@ -976,6 +989,7 @@
 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,Stock Entries already created for Work Order ,Penyertaan Saham telah dibuat untuk Perintah Kerja
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod Item&gt; Kumpulan Item&gt; Jenama
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Lihat pesanan terdahulu
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,Perbualan {0}
 DocType: Vital Signs,Respiratory rate,Kadar pernafasan
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,Padam Transaksi Syarikat
 DocType: Production Plan Item,Quantity and Description,Kuantiti dan Penerangan
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Rujukan dan Tarikh Rujukan adalah wajib untuk transaksi Bank
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan&gt; Tetapan&gt; Penamaan Siri
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Cukai dan Caj
 DocType: Payment Entry Reference,Supplier Invoice No,Pembekal Invois No
 DocType: Territory,For reference,Untuk rujukan
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Akaun Pegangan Cukai
 DocType: Pricing Rule,Sales Partner,Rakan Jualan
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Semua kad skor Pembekal.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Jumlah Pesanan
+DocType: Loan,Disbursed Amount,Jumlah yang Dibelanjakan
 DocType: Buying Settings,Purchase Receipt Required,Resit pembelian Diperlukan
 DocType: Sales Invoice,Rail,Kereta api
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Kos sebenar
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Disambungkan ke QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Sila kenalpasti / buat Akaun (Lejar) untuk jenis - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Akaun Belum Bayar
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Akaun adalah wajib untuk mendapatkan penyertaan pembayaran
 DocType: Payment Entry,Type of Payment,Jenis Pembayaran
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Tarikh Hari Setempat adalah wajib
 DocType: Sales Order,Billing and Delivery Status,Bil dan Status Penghantaran
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,Billed AMT
 DocType: Training Result Employee,Training Result Employee,Keputusan Latihan Pekerja
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Satu Gudang maya di mana kemasukkan stok dibuat.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Jumlah prinsipal
+DocType: Repayment Schedule,Principal Amount,Jumlah prinsipal
 DocType: Loan Application,Total Payable Interest,Jumlah Faedah yang Perlu Dibayar
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Jumlah yang belum dijelaskan: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Buka Kenalan
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Ralat berlaku semasa proses kemas kini
 DocType: Restaurant Reservation,Restaurant Reservation,Tempahan Restoran
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Item Anda
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Pembekal&gt; Jenis Pembekal
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Penulisan Cadangan
 DocType: Payment Entry Deduction,Payment Entry Deduction,Pembayaran Potongan Kemasukan
 DocType: Service Level Priority,Service Level Priority,Keutamaan Tahap Perkhidmatan
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Mewujudkan kumpulan pelajar
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Mewujudkan kumpulan pelajar
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Pembayaran Akaun Gateway tidak diciptakan, sila buat secara manual."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Gudang Kumpulan tidak boleh digunakan dalam urus niaga. Sila tukar nilai {0}
 DocType: Supplier Scorecard,Per Year,Setiap tahun
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Tidak layak menerima kemasukan dalam program ini seperti DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Baris # {0}: Tidak dapat memadamkan item {1} yang diberikan kepada pesanan pembelian pelanggan.
@@ -1289,7 +1307,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Semasa membuat akaun untuk Anak Syarikat {0}, akaun induk {1} tidak dijumpai. Sila buat akaun induk dalam COA yang bersesuaian"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Isu Split
 DocType: Student Attendance,Student Attendance,Kehadiran pelajar
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Tiada data untuk dieksport
 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
@@ -1302,6 +1319,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tarikh Penghantaran Sebenar
 DocType: Lab Test,Test Template,Templat Ujian
+DocType: Loan Security Pledge,Securities,Sekuriti
 DocType: Restaurant Order Entry Item,Served,Berkhidmat
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Maklumat bab.
 DocType: Account,Accounts,Akaun-akaun
@@ -1396,6 +1414,7 @@
 DocType: Inpatient Record,O Negative,O Negatif
 DocType: Work Order Operation,Planned End Time,Dirancang Akhir Masa
 DocType: POS Profile,Only show Items from these Item Groups,Hanya tunjukkan Item dari Kumpulan Item ini
+DocType: Loan,Is Secured Loan,Adakah Pinjaman Terjamin
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Butiran Jenis Pemebership
 DocType: Delivery Note,Customer's Purchase Order No,Pelanggan Pesanan Pembelian No
@@ -1432,6 +1451,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Dapatkan dari Pesakit Pesakit
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor penukaran UOM ({0} -&gt; {1}) tidak ditemui untuk item: {2}
 DocType: Subscriber,Subscriber,Pelanggan
 DocType: Item Attribute Value,Item Attribute Value,Perkara Atribut Nilai
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Pertukaran Mata Wang mesti terpakai untuk Beli atau Jual.
@@ -1511,6 +1531,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Tiada Kebenaran
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Senarai Semak Pengalaman Kontrak
 DocType: Vital Signs,Heart Rate / Pulse,Kadar Jantung / Pulse
+DocType: Customer,Default Company Bank Account,Akaun Bank Syarikat lalai
 DocType: Supplier,Default Bank Account,Akaun Bank Default
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Untuk menapis berdasarkan Parti, pilih Parti Taipkan pertama"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},&#39;Update Stock&#39; tidak boleh disemak kerana perkara yang tidak dihantar melalui {0}
@@ -1629,7 +1650,6 @@
 DocType: Sales Team,Incentives,Insentif
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Nilai Out Of Sync
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Nilai Perbezaan
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan&gt; Penomboran Siri
 DocType: SMS Log,Requested Numbers,Nombor diminta
 DocType: Volunteer,Evening,Petang
 DocType: Quiz,Quiz Configuration,Konfigurasi Kuiz
@@ -1649,6 +1669,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Pada Sebelumnya Row Jumlah
 DocType: Purchase Invoice Item,Rejected Qty,Telah Qty
 DocType: Setup Progress Action,Action Field,Field Action
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Jenis Pinjaman untuk kadar faedah dan penalti
 DocType: Healthcare Settings,Manage Customer,Urus Pelanggan
 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
@@ -1660,6 +1681,7 @@
 ,Final Assessment Grades,Gred Penilaian Akhir
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Nama syarikat anda yang mana anda menubuhkan sistem ini.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Termasuk bercuti di Jumlah no. Hari Kerja
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Daripada jumlah keseluruhan
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Persiapkan Institut anda di ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analisis Tanaman
 DocType: Task,Timeline,Garis masa
@@ -1667,9 +1689,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Perkara Ganti
 DocType: Shopify Log,Request Data,Meminta Data
 DocType: Employee,Date of Joining,Tarikh Menyertai
+DocType: Delivery Note,Inter Company Reference,Rujukan Syarikat Antara
 DocType: Naming Series,Update Series,Update Siri
 DocType: Supplier Quotation,Is Subcontracted,Apakah Subkontrak
 DocType: Restaurant Table,Minimum Seating,Tempat Duduk Minimum
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Persoalannya tidak boleh diduplikasi
 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,Purchase Receipt,Resit Pembelian
@@ -1771,6 +1795,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Invois
 DocType: Payment Request,Paid,Dibayar
 DocType: Service Level,Default Priority,Keutamaan lalai
+DocType: Pledge,Pledge,Ikrar
 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."
@@ -1784,6 +1809,7 @@
 DocType: Guardian,Guardian Name,Nama Guardian
 DocType: Cheque Print Template,Has Print Format,Mempunyai Format Cetak
 DocType: Support Settings,Get Started Sections,Memulakan Bahagian
+,Loan Repayment and Closure,Bayaran Balik dan Penutupan Pinjaman
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,Diiktiraf
 ,Base Amount,Jumlah Base
@@ -1794,10 +1820,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Dari Tempat
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Jumlah pinjaman tidak boleh melebihi {0}
 DocType: Student Admission,Publish on website,Menerbitkan di laman web
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Pembekal Invois Tarikh tidak boleh lebih besar daripada Pos Tarikh
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod Item&gt; Kumpulan Item&gt; Jenama
 DocType: Subscription,Cancelation Date,Tarikh Pembatalan
 DocType: Purchase Invoice Item,Purchase Order Item,Pesanan Pembelian Item
 DocType: Agriculture Task,Agriculture Task,Petugas Pertanian
@@ -1816,7 +1842,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Peratus Diskaun tambahan
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Lihat senarai semua video bantuan
 DocType: Agriculture Analysis Criteria,Soil Texture,Tekstur Tanah
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Pilih kepala akaun bank di mana cek didepositkan.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Membolehkan pengguna untuk mengedit Senarai Harga Kadar dalam urus niaga
 DocType: Pricing Rule,Max Qty,Max Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Cetak Kad Laporan
@@ -1951,7 +1976,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Setelah ditetapkan, invois ini akan ditangguhkan sehingga tarikh ditetapkan"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Jumlah Jualan
-DocType: Repayment Schedule,Interest Amount,Amaun Faedah
+DocType: Loan Interest Accrual,Interest Amount,Amaun Faedah
 DocType: Job Card,Time Logs,Time Logs
 DocType: Sales Invoice,Loyalty Amount,Jumlah kesetiaan
 DocType: Employee Transfer,Employee Transfer Detail,Maklumat Pemindahan Pekerja
@@ -1966,6 +1991,7 @@
 DocType: Cashier Closing,Returns,pulangan
 DocType: Job Card,WIP Warehouse,WIP Gudang
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},No siri {0} adalah di bawah kontrak penyelenggaraan hamper {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Had Jumlah Sanctioned diseberang untuk {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Recruitment
 DocType: Lead,Organization Name,Nama Pertubuhan
 DocType: Support Settings,Show Latest Forum Posts,Tunjukkan Forum Forum Terkini
@@ -1992,7 +2018,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Item pesanan pembelian tertunggak
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Poskod
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Pesanan Jualan {0} ialah {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Pilih akaun pendapatan faedah dalam pinjaman {0}
 DocType: Opportunity,Contact Info,Maklumat perhubungan
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Membuat Kemasukan Stok
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Tidak boleh mempromosikan Pekerja dengan status Kiri
@@ -2078,7 +2103,6 @@
 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,Start Year,Mula Tahun
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Buat Pinjaman
 DocType: Purchase Invoice,Start date of current invoice's period,Tarikh tempoh invois semasa memulakan
 DocType: Shift Type,Process Attendance After,Kehadiran Proses Selepas
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Pilih Domain anda
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Pembekal Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Item Invois Pembayaran
+DocType: Repayment Schedule,Is Accrued,Telah terakru
 DocType: Payroll Entry,Employee Details,Butiran Pekerja
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Memproses Fail XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Kemasukan Point kesetiaan
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Default Perkara Kumpulan
+DocType: Loan,Partially Disbursed,sebahagiannya Dikeluarkan
 DocType: Job Card Time Log,Time In Mins,Time In Mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Berikan maklumat.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Tindakan ini akan menyahpautkan akaun ini dari sebarang perkhidmatan luaran yang mengintegrasikan ERPNext dengan akaun bank anda. Ia tidak dapat dibatalkan. Adakah awak pasti ?
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,item yang sama tidak boleh dimasukkan beberapa kali.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Penutupan Pinjaman
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,Pemiutang
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2178,6 +2205,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Cukai dan Faedah Pekerja
 DocType: Bank Guarantee,Validity in Days,Kesahan di Days
 DocType: Bank Guarantee,Validity in Days,Kesahan di Days
+DocType: Unpledge,Haircut,Potongan rambut
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-bentuk tidak boleh digunakan untuk invois: {0}
 DocType: Certified Consultant,Name of Consultant,Nama Perunding
 DocType: Payment Reconciliation,Unreconciled Payment Details,Butiran Pembayaran yang belum disatukan
@@ -2231,7 +2259,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Rest Of The World
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,The Perkara {0} tidak boleh mempunyai Batch
 DocType: Crop,Yield UOM,Hasil UOM
+DocType: Loan Security Pledge,Partially Pledged,Sebahagian yang dijanjikan
 ,Budget Variance Report,Belanjawan Laporan Varian
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Amaun Pinjaman Yang Dituntut
 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,Get Items from Healthcare Services,Dapatkan barangan dari Perkhidmatan Penjagaan Kesihatan
@@ -2266,6 +2296,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Prosedur Kualiti Baru
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Baki untuk Akaun {0} mesti sentiasa {1}
 DocType: Patient Appointment,More Info,Banyak Lagi Maklumat
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Tarikh Lahir tidak boleh melebihi Tarikh Bergabung.
 DocType: Supplier Scorecard,Scorecard Actions,Tindakan Kad Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Pembekal {0} tidak dijumpai di {1}
 DocType: Purchase Invoice,Rejected Warehouse,Gudang Ditolak
@@ -2363,6 +2394,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Sila nyatakan Kod Item terlebih dahulu
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Jenis
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Ikrar Jaminan Pinjaman Dibuat: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Pelantikan dan Pesakit yang Menemui
@@ -2418,6 +2450,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Bilangan Pelantikan Bersamaan
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Bermula
 DocType: Purchase Invoice,Taxes and Charges Calculation,Cukai dan Caj Pengiraan
+DocType: Loan Interest Accrual,Payable Principal Amount,Jumlah Prinsipal yang Dibayar
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Buku Asset Kemasukan Susutnilai secara automatik
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Buku Asset Kemasukan Susutnilai secara automatik
 DocType: BOM Operation,Workstation,Stesen kerja
@@ -2455,7 +2488,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Makanan
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Range Penuaan 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Butiran Baucar Penutupan POS
-DocType: Bank Account,Is the Default Account,Adakah Akaun Lalai
 DocType: Shopify Log,Shopify Log,Log Shopify
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Tiada komunikasi dijumpai.
 DocType: Inpatient Occupancy,Check In,Daftar masuk
@@ -2513,12 +2545,14 @@
 DocType: Sales Order Item,Planned Quantity,Dirancang Kuantiti
 DocType: Water Analysis,Water Analysis Criteria,Kriteria Analisis Air
 DocType: Item,Maintain Stock,Mengekalkan Stok
+DocType: Loan Security Unpledge,Unpledge Time,Masa Unpledge
 DocType: Terms and Conditions,Applicable Modules,Modul yang berkenaan
 DocType: Employee,Prefered Email,diinginkan Email
 DocType: Student Admission,Eligibility and Details,Kelayakan dan Butiran
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Termasuk dalam Untung Kasar
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Perubahan Bersih dalam Aset Tetap
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Ini adalah lokasi di mana produk akhir disimpan.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Dari datetime
@@ -2559,8 +2593,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Waranti / AMC Status
 ,Accounts Browser,Pelayar Akaun-akaun
 DocType: Procedure Prescription,Referral,Rujukan
+,Territory-wise Sales,Jualan Wilayah-bijak
 DocType: Payment Entry Reference,Payment Entry Reference,Pembayaran Rujukan Kemasukan
 DocType: GL Entry,GL Entry,GL Entry
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Baris # {0}: Gudang Diterima dan Gudang Pembekal tidak boleh sama
 DocType: Support Search Source,Response Options,Pilihan Response
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Terapkan Peraturan Harga Pelbagai
 DocType: HR Settings,Employee Settings,Tetapan pekerja
@@ -2620,6 +2656,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Pertanian (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Slip pembungkusan
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Pejabat Disewa
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Tetapan gateway Persediaan SMS
 DocType: Disease,Common Name,Nama yang selalu digunakan
@@ -2636,6 +2673,7 @@
 DocType: Item,Sales Details,Jualan Butiran
 DocType: Coupon Code,Used,Digunakan
 DocType: Opportunity,With Items,Dengan Item
+DocType: Vehicle Log,last Odometer Value ,Nilai Odometer lepas
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kempen &#39;{0}&#39; sudah wujud untuk {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Pasukan Penyelenggaraan
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Perintah di mana bahagian akan muncul. 0 adalah yang pertama, 1 adalah kedua dan sebagainya."
@@ -2646,7 +2684,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Perbelanjaan Tuntutan {0} telah wujud untuk Log Kenderaan
 DocType: Asset Movement Item,Source Location,Lokasi Sumber
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nama Institut
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Sila masukkan Jumlah pembayaran balik
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Sila masukkan Jumlah pembayaran balik
 DocType: Shift Type,Working Hours Threshold for Absent,Ambang Waktu Bekerja untuk Absen
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Terdapat beberapa faktor pengumpulan peringkat berdasarkan jumlah yang dibelanjakan. Tetapi faktor penukaran untuk penebusan akan selalu sama untuk semua tier.
 apps/erpnext/erpnext/config/help.py,Item Variants,Kelainan Perkara
@@ -2670,6 +2708,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} mesti kurang daripada {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Sila pilih Jenis Pemohon terlebih dahulu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Pilih BOM, Qty dan For Warehouse"
 DocType: GST HSN Code,GST HSN Code,GST Kod HSN
 DocType: Employee External Work History,Total Experience,Jumlah Pengalaman
@@ -2760,7 +2799,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Tiada BOM aktif yang ditemui untuk item {0}. Penghantaran oleh \ Serial No tidak dapat dipastikan
 DocType: Sales Partner,Sales Partner Target,Jualan Rakan Sasaran
-DocType: Loan Type,Maximum Loan Amount,Jumlah Pinjaman maksimum
+DocType: Loan Application,Maximum Loan Amount,Jumlah Pinjaman maksimum
 DocType: Coupon Code,Pricing Rule,Peraturan Harga
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},jumlah roll salinan untuk pelajar {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},jumlah roll salinan untuk pelajar {0}
@@ -2784,6 +2823,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Meninggalkan Diperuntukkan Berjaya untuk {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Tiada item untuk pek
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Hanya fail csv dan .xlsx yang disokong pada masa ini
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia&gt; Tetapan HR
 DocType: Shipping Rule Condition,From Value,Dari Nilai
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Pembuatan Kuantiti adalah wajib
 DocType: Loan,Repayment Method,Kaedah Bayaran Balik
@@ -2867,6 +2907,7 @@
 DocType: Customer,Customer POS Id,Id POS pelanggan
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Pelajar dengan e-mel {0} tidak wujud
 DocType: Account,Account Name,Nama Akaun
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Amaun Pinjaman yang Dimansuhkan telah wujud untuk {0} terhadap syarikat {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Dari Tarikh tidak boleh lebih besar daripada Dating
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} kuantiti {1} tidak boleh menjadi sebahagian kecil
 DocType: Pricing Rule,Apply Discount on Rate,Terapkan Diskaun pada Kadar
@@ -2938,6 +2979,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Keuntungan bersih
 DocType: Purchase Invoice,Eligibility For ITC,Kelayakan untuk ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Tidak terpadam
 DocType: Journal Entry,Entry Type,Jenis Kemasukan
 ,Customer Credit Balance,Baki Pelanggan Kredit
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Perubahan Bersih dalam Akaun Belum Bayar
@@ -2949,6 +2991,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID Peranti Kehadiran (ID tag biometrik / RF)
 DocType: Quotation,Term Details,Butiran jangka
 DocType: Item,Over Delivery/Receipt Allowance (%),Lebih Elaun / Elaun Resit (%)
+DocType: Appointment Letter,Appointment Letter Template,Templat Surat Pelantikan
 DocType: Employee Incentive,Employee Incentive,Insentif Pekerja
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Jumlah (Tanpa Cukai)
@@ -2973,6 +3016,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Nyahpaut Pembayaran Pembatalan Invois
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Memproses Accrual Interest Loan
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},bacaan Odometer Semasa memasuki harus lebih besar daripada awal Kenderaan Odometer {0}
 ,Purchase Order Items To Be Received or Billed,Item Pesanan Pembelian Untuk Diterima atau Dibilkan
 DocType: Restaurant Reservation,No Show,Tidak Tunjukkan
@@ -3059,6 +3103,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Pusat Kos yang diperlukan untuk akaun &#39;Untung Rugi&#39; {2}. Sila menubuhkan Pusat Kos lalai untuk Syarikat.
 DocType: Payment Schedule,Payment Term,Tempoh bayaran
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Satu Kumpulan Pelanggan sudah wujud dengan nama yang sama, sila tukar nama Pelanggan atau menamakan semula Kumpulan Pelanggan"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Tarikh Akhir Kemasukan hendaklah lebih besar daripada Tarikh Permulaan Kemasukan.
 DocType: Location,Area,Kawasan
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Kenalan Baru
 DocType: Company,Company Description,Penerangan Syarikat
@@ -3134,6 +3179,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Data Mapping
 DocType: Purchase Order Item,Warehouse and Reference,Gudang dan Rujukan
 DocType: Payroll Period Date,Payroll Period Date,Tarikh Tempoh Gaji
+DocType: Loan Disbursement,Against Loan,Terhadap Pinjaman
 DocType: Supplier,Statutory info and other general information about your Supplier,Maklumat berkanun dan maklumat umum lain mengenai pembekal anda
 DocType: Item,Serial Nos and Batches,Serial Nos dan Kelompok
 DocType: Item,Serial Nos and Batches,Serial Nos dan Kelompok
@@ -3202,6 +3248,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Pilih sebuah syarikat
 DocType: Delivery Settings,Delivery Settings,Tetapan Penghantaran
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ambil Data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Tidak boleh melupuskan lebih daripada {0} qty {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Cuti maksimum dibenarkan dalam cuti jenis {0} adalah {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Terbitkan 1 Perkara
 DocType: SMS Center,Create Receiver List,Cipta Senarai Penerima
@@ -3350,6 +3397,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Jumlah (Syarikat Mata Wang)
 DocType: Purchase Invoice,Registered Regular,Berdaftar Biasa
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Bahan mentah
+DocType: Plaid Settings,sandbox,kotak pasir
 DocType: Payment Reconciliation Payment,Reference Row,rujukan Row
 DocType: Installation Note,Installation Time,Masa pemasangan
 DocType: Sales Invoice,Accounting Details,Maklumat Perakaunan
@@ -3362,12 +3410,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Jenis Transaksi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteria Penerimaan
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Sila masukkan Permintaan bahan dalam jadual di atas
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Jumlah Dibayar
 DocType: Task,Expected Time (in hours),Jangkaan Masa (dalam jam)
 DocType: Item Reorder,Check in (group),Daftar-masuk (kumpulan)
 DocType: Soil Texture,Silt,Lumpur
@@ -3399,6 +3446,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Cukai Potongan Bagi Bukti Pengecualian Cukai Tidak Dimasukkan
 DocType: Volunteer,Anytime,Bila masa
 DocType: Bank Account,Bank Account No,Akaun Bank No
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Pengeluaran dan Pembayaran Balik
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Pengeluaran Bukti Pengecualian Cukai Pekerja
 DocType: Patient,Surgical History,Sejarah Pembedahan
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3463,6 +3511,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Buat Ujian Makmal ke atas Invois Jualan Jualan
 DocType: Serial No,Invoice Details,Butiran invois
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Struktur gaji hendaklah dikemukakan sebelum penyerahan Deklarasi Pengecualian Cukai
+DocType: Loan Application,Proposed Pledges,Cadangan Ikrar
 DocType: Grant Application,Show on Website,Tunjukkan di Laman Web
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Mulakan
 DocType: Hub Tracked Item,Hub Category,Kategori Hab
@@ -3474,7 +3523,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Pembekal kad skor pembekal
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials tidak dijumpai untuk Perkara {1}
 DocType: Contract Fulfilment Checklist,Requirement,Keperluan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia&gt; Tetapan HR
 DocType: Journal Entry,Accounts Receivable,Akaun-akaun boleh terima
 DocType: Quality Goal,Objectives,Objektif
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Peranan Dibenarkan Buat Permohonan Cuti Backdated
@@ -3487,6 +3535,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Termasuk Penyertaan berdamai
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Amaun yang diperuntukkan ({0}) adalah greget daripada amaun yang dibayar ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Mengedarkan Caj Berasaskan
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Jumlah yang dibayar tidak boleh kurang daripada {0}
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,Tetapan HR
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Perakaunan Master
@@ -3632,6 +3681,7 @@
 DocType: Employee,Health Insurance,Insuran kesihatan
 DocType: Asset Repair,Manufacturing Manager,Pembuatan Pengurus
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},No siri {0} adalah di bawah jaminan hamper {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Jumlah Pinjaman melebihi jumlah maksimum pinjaman {0} seperti yang dicadangkan sekuriti
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Nilai Minimum yang Dibenarkan
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Pengguna {0} sudah wujud
 apps/erpnext/erpnext/hooks.py,Shipments,Penghantaran
@@ -3676,7 +3726,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Jenis perniagaan
 DocType: Sales Invoice,Consumer,Pengguna
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Sila pilih Jumlah Diperuntukkan, Jenis Invois dan Nombor Invois dalam atleast satu baris"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan&gt; Tetapan&gt; Penamaan Siri
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kos Pembelian New
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Pesanan Jualan diperlukan untuk Perkara {0}
 DocType: Grant Application,Grant Description,Pemberian Geran
@@ -3685,6 +3734,7 @@
 DocType: Subscription,Discounts,Diskaun
 DocType: Bank Transaction,Unallocated Amount,Jumlah yang tidak diperuntukkan
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Sila aktifkan Berkenaan pada Pesanan Pembelian dan Terlibat pada Perbelanjaan Sebenar Tempahan
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} bukan akaun bank syarikat
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Tidak dapat mencari item yang sepadan. Sila pilih beberapa nilai lain untuk {0}.
 DocType: POS Profile,Taxes and Charges,Cukai dan Caj
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Satu Produk atau Perkhidmatan yang dibeli, dijual atau disimpan dalam stok."
@@ -3735,6 +3785,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Sah Dari Tarikh mestilah kurang daripada Tarikh Sehingga Valid.
 DocType: Employee Skill,Evaluation Date,Tarikh Penilaian
 DocType: Quotation Item,Stock Balance,Baki saham
+DocType: Loan Security Pledge,Total Security Value,Jumlah Nilai Keselamatan
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Perintah Jualan kepada Pembayaran
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Ketua Pegawai Eksekutif
 DocType: Purchase Invoice,With Payment of Tax,Dengan Pembayaran Cukai
@@ -3747,6 +3798,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Akaun {0} tidak wujud dalam carta papan pemuka {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Tunjukkan Atribut Variasi
@@ -3828,6 +3880,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Kadar Penilaian semasa
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Bilangan akaun root tidak boleh kurang daripada 4
 DocType: Training Event,Advance,Advance
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Terhadap Pinjaman:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Tetapan gerbang pembayaran GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange Keuntungan / Kerugian
 DocType: Opportunity,Lost Reason,Hilang Akal
@@ -3912,8 +3965,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Pilih Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Tidak sah {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Baris {0}: Tarikh Tarikh Kelahiran tidak boleh lebih besar daripada hari ini.
 DocType: Fee Validity,Reference Inv,Rujuk Rujukan
 DocType: Sales Invoice Advance,Advance Amount,Advance Jumlah
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Kadar Faedah Penalti (%) Sehari
 DocType: Manufacturing Settings,Capacity Planning,Perancangan Kapasiti
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Pelarasan Membulat (Mata Wang Syarikat
 DocType: Asset,Policy number,Nombor polisi
@@ -3929,7 +3984,9 @@
 DocType: Normal Test Items,Require Result Value,Memerlukan Nilai Hasil
 DocType: Purchase Invoice,Pricing Rules,Kaedah Harga
 DocType: Item,Show a slideshow at the top of the page,Menunjukkan tayangan slaid di bahagian atas halaman
+DocType: Appointment Letter,Body,Badan
 DocType: Tax Withholding Rate,Tax Withholding Rate,Kadar Pegangan Cukai
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Tarikh Mula Bayaran Balik adalah wajib untuk pinjaman berjangka
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Kedai
@@ -3949,7 +4006,7 @@
 DocType: Call Log,Received By,Diterima oleh
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Tempoh Pelantikan (Dalam Menit)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Butiran Templat Pemetaan Aliran Tunai
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Pengurusan Pinjaman
+DocType: Loan,Loan Management,Pengurusan Pinjaman
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Jejaki Pendapatan berasingan dan Perbelanjaan untuk menegak produk atau bahagian.
 DocType: Rename Tool,Rename Tool,Nama semula Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Update Kos
@@ -3957,6 +4014,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,Borang GSTR3B
 DocType: Sales Invoice,Mode of Transport,Mod Pengangkutan
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Show Slip Gaji
+DocType: Loan,Is Term Loan,Adakah Pinjaman Berjangka
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Pemindahan Bahan
 DocType: Fees,Send Payment Request,Hantar Permintaan Bayaran
 DocType: Travel Request,Any other details,Sebarang butiran lain
@@ -3974,6 +4032,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Aliran tunai daripada pembiayaan
 DocType: Budget Account,Budget Account,anggaran Akaun
 DocType: Quality Inspection,Verified By,Disahkan oleh
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Tambah Keselamatan Pinjaman
 DocType: Travel Request,Name of Organizer,Nama Penganjur
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Tidak boleh menukar mata wang lalai syarikat itu, kerana terdapat urus niaga yang sedia ada. Transaksi mesti dibatalkan untuk menukar mata wang lalai."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Kewajipan Cukai Pendapatan
@@ -4024,6 +4083,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Diperlukan Pada
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jika disemak, menyembunyikan dan melumpuhkan bidang Bulat Total dalam Gaji Slip"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ini adalah offset lalai (hari) untuk Tarikh Penghantaran di Pesanan Jualan. Offset sandaran adalah 7 hari dari tarikh penempatan pesanan.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan&gt; Penomboran Siri
 DocType: Rename Tool,File to Rename,Fail untuk Namakan semula
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Sila pilih BOM untuk Item dalam Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Mengambil Update Langganan
@@ -4036,6 +4096,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Nombor Siri Dibuat
 DocType: POS Profile,Applicable for Users,Berkenaan Pengguna
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Dari Tarikh dan Tarikh adalah Mandatori
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Tetapkan Projek dan semua Tugas ke status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Tetapkan Pendahuluan dan Alokasi (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Tiada Perintah Kerja dibuat
@@ -4045,6 +4106,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Item oleh
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kos Item Dibeli
 DocType: Employee Separation,Employee Separation Template,Templat Pemisahan Pekerja
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Sifar qty {0} dicagarkan terhadap pinjaman {0}
 DocType: Selling Settings,Sales Order Required,Pesanan Jualan Diperlukan
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Menjadi Penjual
 ,Procurement Tracker,Tracker Perolehan
@@ -4143,11 +4205,12 @@
 ,Minutes to First Response for Opportunity,Minit ke Response Pertama bagi Peluang
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Jumlah Tidak hadir
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Perkara atau Gudang untuk baris {0} tidak sepadan Bahan Permintaan
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Jumlah yang Dibayar
+DocType: Loan Repayment,Payable Amount,Jumlah yang Dibayar
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Peluang
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Kekuatan maksima tidak boleh kurang daripada sifar.
 DocType: Options,Option,Pilihan
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Anda tidak boleh membuat penyertaan perakaunan dalam tempoh perakaunan tertutup {0}
 DocType: Operation,Default Workstation,Workstation Default
@@ -4189,6 +4252,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Jumlah Faedah adalah wajib
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Langkah seterusnya
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Item yang disimpan
@@ -4240,8 +4304,6 @@
 DocType: Grant Application,Grant Application Details ,Butiran Permohonan Grant
 DocType: Employee Separation,Employee Separation,Pemisahan Pekerja
 DocType: BOM Item,Original Item,Item Asal
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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/regional/report/eway_bill/eway_bill.py,Doc Date,Tarikh Dokumen
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Rekod Bayaran Dibuat - {0}
 DocType: Asset Category Account,Asset Category Account,Akaun Kategori Asset
@@ -4277,6 +4339,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Item Ujian Makmal {0} sudah wujud
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} adalah percutian syarikat
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Waktu yang boleh ditanggung
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Kadar Faedah Penalti dikenakan ke atas jumlah faedah yang tertunggak setiap hari sekiranya pembayaran balik ditangguhkan
+DocType: Appointment Letter content,Appointment Letter content,Kandungan Surat Pelantikan
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Tinggalkan Pemberitahuan Status
 DocType: Patient Appointment,Procedure Prescription,Preskripsi Prosedur
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Perabot dan Fixtures
@@ -4296,7 +4360,7 @@
 DocType: Opportunity,Customer / Lead Name,Pelanggan / Nama Lead
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Clearance Tarikh tidak dinyatakan
 DocType: Payroll Period,Taxable Salary Slabs,Slab Gaji Cukai
-DocType: Job Card,Production,Pengeluaran
+DocType: Plaid Settings,Production,Pengeluaran
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN tidak sah! Input yang anda masukkan tidak sepadan dengan format GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Nilai Akaun
 DocType: Guardian,Occupation,Pekerjaan
@@ -4442,6 +4506,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Koleksi Program Kesetiaan
 DocType: Stock Entry Detail,Subcontracted Item,Item Subkontrak
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Pelajar {0} tidak tergolong dalam kumpulan {1}
+DocType: Appointment Letter,Appointment Date,Tarikh Pelantikan
 DocType: Budget,Cost Center,PTJ
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Baucer #
 DocType: Tax Rule,Shipping Country,Penghantaran Negara
@@ -4512,6 +4577,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dimensi Perakaunan
 ,Profit and Loss Statement,Penyata Untung dan Rugi
 DocType: Bank Reconciliation Detail,Cheque Number,Nombor Cek
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Jumlah yang dibayar tidak boleh menjadi sifar
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Item yang dirujuk oleh {0} - {1} sudah ada invois
 ,Sales Browser,Jualan Pelayar
 DocType: Journal Entry,Total Credit,Jumlah Kredit
@@ -4616,6 +4682,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Tambah / Edit Syarat Kupon
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Akaun perbelanjaan / Perbezaan ({0}) mestilah akaun &#39;Keuntungan atau Kerugian&#39;
 DocType: Stock Entry Detail,Stock Entry Child,Anak Masuk Saham
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Syarikat Ikrar Jaminan Pinjaman dan Syarikat Pinjaman mestilah sama
 DocType: Project,Copied From,disalin Dari
 DocType: Project,Copied From,disalin Dari
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Invois telah dibuat untuk semua jam pengebilan
@@ -4624,6 +4691,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Adakah Kos Kewangan
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Kehadiran bagi pekerja {0} telah ditandakan
 DocType: Packing Slip,If more than one package of the same type (for print),Jika lebih daripada satu bungkusan dari jenis yang sama (untuk cetak)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Sila persediaan Sistem Penamaan Pengajar dalam Pendidikan&gt; Tetapan Pendidikan
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Sila tetapkan pelanggan lalai dalam Tetapan Restoran
 ,Salary Register,gaji Daftar
 DocType: Company,Default warehouse for Sales Return,Gudang lalai untuk Pulangan Jualan
@@ -4668,7 +4736,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Serial semasa No
 DocType: Employee,Attendance and Leave Details,Kehadiran dan Butiran Cuti
 ,BOM Comparison Tool,Alat Perbandingan BOM
-,Requested,Diminta
+DocType: Loan Security Pledge,Requested,Diminta
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4680,7 +4748,6 @@
 DocType: Drug Prescription,Drug Prescription,Preskripsi Dadah
 DocType: Service Level,Support and Resolution,Sokongan dan Resolusi
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Kod item percuma tidak dipilih
-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
@@ -4714,6 +4781,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Anda telah pun dinilai untuk kriteria penilaian {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Jumlah Kekurangan
 DocType: Vehicle Service,Engine Oil,Minyak enjin
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Perintah Kerja Dibuat: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Sila tetapkan id e-mel untuk Lead {0}
@@ -4732,6 +4800,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Akaun tidak ditetapkan untuk carta papan pemuka {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Memohon Diskaun tambahan On
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Pilih Jenis ...
+DocType: Loan Interest Accrual,Amounts,Jumlah
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Tiket anda
 DocType: Account,Root Type,Jenis akar
 DocType: Item,FIFO,FIFO
@@ -4739,6 +4808,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Tidak boleh kembali lebih daripada {1} untuk Perkara {2}
 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: Loan Security Price,Loan Security Price,Harga Sekuriti Pinjaman
 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,Target warehouse is mandatory for row {0},Gudang sasaran adalah wajib untuk berturut-turut {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Operasi Runcit
@@ -4879,6 +4949,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch adalah wajib berturut-turut {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch adalah wajib berturut-turut {0}
 DocType: Company,Default Buying Terms,Syarat Pembelian Lalai
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Pengeluaran Pinjaman
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Resit Pembelian Item Dibekalkan
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Dayakan Synch Berjadual
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Untuk datetime
@@ -4907,6 +4978,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Masukkan nilai betweeen {0} dan {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Masukkan nama kempen jika sumber siasatan adalah kempen
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Akhbar Penerbit
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Tiada <b>Harga Jaminan Pinjaman yang</b> sah dijumpai untuk {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tarikh masa depan tidak dibenarkan
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Tarikh Penghantaran yang Diharapkan hendaklah selepas Tarikh Pesanan Jualan
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Pesanan semula Level
@@ -4973,6 +5045,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Cadangan Cadangan / Harga
 DocType: Antibiotic,Healthcare,Penjagaan kesihatan
 DocType: Target Detail,Target Detail,Detail Sasaran
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Proses Pinjaman
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Varian tunggal
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,semua Pekerjaan
 DocType: Sales Order,% of materials billed against this Sales Order,% bahan-bahan yang dibilkan terhadap Pesanan Jualan ini
@@ -5036,7 +5109,7 @@
 DocType: Item,Reorder level based on Warehouse,Tahap pesanan semula berdasarkan Warehouse
 DocType: Activity Cost,Billing Rate,Kadar bil
 ,Qty to Deliver,Qty untuk Menyampaikan
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Buat Entri Penyewaan
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Buat Entri Penyewaan
 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,Operations cannot be left blank,Operasi tidak boleh dibiarkan kosong
@@ -5070,6 +5143,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Nyahpautkan integrasi luaran
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Pilih pembayaran yang sepadan
 DocType: Pricing Rule,Item Code,Kod Item
+DocType: Loan Disbursement,Pending Amount For Disbursal,Pending Amaun Disbursal
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Waranti / AMC Butiran
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Pilih pelajar secara manual untuk Aktiviti berasaskan Kumpulan
@@ -5095,6 +5169,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Jumlah Qty
 DocType: Landed Cost Item,Receipt Document,Dokumen penerimaan
 DocType: Employee Education,School/University,Sekolah / Universiti
+DocType: Loan Security Pledge,Loan  Details,Butiran Pinjaman
 DocType: Sales Invoice Item,Available Qty at Warehouse,Kuantiti didapati di Gudang
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Jumlah dibilkan
 DocType: Share Transfer,(including),(termasuk)
@@ -5118,6 +5193,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Kumpulan
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Kumpulan dengan Akaun
 DocType: Purchase Invoice,Hold Invoice,Pegang Invois
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Status Ikrar
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Sila pilih Pekerja
 DocType: Sales Order,Fully Delivered,Dihantar sepenuhnya
 DocType: Promotional Scheme Price Discount,Min Amount,Jumlah Min
@@ -5127,7 +5203,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Amaun yang dikeluarkan tidak boleh lebih besar daripada Jumlah Pinjaman {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Baris {0} # Jumlah yang diperuntukkan {1} tidak boleh melebihi jumlah yang tidak dituntut {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Membeli nombor Perintah diperlukan untuk Perkara {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Bawa Daun dikirim semula
@@ -5155,6 +5230,7 @@
 DocType: Pick List Item,Serial No and Batch,Serial No dan Batch
 DocType: Warranty Claim,From Company,Daripada Syarikat
 DocType: GSTR 3B Report,January,Januari
+DocType: Loan Repayment,Principal Amount Paid,Jumlah Prinsipal Dibayar
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Markah Kriteria Penilaian perlu {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Sila menetapkan Bilangan penurunan nilai Ditempah
 DocType: Supplier Scorecard Period,Calculations,Pengiraan
@@ -5181,6 +5257,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Mengenai Syarikat anda
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Tunjukkan Data Penuaan Saham
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit Untuk akaun perlu menjadi akaun Kunci Kira-kira
+DocType: Loan Repayment,Penalty Amount,Jumlah Penalti
 DocType: Donor,Donor,Donor
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Kemas kini Cukai untuk Item
 DocType: Global Defaults,Disable In Words,Matikan Dalam Perkataan
@@ -5211,6 +5288,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Pusat Kos dan Belanjawan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Pembukaan Ekuiti Baki
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Entri Dibayar Separa
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Sila tetapkan Jadual Pembayaran
 DocType: Pick List,Items under this warehouse will be suggested,Item di bawah gudang ini akan dicadangkan
 DocType: Purchase Invoice,N,N
@@ -5244,7 +5322,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} tidak dijumpai untuk Item {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nilai mestilah antara {0} dan {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Tunjukkan Cukai Dalam Cetakan Termasuk
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Mesej dihantar
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Akaun dengan nod kanak-kanak tidak boleh ditetapkan sebagai lejar
 DocType: C-Form,II,II
@@ -5258,6 +5335,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Dayakan Perintah Semula Automatik
 DocType: Stock Settings,Item Naming By,Perkara Menamakan Dengan
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Satu lagi Entry Tempoh Penutup {0} telah dibuat selepas {1}
+DocType: Proposed Pledge,Proposed Pledge,Cadangan Ikrar
 DocType: Work Order,Material Transferred for Manufacturing,Bahan Dipindahkan untuk Pembuatan
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Akaun {0} tidak wujud
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Pilih Program Kesetiaan
@@ -5268,7 +5346,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Menetapkan Peristiwa untuk {0}, kerana pekerja yang bertugas di bawah Persons Jualan tidak mempunyai ID Pengguna {1}"
 DocType: Timesheet,Billing Details,Billing Details
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sumber dan sasaran gudang mestilah berbeza
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia&gt; Tetapan HR
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pembayaran gagal. Sila semak Akaun GoCardless anda untuk maklumat lanjut
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Tidak dibenarkan untuk mengemaskini transaksi saham lebih tua daripada {0}
 DocType: Stock Entry,Inspection Required,Pemeriksaan Diperlukan
@@ -5281,6 +5358,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Gudang penghantaran diperlukan untuk item stok {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Berat kasar pakej. Biasanya berat bersih + pembungkusan berat badan yang ketara. (Untuk cetak)
 DocType: Assessment Plan,Program,program
+DocType: Unpledge,Against Pledge,Terhadap Ikrar
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Pengguna dengan peranan ini dibenarkan untuk menetapkan akaun beku dan mencipta / mengubahsuai entri perakaunan terhadap akaun beku
 DocType: Plaid Settings,Plaid Environment,Persekitaran Plaid
 ,Project Billing Summary,Ringkasan Pengebilan Projek
@@ -5333,6 +5411,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,kelompok
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Bilangan pelantikan hari boleh ditempah terlebih dahulu
 DocType: Article,LMS User,Pengguna LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Ikrar Jaminan Pinjaman adalah wajib bagi pinjaman bercagar
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Place Of Supply (Negeri / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Saham UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Pesanan Pembelian {0} tidak dikemukakan
@@ -5408,6 +5487,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Buat Kad Kerja
 DocType: Quotation,Referral Sales Partner,Rakan Jualan Rujukan
 DocType: Quality Procedure Process,Process Description,Penerangan proses
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Tidak boleh Dibatalkan, nilai keselamatan pinjaman lebih besar daripada jumlah yang dibayar"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Pelanggan {0} dibuat.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5428,7 +5508,7 @@
 DocType: Asset,Insurance Details,Butiran Insurance
 DocType: Account,Payable,Kena dibayar
 DocType: Share Balance,Share Type,Jenis Kongsi
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Sila masukkan Tempoh Bayaran Balik
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Sila masukkan Tempoh Bayaran Balik
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Penghutang ({0})
 DocType: Pricing Rule,Margin,margin
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Pelanggan Baru
@@ -5437,6 +5517,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Tukar Profil POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Qty atau Jumlah adalah mandatroy untuk keselamatan pinjaman
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance Tarikh
 DocType: Delivery Settings,Dispatch Notification Template,Templat Pemberitahuan Penghantaran
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Laporan Penilaian
@@ -5472,6 +5553,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Kongsi Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Invois Jualan {0} dibuat
 DocType: Employee,Confirmation Date,Pengesahan Tarikh
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"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: Inpatient Occupancy,Check Out,Semak Keluar
 DocType: C-Form,Total Invoiced Amount,Jumlah Invois
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Qty tidak boleh lebih besar daripada Max Qty
@@ -5485,7 +5568,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID Syarikat Buku Cepat
 DocType: Travel Request,Travel Funding,Pembiayaan Perjalanan
 DocType: Employee Skill,Proficiency,Kemahiran
-DocType: Loan Application,Required by Date,Diperlukan oleh Tarikh
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail Resit Pembelian
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Pautan ke semua Lokasi di mana Tanaman semakin berkembang
 DocType: Lead,Lead Owner,Lead Pemilik
@@ -5504,7 +5586,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM semasa dan New BOM tidak boleh sama
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Slip Gaji ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Tarikh Persaraan mesti lebih besar daripada Tarikh Menyertai
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Pembekal&gt; Jenis Pembekal
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Pelbagai variasi
 DocType: Sales Invoice,Against Income Account,Terhadap Akaun Pendapatan
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Dihantar
@@ -5537,7 +5618,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Caj jenis penilaian tidak boleh ditandakan sebagai Inclusive
 DocType: POS Profile,Update Stock,Update Saham
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Butiran Pembayaran
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Kadar BOM
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Membaca Fail yang Dimuat naik
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Perintah Kerja Berhenti tidak boleh dibatalkan, Unstop terlebih dahulu untuk membatalkannya"
@@ -5573,6 +5654,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Nilai Pinjaman Maksimum
 ,Stock Ledger,Saham Lejar
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain Akaun / Kerugian
 DocType: Amazon MWS Settings,MWS Credentials,Kredensial MWS
@@ -5580,6 +5662,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Tujuan mestilah salah seorang daripada {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Isi borang dan simpannya
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Komuniti Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Tiada Daun yang Dikeluarkan kepada Pekerja: {0} untuk Meninggalkan Jenis: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,qty sebenar dalam stok
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,qty sebenar dalam stok
 DocType: Homepage,"URL for ""All Products""",URL untuk &quot;Semua Produk&quot;
@@ -5682,7 +5765,6 @@
 DocType: Fee Schedule,Fee Schedule,Jadual Bayaran
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Label lajur:
 DocType: Bank Transaction,Settled,Diselesaikan
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Tarikh Pencairan tidak boleh selepas Tarikh Mula Pembayaran Balik Pinjaman
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parameter
 DocType: Company,Create Chart Of Accounts Based On,Buat carta akaun Based On
@@ -5702,6 +5784,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Terma dan Syarat Pembayaran
 DocType: Loyalty Program,Collection Rules,Peraturan Pengumpulan
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Perkara 3
+DocType: Loan Security Shortfall,Shortfall Time,Masa Berkurangan
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Kemasukan Pesanan
 DocType: Purchase Order,Customer Contact Email,Pelanggan Hubungi E-mel
 DocType: Warranty Claim,Item and Warranty Details,Perkara dan Jaminan Maklumat
@@ -5721,12 +5804,14 @@
 DocType: Sales Person,Sales Person Name,Orang Jualan Nama
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Sila masukkan atleast 1 invois dalam jadual di
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Tiada Ujian Lab dibuat
+DocType: Loan Security Shortfall,Security Value ,Nilai Keselamatan
 DocType: POS Item Group,Item Group,Perkara Kumpulan
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Kumpulan Pelajar:
 DocType: Depreciation Schedule,Finance Book Id,Id Buku Kewangan
 DocType: Item,Safety Stock,Saham keselamatan
 DocType: Healthcare Settings,Healthcare Settings,Tetapan Kesihatan
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Jumlah Dikelilingi Daun
+DocType: Appointment Letter,Appointment Letter,Surat temujanji
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Kemajuan% untuk tugas yang tidak boleh lebih daripada 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Sebelum perdamaian
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Untuk {0}
@@ -5782,6 +5867,7 @@
 DocType: Stock Entry,From BOM,Dari BOM
 DocType: Assessment Code,Assessment Code,Kod penilaian
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Asas
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Permohonan Pinjaman dari pelanggan dan pekerja.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transaksi saham sebelum {0} dibekukan
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Sila klik pada &#39;Menjana Jadual&#39;
 DocType: Job Card,Current Time,Masa Semasa
@@ -5808,7 +5894,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Geran
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Tiada Kumpulan Pelajar diwujudkan.
 DocType: Purchase Invoice Item,Serial No,No siri
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Jumlah Pembayaran balik bulanan tidak boleh lebih besar daripada Jumlah Pinjaman
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Jumlah Pembayaran balik bulanan tidak boleh lebih besar daripada Jumlah Pinjaman
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Sila masukkan Maintaince Butiran pertama
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Baris # {0}: Tarikh Penghantaran Yang Diharapkan tidak boleh sebelum Tarikh Pesanan Pembelian
 DocType: Purchase Invoice,Print Language,Cetak Bahasa
@@ -5822,6 +5908,7 @@
 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,All Territories,Semua Wilayah
+DocType: Plaid Settings,development,pembangunan
 DocType: Lost Reason Detail,Lost Reason Detail,Detil Sebab Hilang
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Perintah Selimut Tidak Sah untuk Pelanggan dan Item yang dipilih
@@ -5886,12 +5973,14 @@
 DocType: Staffing Plan Detail,Current Openings,Terbuka semasa
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Aliran Tunai daripada Operasi
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Jumlah CGST
+DocType: Vehicle Log,Current Odometer value ,Nilai semasa odometer
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Buat Pelajar
 DocType: Asset Movement Item,Asset Movement Item,Item Pergerakan Aset
 DocType: Purchase Invoice,Shipping Rule,Peraturan Penghantaran
 DocType: Patient Relation,Spouse,Pasangan suami isteri
 DocType: Lab Test Groups,Add Test,Tambah Ujian
 DocType: Manufacturer,Limited to 12 characters,Terhad kepada 12 aksara
+DocType: Appointment Letter,Closing Notes,Nota Penutupan
 DocType: Journal Entry,Print Heading,Cetak Kepala
 DocType: Quality Action Table,Quality Action Table,Jadual Tindakan Kualiti
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Jumlah tidak boleh sifar
@@ -5959,6 +6048,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Jumlah (AMT)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Sila kenal pasti / buat Akaun (Kumpulan) untuk jenis - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Hiburan &amp; Leisure
+DocType: Loan Security,Loan Security,Keselamatan Pinjaman
 ,Item Variant Details,Butiran Varian Item
 DocType: Quality Inspection,Item Serial No,Item No Serial
 DocType: Payment Request,Is a Subscription,Adakah Langganan
@@ -5971,7 +6061,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Umur terkini
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Tarikh Berjadual dan Diterima tidak boleh kurang dari hari ini
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Pemindahan Bahan kepada Pembekal
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No Siri baru tidak boleh mempunyai Gudang. Gudang mesti digunakan Saham Masuk atau Resit Pembelian
 DocType: Lead,Lead Type,Jenis Lead
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Buat Sebut Harga
@@ -5989,7 +6078,6 @@
 DocType: Leave Allocation,Leave Period,Tempoh Cuti
 DocType: Item,Default Material Request Type,Lalai Bahan Jenis Permintaan
 DocType: Supplier Scorecard,Evaluation Period,Tempoh Penilaian
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Kumpulan Pelanggan&gt; Wilayah
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,tidak diketahui
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Perintah Kerja tidak dibuat
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6075,7 +6163,8 @@
 ,Customer-wise Item Price,Harga item pelanggan-bijak
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Penyata aliran tunai
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Tiada permintaan bahan dibuat
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak boleh melebihi Jumlah Pinjaman maksimum {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak boleh melebihi Jumlah Pinjaman maksimum {0}
+DocType: Loan,Loan Security Pledge,Ikrar Jaminan Pinjaman
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,lesen
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6093,6 +6182,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Skim diskaun harga
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Status Penyelenggaraan perlu Dibatalkan atau Diselesaikan untuk Kirim
 DocType: Amazon MWS Settings,US,AS
+DocType: Loan Security Pledge,Pledged,Dicagar
 DocType: Holiday List,Add Weekly Holidays,Tambah Cuti Mingguan
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Laporkan Perkara
 DocType: Staffing Plan Detail,Vacancies,Kekosongan
@@ -6111,7 +6201,6 @@
 DocType: Production Plan Item,Planned Start Date,Dirancang Tarikh Mula
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Sila pilih BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Mengagumkan ITC Integrated Tax
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Buat Entri Pembayaran Balik
 DocType: Purchase Order Item,Blanket Order Rate,Kadar Perintah Selimut
 ,Customer Ledger Summary,Ringkasan Ledger Pelanggan
 apps/erpnext/erpnext/hooks.py,Certification,Pensijilan
@@ -6132,6 +6221,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Penilaian Templat Tajuk
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Perdagangan
 DocType: Patient,Alcohol Current Use,Penggunaan Semasa Alkohol
+DocType: Loan,Loan Closure Requested,Penutupan Pinjaman yang Diminta
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Jumlah Bayaran Sewa Rumah
 DocType: Student Admission Program,Student Admission Program,Program Kemasukan Pelajar
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Kategori Pengecualian Cukai
@@ -6155,6 +6245,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Jualan
 DocType: Stock Entry Detail,Basic Amount,Jumlah Asas
 DocType: Training Event,Exam,peperiksaan
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Proses Kekurangan Keselamatan Pinjaman Proses
 DocType: Email Campaign,Email Campaign,Kempen E-mel
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Ralat Pasaran
 DocType: Complaint,Complaint,Aduan
@@ -6234,6 +6325,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Hantar ini untuk mencipta rekod Kakitangan
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Harga Sekuriti Pinjaman bertindih dengan {0}
 DocType: Item Default,Item Default,Default Item
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Bekalan Intra-Negeri
 DocType: Chapter Member,Leave Reason,Tinggalkan Sebab
@@ -6261,6 +6353,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Kupon yang digunakan adalah {1}. Kuantiti dibiarkan habis
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Adakah anda ingin mengemukakan permintaan bahan
 DocType: Job Offer,Awaiting Response,Menunggu Response
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Pinjaman wajib
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Di atas
 DocType: Support Search Source,Link Options,Pilihan Pautan
@@ -6273,6 +6366,7 @@
 DocType: Training Event Employee,Optional,Pilihan
 DocType: Salary Slip,Earning & Deduction,Pendapatan &amp; Potongan
 DocType: Agriculture Analysis Criteria,Water Analysis,Analisis Air
+DocType: Pledge,Post Haircut Amount,Jumlah Potongan Rambut
 DocType: Sales Order,Skip Delivery Note,Langkau Nota Penghantaran
 DocType: Price List,Price Not UOM Dependent,Harga tidak bergantung kepada UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} varian dibuat.
@@ -6299,6 +6393,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Dapatkan Item daripada Fail Produk
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Kaedah pembayaran balik adalah wajib untuk pinjaman berjangka
 DocType: Asset,Straight Line,Garis lurus
 DocType: Project User,Project User,projek Pengguna
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Split
@@ -6347,7 +6442,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Peranan Dibenarkan untuk Set Akaun Frozen &amp; Frozen Edit Entri
 DocType: Supplier Scorecard Scoring Variable,Path,Jalan
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Tidak boleh menukar PTJ ke lejar kerana ia mempunyai nod anak
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor penukaran UOM ({0} -&gt; {1}) tidak ditemui untuk item: {2}
 DocType: Production Plan,Total Planned Qty,Jumlah Qty Yang Dirancang
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Urus niaga telah diambil dari kenyataan itu
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nilai pembukaan
@@ -6356,11 +6450,8 @@
 DocType: Material Request Plan Item,Required Quantity,Kuantiti yang Diperlukan
 DocType: Lab Test Template,Lab Test Template,Templat Ujian Lab
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Tempoh Perakaunan bertindih dengan {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Pembekal&gt; Jenis Pembekal
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Akaun Jualan
 DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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: Pick List Item,Pick List Item,Pilih Senarai Item
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Suruhanjaya Jualan
 DocType: Job Offer Term,Value / Description,Nilai / Penerangan
@@ -6407,6 +6498,7 @@
 DocType: Patient Encounter,Encounter Date,Tarikh Pertemuan
 DocType: Work Order,Update Consumed Material Cost In Project,Kemas kini Kos Bahan Terutu dalam Projek
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Akaun: {0} dengan mata wang: {1} tidak boleh dipilih
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Pinjaman yang diberikan kepada pelanggan dan pekerja.
 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
@@ -6475,7 +6567,6 @@
 DocType: Contract,Signed On,Ditandatangani
 DocType: Bank Account,Party Type,Jenis Parti
 DocType: Discounted Invoice,Discounted Invoice,Invois Diskaun
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandatangan kehadiran sebagai <b></b>
 DocType: Payment Schedule,Payment Schedule,Jadual pembayaran
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Tiada Pekerja yang didapati untuk nilai medan pekerja yang diberi. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Singkatan
@@ -6547,6 +6638,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Pemiutang
 DocType: Assessment Plan,Assessment Name,Nama penilaian
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Tiada Serial adalah wajib
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Jumlah {0} diperlukan untuk penutupan Pinjaman
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Perkara Bijaksana Cukai Detail
 DocType: Employee Onboarding,Job Offer,Tawaran pekerjaan
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Singkatan
@@ -6571,7 +6663,6 @@
 DocType: Purchase Order,To Receive,Untuk Menerima
 DocType: Leave Period,Holiday List for Optional Leave,Senarai Percutian untuk Cuti Opsional
 DocType: Item Tax Template,Tax Rates,Kadar cukai
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod Item&gt; Kumpulan Item&gt; Jenama
 DocType: Asset,Asset Owner,Pemilik Aset
 DocType: Item,Website Content,Kandungan Laman Web
 DocType: Bank Account,Integration ID,ID Integrasi
@@ -6587,6 +6678,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Pesanan Sinkron
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Perintah dikeluarkan untuk pengeluaran.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Pilih Tahun Anggaran ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Sila pilih Jenis Pinjaman untuk syarikat {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profil dikehendaki membuat POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6615,6 +6707,7 @@
 DocType: Customer,Mention if non-standard receivable account,Sebut jika akaun belum terima tidak standard
 DocType: Bank,Plaid Access Token,Token Akses Plaid
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Sila tambahkan faedah yang tinggal {0} kepada mana-mana komponen sedia ada
+DocType: Bank Account,Is Default Account,Adakah Akaun Lalai
 DocType: Journal Entry Account,If Income or Expense,Jika Pendapatan atau Perbelanjaan
 DocType: Course Topic,Course Topic,Topik Kursus
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Penetapan Baucar POS alreday wujud untuk {0} antara tarikh {1} dan {2}
@@ -6627,7 +6720,7 @@
 DocType: Disease,Treatment Task,Tugas Rawatan
 DocType: Payment Order Reference,Bank Account Details,Maklumat akaun bank
 DocType: Purchase Order Item,Blanket Order,Perintah Selimut
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Jumlah Bayaran Balik mestilah lebih besar daripada
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Jumlah Bayaran Balik mestilah lebih besar daripada
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Aset Cukai
 DocType: BOM Item,BOM No,BOM Tiada
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Butiran Kemas kini
@@ -6684,6 +6777,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Produk WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Ralat sintaks dalam formula atau keadaan: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Perkara {0} diabaikan kerana ia bukan satu perkara saham
+,Loan Security Status,Status Keselamatan Pinjaman
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Tidak memohon Peraturan Harga dalam transaksi tertentu, semua Peraturan Harga berkenaan perlu dimatikan."
 DocType: Payment Term,Day(s) after the end of the invoice month,Hari selepas akhir bulan invois
 DocType: Assessment Group,Parent Assessment Group,Persatuan Ibu Bapa Penilaian
@@ -6698,7 +6792,6 @@
 DocType: Stock Entry Detail,Additional Cost,Kos tambahan
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Tidak boleh menapis berdasarkan Baucer Tidak, jika dikumpulkan oleh Baucar"
 DocType: Quality Inspection,Incoming,Masuk
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan&gt; Penomboran Siri
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Templat cukai lalai untuk jualan dan pembelian dicipta.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Rekod Keputusan Penilaian {0} sudah wujud.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Contoh: ABCD. #####. Jika siri ditetapkan dan No Batch tidak disebutkan dalam urus niaga, maka nombor batch automatik akan dibuat berdasarkan siri ini. Sekiranya anda sentiasa ingin menyatakan secara terperinci Batch No untuk item ini, biarkan kosong ini. Nota: tetapan ini akan diberi keutamaan di atas Prefix Prefix Prefix dalam Tetapan Stok."
@@ -6709,8 +6802,10 @@
 DocType: Contract,Party User,Pengguna Parti
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Aset tidak dibuat untuk <b>{0}</b> . Anda perlu membuat aset secara manual.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Sila tetapkan Syarikat menapis kosong jika Group By adalah &#39;Syarikat&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Kumpulan Pelanggan&gt; Wilayah
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posting Tarikh tidak boleh tarikh masa depan
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: No Siri {1} tidak sepadan dengan {2} {3}
+DocType: Loan Repayment,Interest Payable,Faedah yang Dibayar
 DocType: Stock Entry,Target Warehouse Address,Alamat Gudang Sasaran
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Cuti kasual
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Masa sebelum waktu mula peralihan semasa Pemeriksaan Kakitangan dianggap untuk kehadiran.
@@ -6839,6 +6934,7 @@
 DocType: Issue,Reset Service Level Agreement,Tetapkan semula Perjanjian Tahap Perkhidmatan
 ,Sales Person-wise Transaction Summary,Jualan Orang-bijak Transaksi Ringkasan
 DocType: Training Event,Contact Number,Nombor telefon
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Amaun Pinjaman adalah wajib
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6887,6 +6983,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Baki Kuantiti
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Syarat akan digunakan pada semua item yang dipilih digabungkan.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Matlamat tidak boleh kosong
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Gudang yang tidak betul
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Mendaftar pelajar
 DocType: Item Group,Parent Item Group,Ibu Bapa Item Kumpulan
 DocType: Appointment Type,Appointment Type,Jenis Pelantikan
@@ -6942,10 +7039,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Kadar purata
 DocType: Appointment,Appointment With,Pelantikan Dengan
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Amaun Pembayaran dalam Jadual Pembayaran mestilah sama dengan Jumlah Besar / Bulat
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandatangan kehadiran sebagai <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Item yang Dibekalkan Pelanggan&quot; tidak boleh mempunyai Kadar Penilaian
 DocType: Subscription Plan Detail,Plan,Rancang
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Baki Penyata Bank seperti Lejar Am
-DocType: Job Applicant,Applicant Name,Nama pemohon
+DocType: Appointment Letter,Applicant Name,Nama pemohon
 DocType: Authorization Rule,Customer / Item Name,Pelanggan / Nama Item
 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**. 
 
@@ -6989,11 +7087,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Pengagihan
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Status pekerja tidak boleh ditetapkan ke &#39;Kiri&#39; kerana pekerja berikut melaporkan kepada pekerja ini:
-DocType: Journal Entry Account,Loan,Pinjaman
+DocType: Loan Repayment,Amount Paid,Amaun Dibayar
+DocType: Loan Security Shortfall,Loan,Pinjaman
 DocType: Expense Claim Advance,Expense Claim Advance,Pendahuluan Tuntutan Perbelanjaan
 DocType: Lab Test,Report Preference,Laporkan Keutamaan
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Maklumat sukarela.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Pengurus Projek
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Kumpulan Oleh Pelanggan
 ,Quoted Item Comparison,Perkara dipetik Perbandingan
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Tumpuan dalam pemarkahan antara {0} dan {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Dispatch
@@ -7013,6 +7113,7 @@
 DocType: Material Request Plan Item,Material Issue,Isu Bahan
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Item percuma tidak ditetapkan dalam peraturan harga {0}
 DocType: Employee Education,Qualification,Kelayakan
+DocType: Loan Security Shortfall,Loan Security Shortfall,Kekurangan Keselamatan Pinjaman
 DocType: Item Price,Item Price,Perkara Harga
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabun &amp; Detergen
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Pekerja {0} tidak tergolong dalam syarikat {1}
@@ -7035,6 +7136,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Butiran Pelantikan
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produk siap
 DocType: Warehouse,Warehouse Name,Nama Gudang
+DocType: Loan Security Pledge,Pledge Time,Masa Ikrar
 DocType: Naming Series,Select Transaction,Pilih Transaksi
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Sila masukkan Meluluskan Peranan atau Meluluskan pengguna
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Perjanjian Tahap Perkhidmatan dengan Entiti Jenis {0} dan Entiti {1} sudah wujud.
@@ -7042,7 +7144,6 @@
 DocType: BOM,Rate Of Materials Based On,Kadar Bahan Based On
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Sekiranya diaktifkan, Tempoh Akademik bidang akan Dikenakan dalam Alat Pendaftaran Program."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Nilai-nilai yang dikecualikan, tidak diberi nilai dan bekalan masuk bukan CBP"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Pelanggan&gt; Kumpulan Pelanggan&gt; Wilayah
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Syarikat</b> adalah penapis mandatori.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Nyahtanda semua
 DocType: Purchase Taxes and Charges,On Item Quantity,Pada Kuantiti Item
@@ -7088,7 +7189,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Kekurangan Qty
 DocType: Purchase Invoice,Input Service Distributor,Pengedar Perkhidmatan Input
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Varian item {0} wujud dengan ciri yang sama
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Sila persediaan Sistem Penamaan Pengajar dalam Pendidikan&gt; Tetapan Pendidikan
 DocType: Loan,Repay from Salary,Membayar balik dari Gaji
 DocType: Exotel Settings,API Token,Token API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Meminta pembayaran daripada {0} {1} untuk jumlah {2}
@@ -7108,6 +7208,7 @@
 DocType: Salary Slip,Total Interest Amount,Jumlah Jumlah Faedah
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Tidak melengkapkan
 DocType: Accounts Settings,Stale Days,Hari Stale
 DocType: Travel Itinerary,Arrival Datetime,Tarikh Dataran Ketibaan
 DocType: Tax Rule,Billing Zipcode,Kod Zip Penagihan
@@ -7294,6 +7395,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Jam
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Pelantikan baru telah dibuat untuk anda dengan {0}
 DocType: Project,Expected Start Date,Jangkaan Tarikh Mula
+DocType: Work Order,This is a location where raw materials are available.,Ini adalah lokasi di mana bahan mentah tersedia.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Pembetulan dalam Invois
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Perintah Kerja sudah dibuat untuk semua item dengan BOM
 DocType: Bank Account,Party Details,Butiran Parti
@@ -7312,6 +7414,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Sebutharga:
 DocType: Contract,Partially Fulfilled,Sebahagian Sepenuhnya
 DocType: Maintenance Visit,Fully Completed,Siap Sepenuhnya
+DocType: Loan Security,Loan Security Name,Nama Sekuriti Pinjaman
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Watak Khas kecuali &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Dan &quot;}&quot; tidak dibenarkan dalam siri penamaan"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Tidak diberi nilai atau dikecualikan
 DocType: Employee,Educational Qualification,Kelayakan pendidikan
@@ -7369,6 +7472,7 @@
 DocType: Program,Is Featured,Disediakan
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Mengambil ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Pengguna Pertanian
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Sah sehingga tarikh tidak boleh dibuat sebelum tarikh urus niaga
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7446,8 +7550,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Pekerja {0} ada di Cuti di {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Tiada bayaran balik yang dipilih untuk Kemasukan Jurnal
 DocType: Purchase Invoice,GST Category,Kategori CBP
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Cadangan Ikrar adalah wajib bagi Pinjaman bercagar
 DocType: Payment Reconciliation,From Invoice Date,Dari Invois Tarikh
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Belanjawan
 DocType: Invoice Discounting,Disbursed,Dibelanjakan
@@ -7505,14 +7609,13 @@
 DocType: Restaurant,Active Menu,Menu Aktif
 DocType: Accounting Dimension Detail,Default Dimension,Dimensi lalai
 DocType: Target Detail,Target Qty,Sasaran Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Terhadap Pinjaman: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Tetapan Checkout
 DocType: Student Attendance,Present,Hadir
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Penghantaran Nota {0} tidak boleh dikemukakan
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Slip gaji yang diemail kepada pekerja akan dilindungi kata laluan, kata laluan akan dihasilkan berdasarkan dasar kata laluan."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,odometer
 DocType: Production Plan Item,Ordered Qty,Mengarahkan Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Perkara {0} dilumpuhkan
 DocType: Stock Settings,Stock Frozen Upto,Saham beku Upto
@@ -7571,7 +7674,6 @@
 DocType: Serial No,Delivery Document Type,Penghantaran Dokumen Jenis
 DocType: Sales Order,Partly Delivered,Sebahagiannya Dihantar
 DocType: Item Variant Settings,Do not update variants on save,Jangan mengemas kini variasi semasa menyimpan
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Kumpulan Custmer
 DocType: Email Digest,Receivables,Penghutang
 DocType: Lead Source,Lead Source,Lead Source
 DocType: Customer,Additional information regarding the customer.,Maklumat tambahan mengenai pelanggan.
@@ -7669,6 +7771,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Sebenar
 DocType: Appointment,Skype ID,ID Skype
 DocType: Restaurant Menu,Restaurant Manager,Pengurus restoran
+DocType: Loan,Penalty Income Account,Akaun Pendapatan Penalti
 DocType: Call Log,Call Log,Log panggilan
 DocType: Authorization Rule,Customerwise Discount,Customerwise Diskaun
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet untuk tugas-tugas.
@@ -7757,6 +7860,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Skim diskaun produk
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Tiada masalah telah dibangkitkan oleh pemanggil.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Kumpulan Oleh Pembekal
 DocType: Restaurant Reservation,Waitlisted,Ditandati
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategori Pengecualian
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7767,7 +7871,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Berdasarkan senarai harga
 DocType: Customer Group,Parent Customer Group,Ibu Bapa Kumpulan Pelanggan
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Bil JSON e-Way hanya boleh dihasilkan daripada Invois Jualan
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Percubaan maksimum untuk kuiz ini telah dicapai!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Langganan
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Penciptaan Kos Penangguhan
@@ -7785,6 +7888,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Penyelenggaraan pencegahan
 DocType: Delivery Note Item,Against Sales Invoice,Terhadap Invois Jualan
 DocType: Purchase Invoice,07-Others,07-Lain-lain
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Jumlah Sebut Harga
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Sila masukkan nombor siri untuk item bersiri
 DocType: Bin,Reserved Qty for Production,Cipta Terpelihara Kuantiti untuk Pengeluaran
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Biarkan tak bertanda jika anda tidak mahu mempertimbangkan kumpulan semasa membuat kumpulan kursus berasaskan.
@@ -7896,6 +8000,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Pembayaran Penerimaan Nota
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Buat Permintaan Bahan
+DocType: Loan Interest Accrual,Pending Principal Amount,Jumlah Prinsipal yang belum selesai
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Tarikh mula dan tamat tidak dalam Tempoh Penggajian yang sah, tidak dapat mengira {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7939,6 +8044,7 @@
 											to fullfill Sales Order {2}",Tidak boleh menghantar Serial No {0} dari item {1} kerana ia terpelihara \ untuk memenuhi Perintah Jualan {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Sebutharga Pembekal {0} dicipta
+DocType: Loan Security Unpledge,Unpledge Type,Jenis Unpledge
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Akhir Tahun tidak boleh sebelum Start Tahun
 DocType: Employee Benefit Application,Employee Benefits,Manfaat Pekerja
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID pekerja
@@ -8021,6 +8127,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kod Kursus:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Sila masukkan Akaun Perbelanjaan
 DocType: Quality Action Resolution,Problem,Masalah
+DocType: Loan Security Type,Loan To Value Ratio,Nisbah Pinjaman kepada Nilai
 DocType: Account,Stock,Saham
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8038,6 +8145,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Penyertaan Transaksi Penyata Bank
 DocType: Sales Invoice Item,Discount and Margin,Diskaun dan Margin
 DocType: Lab Test,Prescription,Preskripsi
+DocType: Process Loan Security Shortfall,Update Time,Kemas kini Masa
 DocType: Import Supplier Invoice,Upload XML Invoices,Muat Invois XML
 DocType: Company,Default Deferred Revenue Account,Akaun Hasil Tertunda lalai
 DocType: Project,Second Email,E-mel Kedua
@@ -8051,7 +8159,7 @@
 DocType: Quality Action,Preventive,Pencegahan
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Bekalan dibuat kepada Orang Tidak Diketahui
 DocType: Company,Date of Incorporation,Tarikh diperbadankan
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Jumlah Cukai
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Jumlah Cukai
 DocType: Manufacturing Settings,Default Scrap Warehouse,Warehouse Scrap Default
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Harga Belian Terakhir
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Untuk Kuantiti (Dikilangkan Qty) adalah wajib
@@ -8070,6 +8178,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Tetapkan cara lalai pembayaran
 DocType: Stock Entry Detail,Against Stock Entry,Terhadap Penyertaan Saham
 DocType: Grant Application,Withdrawn,Ditarik balik
+DocType: Loan Repayment,Regular Payment,Pembayaran tetap
 DocType: Support Search Source,Support Search Source,Sumber Carian Sokongan
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Margin kasar%
@@ -8083,8 +8192,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Tanpa Bayaran Cukai
 DocType: BOM Operation,BOM Operation,BOM Operasi
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Pada Row Jumlah Sebelumnya
+DocType: Student,Home Address,Alamat rumah
 DocType: Options,Is Correct,Betul
 DocType: Item,Has Expiry Date,Telah Tarikh Luput
+DocType: Loan Repayment,Paid Accrual Entries,Penyertaan Accrual yang Dibayar
+DocType: Loan Security,Loan Security Type,Jenis Keselamatan Pinjaman
 apps/erpnext/erpnext/config/support.py,Issue Type.,Jenis Terbitan.
 DocType: POS Profile,POS Profile,POS Profil
 DocType: Training Event,Event Name,Nama event
@@ -8096,6 +8208,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Bermusim untuk menetapkan belanjawan, sasaran dan lain-lain"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Tiada nilai
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nama Variabel
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Pilih Akaun Bank untuk mendamaikan.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Perkara {0} adalah template, sila pilih salah satu daripada variannya"
 DocType: Purchase Invoice Item,Deferred Expense,Perbelanjaan Tertunda
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Kembali ke Mesej
@@ -8147,7 +8260,6 @@
 DocType: GL Entry,To Rename,Untuk Namakan semula
 DocType: Stock Entry,Repack,Membungkus semula
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Pilih untuk menambah Nombor Serial.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Sila persediaan Sistem Penamaan Pengajar dalam Pendidikan&gt; Tetapan Pendidikan
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Sila tetapkan Kod Fiskal untuk &#39;% s&#39; pelanggan
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Sila pilih Syarikat terlebih dahulu
 DocType: Item Attribute,Numeric Values,Nilai-nilai berangka
@@ -8171,6 +8283,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Ambil berdasarkan FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Akar tidak boleh diedit.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Nilai Jaminan Pinjaman
 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
@@ -8217,6 +8330,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Sila pilih Kategori pertama
 apps/erpnext/erpnext/config/projects.py,Project master.,Induk projek.
 DocType: Contract,Contract Terms,Terma Kontrak
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Had jumlah yang disyorkan
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Teruskan Konfigurasi
 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,Maximum benefit amount of component {0} exceeds {1},Jumlah faedah maksimum komponen {0} melebihi {1}
@@ -8249,6 +8363,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Lihat log panggilan
 DocType: BOM Operation,Operating Cost(Company Currency),Kos operasi (Syarikat Mata Wang)
 DocType: Loan Application,Rate of Interest,Kadar faedah
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Ikrar Jaminan Pinjaman yang telah dijanjikan terhadap pinjaman {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Jumlah dibenarkan
 DocType: Item,Shelf Life In Days,Shelf Life In Days
 DocType: GL Entry,Is Opening,Adalah Membuka
@@ -8262,3 +8377,4 @@
 DocType: Account,Cash,Tunai
 DocType: Sales Invoice,Unpaid and Discounted,Tidak dibayar dan Diskaun
 DocType: Employee,Short biography for website and other publications.,Biografi ringkas untuk laman web dan penerbitan lain.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Baris # {0}: Tidak boleh memilih Gudang Pembekal sementara membekalkan bahan mentah kepada subkontraktor
diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv
index 73cec59..dbc7416 100644
--- a/erpnext/translations/my.csv
+++ b/erpnext/translations/my.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,အခွင့်အလမ်းပျောက်ဆုံးသွားသောအကြောင်းရင်း
 DocType: Patient Appointment,Check availability,check ရရှိနိုင်မှု
 DocType: Retention Bonus,Bonus Payment Date,အပိုဆုငွေပေးချေမှုရမည့်နေ့စွဲ
-DocType: Employee,Job Applicant,ယောဘသည်လျှောက်ထားသူ
+DocType: Appointment Letter,Job Applicant,ယောဘသည်လျှောက်ထားသူ
 DocType: Job Card,Total Time in Mins,မိနစ်များတွင်စုစုပေါင်းအချိန်
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ဒီပေးသွင်းဆန့်ကျင်ငွေကြေးလွှဲပြောင်းမှုမှာအပေါ်အခြေခံသည်။ အသေးစိတျအဘို့ကိုအောက်တွင်အချိန်ဇယားကိုကြည့်ပါ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,လုပ်ငန်းခွင်အမိန့်သည် Overproduction ရာခိုင်နှုန်း
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,ဆက်သွယ်ရန်အချက်အလက်
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ဘာမှရှာရန် ...
 ,Stock and Account Value Comparison,စတော့အိတ်နှင့် Account Value ကိုနှိုင်းယှဉ်
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,ထုတ်ပေးထားသောငွေပမာဏသည်ချေးငွေထက်မကြီးနိုင်ပါ
 DocType: Company,Phone No,Phone များမရှိပါ
 DocType: Delivery Trip,Initial Email Notification Sent,Sent ကနဦးအီးမေးလ်သတိပေးချက်
 DocType: Bank Statement Settings,Statement Header Mapping,ဖော်ပြချက် Header ကိုပုံထုတ်ခြင်း
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,စိတ်ဝင်စား
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,ဖွင့်ပွဲ
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program ကို:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Time From Valid သည် Upto Time ထက်နည်းရမည်။
 DocType: Item,Copy From Item Group,Item အုပ်စု မှစ. မိတ္တူ
 DocType: Journal Entry,Opening Entry,Entry &#39;ဖွင့်လှစ်
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,အကောင့်သာလျှင် Pay
@@ -338,6 +340,7 @@
 DocType: Student,B-,ပါဘူးရှငျ
 DocType: Assessment Result,Grade,grade
 DocType: Restaurant Table,No of Seats,ထိုင်ခုံ၏အဘယ်သူမျှမ
+DocType: Loan Type,Grace Period in Days,နေ့ရက်ကာလ၌ကျေးဇူးတော်ရှိစေသတည်းကာလ
 DocType: Sales Invoice,Overdue and Discounted,ရက်လွန်နှင့်စျေးလျှော့
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},ပိုင်ဆိုင်မှု {0} သည်အုပ်ထိန်းသူနှင့်မသက်ဆိုင် {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ခေါ်ရန်အဆက်ပြတ်နေ
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,သတ်မှတ်ထားသည့်လုပ်ထုံးလုပ်နည်းများ
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,သာ POS ပြရန်
 DocType: Supplier Group,Supplier Group Name,ပေးသွင်း Group မှအမည်
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,အဖြစ်တက်ရောက်သူမှတ်သားပါ <b></b>
 DocType: Driver,Driving License Categories,လိုင်စင်အုပ်စုများမောင်းနှင်
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Delivery နေ့စွဲကိုရိုက်ထည့်ပေးပါ
 DocType: Depreciation Schedule,Make Depreciation Entry,တန်ဖိုး Entry &#39;Make
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ထိုစစ်ဆင်ရေး၏အသေးစိတျထုတျဆောင်သွားကြ၏။
 DocType: Asset Maintenance Log,Maintenance Status,ပြုပြင်ထိန်းသိမ်းမှုနဲ့ Status
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Value ကိုအတွက်ပါဝငျ item အခွန်ပမာဏ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,ချေးငွေလုံခြုံရေး Unpledge
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,အသင်းဝင်အသေးစိတ်
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ပေးသွင်းပေးချေအကောင့် {2} ဆန့်ကျင်လိုအပ်ပါသည်
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,ပစ္စည်းများနှင့်စျေးနှုန်းများ
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},စုစုပေါင်းနာရီ: {0}
+DocType: Loan,Loan Manager,ချေးငွေမန်နေဂျာ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},နေ့စွဲကနေဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွင်းတွင်သာဖြစ်သင့်သည်။ နေ့စွဲ မှစ. ယူဆ = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,ဆဆ-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,အကြား
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',&#39;&#39; အချိန်အထဲ &#39;&#39; ကနေတဆင့် Updated
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ဖောက်သည်သို့မဟုတ်ပေးသွင်းရွေးချယ်ပါ။
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,File in the Country Code သည်စနစ်အတွင်းသတ်မှတ်ထားသည့်နိုင်ငံ၏ကုဒ်နှင့်မကိုက်ညီပါ
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},အကောင့်ကို {0} ကုမ္ပဏီ {1} ပိုင်ပါဘူး
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ပုံမှန်အဖြစ်တစ်ဦးတည်းသာဦးစားပေးရွေးချယ်ပါ။
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ကြိုတင်မဲငွေပမာဏ {0} {1} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","အချိန် slot က {0} {1} {3} မှ {2} slot က exisiting ထပ်ငှါ, slot က skiped"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Leave Blocked
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},item {0} {1} အပေါ်အသက်၏အဆုံးရောက်ရှိခဲ့သည်
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ဘဏ်မှ Entries
-DocType: Customer,Is Internal Customer,ပြည်တွင်းဖောက်သည် Is
+DocType: Sales Invoice,Is Internal Customer,ပြည်တွင်းဖောက်သည် Is
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,အရောင်းပြေစာမရှိ
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,material တောင်းဆိုခြင်း
 DocType: Bank Reconciliation,Update Clearance Date,Update ကိုရှင်းလင်းရေးနေ့စွဲ
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,bundle ကိုအရည်အတွက်
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,လျှောက်လွှာကိုအတည်ပြုသည်အထိချေးငွေကို ဖန်တီး၍ မရပါ
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,စုစုပေါင်းကျောင်းအုပ်ကြီးငွေပမာဏ
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,မှန်ကန်သော
 DocType: Student Guardian,Mother,မိခင်
 DocType: Restaurant Reservation,Reservation End Time,reservation အဆုံးအချိန်
+DocType: Salary Slip Loan,Loan Repayment Entry,ချေးငွေပြန်ပေးရေး Entry
 DocType: Crop,Biennial,နှစ်နှစ်တကြိမ်
 ,BOM Variance Report,BOM ကှဲလှဲအစီရင်ခံစာ
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Customer များအနေဖြင့်အတည်ပြုပြောဆိုသည်အမိန့်။
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} ထူးချွန်ပမာဏ {2} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျဆန့်ကျင်ငွေပေးချေမှုရမည့်
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,အားလုံးကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုယူနစ်
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,အခွင့်အလမ်းအဖြစ်ပြောင်းလဲတွင်
+DocType: Loan,Total Principal Paid,စုစုပေါင်းကျောင်းအုပ်ကြီး Paid
 DocType: Bank Account,Address HTML,လိပ်စာက HTML
 DocType: Lead,Mobile No.,မိုဘိုင်းလ်အမှတ်
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,ငွေပေးချေ၏ Mode ကို
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,အခြေစိုက်စခန်းငွေကြေးခုနှစ်တွင် balance
 DocType: Supplier Scorecard Scoring Standing,Max Grade,မက်စ်အဆင့်
 DocType: Email Digest,New Quotations,နယူးကိုးကားချက်များ
+DocType: Loan Interest Accrual,Loan Interest Accrual,ချေးငွေအတိုးနှုန်းတိုးပွားလာ
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,တက်ရောက်သူ {0} ခွင့်အပေါ် {1} အဖြစ်များအတွက်တင်သွင်းမဟုတ်ပါဘူး။
 DocType: Journal Entry,Payment Order,ငွေပေးချေမှုရမည့်အမိန့်
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,အီးမေးလ်ကိုအတည်ပြုပါ
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,အခြားသတင်းရပ်ကွက်များ မှစ. ဝင်ငွေခွန်
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","အလွတ်ထားလျှင်, မိဘဂိုဒေါင်အကောင့်သို့မဟုတ်ကုမ္ပဏီ default အနေနဲ့ထည့်သွင်းစဉ်းစားလိမ့်မည်"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ထမ်းရွေးချယ်နှစ်သက်သောအီးမေးလ်ကိုအပေါ်အခြေခံပြီးန်ထမ်းရန်အီးမေးလ်များကိုလစာစလစ်
+DocType: Work Order,This is a location where operations are executed.,ဤသည်စစ်ဆင်ရေးကွပ်မျက်ခံရရှိရာတည်နေရာတစ်ခုဖြစ်သည်။
 DocType: Tax Rule,Shipping County,သဘောင်္တင်ခတီ
 DocType: Currency Exchange,For Selling,ရောင်းချခြင်းများအတွက်
 apps/erpnext/erpnext/config/desktop.py,Learn,Learn
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,လျှောက်ထားကူပွန် Code ကို
 DocType: Asset,Next Depreciation Date,Next ကိုတန်ဖိုးနေ့စွဲ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,ထမ်းနှုန်းဖြင့်လုပ်ဆောင်ချက်ကုန်ကျစရိတ်
+DocType: Loan Security,Haircut %,ဆံပင်ပုံပုံ%
 DocType: Accounts Settings,Settings for Accounts,ငွေစာရင်းသည် Settings ကို
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},ပေးသွင်းငွေတောင်းခံလွှာဘယ်သူမျှမကအရစ်ကျငွေတောင်းခံလွှာ {0} အတွက်တည်ရှိ
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,အရောင်းပုဂ္ဂိုလ် Tree Manage ။
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{} အပေါ်ဟိုတယ်အခန်းနှုန်းသတ်မှတ်ပေးပါ
 DocType: Journal Entry,Multi Currency,multi ငွေကြေးစနစ်
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ကုန်ပို့လွှာ Type
+DocType: Loan,Loan Security Details,ချေးငွေလုံခြုံရေးအသေးစိတ်
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,နေ့စွဲကနေသက်တမ်းရှိသည့်ရက်စွဲနူန်းကျော်ကျော်တရားဝင်ထက်လျော့နည်းဖြစ်ရမည်
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},{0} ပွနျလညျသငျ့မွစဉ်ခြွင်းချက်ဖြစ်ပွားခဲ့သည်
 DocType: Purchase Invoice,Set Accepted Warehouse,set လက်ခံခဲ့သည်ဂိုဒေါင်
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Lab ကစမ်းသပ်အတည်ပြုချက်လိုအပ်
 DocType: Attendance,Working Hours,အလုပ်လုပ်နာရီ
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ထူးချွန်စုစုပေါင်း
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM ပြောင်းလဲမှုအချက် ({0} -&gt; {1}) ကိုရှာမတွေ့ပါ။ {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ရှိပြီးသားစီးရီး၏စတင်ကာ / လက်ရှိ sequence number ကိုပြောင်းပါ။
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ရာခိုင်နှုန်းသငျသညျအမိန့်ပမာဏကိုဆန့်ကျင်ပိုပြီးလှာခွင့်ပြုခဲ့ရသည်။ ဥပမာ: 10% ပြီးနောက်သင် $ 110 အဘို့အလှာခွင့်ပြုခဲ့ကြသည်အဖြစ်အမိန့်တန်ဖိုးကိုသည်ဆိုပါကတစ်ဦးကို item နှင့်သည်းခံစိတ်များအတွက် $ 100 အထိသတ်မှတ်ထားသည်။
 DocType: Dosage Strength,Strength,ခွန်အား
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,မော်တော်ယာဉ်နေ့စွဲ
 DocType: Campaign Email Schedule,Campaign Email Schedule,ကင်ပိန်းအီးမေးလ်ဇယား
 DocType: Student Log,Medical,ဆေးဘက်ဆိုင်ရာ
+DocType: Work Order,This is a location where scraped materials are stored.,ဤသည်ခြစ်ပစ္စည်းများသိမ်းဆည်းထားရာနေရာတစ်ခုဖြစ်ပါသည်။
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,မူးယစ်ဆေးကို select ပေးပါ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,ခဲပိုင်ရှင်အခဲအဖြစ်အတူတူပင်မဖွစျနိုငျ
 DocType: Announcement,Receiver,receiver
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,ပြင်ပယာဉ်မောင်းများအတွက်သက်ဆိုင်သော
 DocType: Sales Order Item,Used for Production Plan,ထုတ်လုပ်ရေးစီမံကိန်းအတွက်အသုံးပြု
 DocType: BOM,Total Cost (Company Currency),စုစုပေါင်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်)
-DocType: Loan,Total Payment,စုစုပေါင်းငွေပေးချေမှုရမည့်
+DocType: Repayment Schedule,Total Payment,စုစုပေါင်းငွေပေးချေမှုရမည့်
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,စာတိုက်ပြီးသားအားလုံးအရောင်းအမိန့်ပစ္စည်းများဖန်တီး
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,အရစ်ကျမိန့်သတိပေး
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,နေ့စွဲကနေငှား
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Build ဖို့လုံလောက်တဲ့အစိတ်အပိုင်းများ
+DocType: Loan Security,Loan Security Code,ချေးငွေလုံခြုံရေး Code ကို
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,ပထမဦးဆုံးကိုကယ်တင်ပေးပါ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ပစ္စည်းများနှင့်ဆက်စပ်သောသောကုန်ကြမ်းဆွဲထုတ်ရန်လိုအပ်သည်။
 DocType: POS Profile User,POS Profile User,POS ကိုယ်ရေးဖိုင်အသုံးပြုသူ
@@ -976,6 +989,7 @@
 DocType: Patient,Risk Factors,စွန့်စားမှုအချက်များ
 DocType: Patient,Occupational Hazards and Environmental Factors,အလုပ်အကိုင်ဘေးအန္တရာယ်နှင့်သဘာဝပတ်ဝန်းကျင်အချက်များ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ပြီးသားသူ Work Order များအတွက် created စတော့အိတ် Entries
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ပစ္စည်းကုဒ်&gt; ပစ္စည်းအုပ်စု&gt; ကုန်အမှတ်တံဆိပ်
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,အတိတ်အမိန့်ကိုကြည့်ပါ
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} စကားစမြည်
 DocType: Vital Signs,Respiratory rate,အသက်ရှူလမ်းကြောင်းဆိုင်ရာမှုနှုန်း
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,ကုမ္ပဏီငွေကြေးကိစ္စရှင်းလင်းမှု Delete
 DocType: Production Plan Item,Quantity and Description,အရေအတွက်နှင့်ဖျေါပွခကျြ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,ကိုးကားစရာအဘယ်သူမျှမနှင့်ကိုးကားစရာနေ့စွဲဘဏ်မှငွေပေးငွေယူဘို့မဖြစ်မနေဖြစ်ပါသည်
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ကျေးဇူးပြု၍ Setup&gt; Settings&gt; Naming Series မှ {0} အတွက် Naming Series ကိုသတ်မှတ်ပါ
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ Edit ကိုအခွန်နှင့်စွပ်စွဲချက် Add
 DocType: Payment Entry Reference,Supplier Invoice No,ပေးသွင်းပြေစာမရှိ
 DocType: Territory,For reference,ကိုးကားနိုင်ရန်
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,အခွန်နှိမ်အကောင့်
 DocType: Pricing Rule,Sales Partner,အရောင်း Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,အားလုံးပေးသွင်း scorecards ။
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,မှာယူမည့်ငွေပမာဏ
+DocType: Loan,Disbursed Amount,ထုတ်ပေးငွေပမာဏ
 DocType: Buying Settings,Purchase Receipt Required,ဝယ်ယူခြင်း Receipt လိုအပ်သော
 DocType: Sales Invoice,Rail,လက်ရန်းတန်း
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,အမှန်တကယ်ကုန်ကျစရိတ်
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks ချိတ်ဆက်ထားပြီး
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},ဖော်ထုတ်ရန် / အမျိုးအစားများအတွက်အကောင့် (Ledger) ဖန်တီးပါ - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,ပေးဆောင်ရမည့်အကောင့်
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,ငွေပေးချေမှု entries တွေကိုရရန်အကောင့်မဖြစ်မနေဖြစ်ပါတယ်
 DocType: Payment Entry,Type of Payment,ငွေပေးချေမှုရမည့်အမျိုးအစား
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ဝက်နေ့နေ့စွဲမဖြစ်မနေဖြစ်ပါသည်
 DocType: Sales Order,Billing and Delivery Status,ငွေတောင်းခံနှင့်ပေးပို့ခြင်းနဲ့ Status
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,Bill Amt
 DocType: Training Result Employee,Training Result Employee,လေ့ကျင့်ရေးရလဒ်ထမ်း
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,စတော့ရှယ်ယာ entries တွေကိုဖန်ဆင်းထားတဲ့ဆန့်ကျင်နေတဲ့ယုတ္တိဂိုဒေါင်။
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,ကျောင်းအုပ်ကြီးငွေပမာဏ
+DocType: Repayment Schedule,Principal Amount,ကျောင်းအုပ်ကြီးငွေပမာဏ
 DocType: Loan Application,Total Payable Interest,စုစုပေါင်းပေးရန်စိတ်ဝင်စားမှု
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ထူးချွန်စုစုပေါင်း: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,ပွင့်လင်းဆက်သွယ်ပါ
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,အမှား Update လုပ်တဲ့လုပ်ငန်းစဉ်အတွင်းဖြစ်ပွားခဲ့သည်
 DocType: Restaurant Reservation,Restaurant Reservation,စားသောက်ဆိုင် Reservation များ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,သင့်ရဲ့ပစ္စည်းများ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ပေးသွင်းသူ&gt; ပေးသွင်းသူအမျိုးအစား
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,အဆိုပြုချက်ကို Writing
 DocType: Payment Entry Deduction,Payment Entry Deduction,ငွေပေးချေမှုရမည့် Entry ထုတ်ယူ
 DocType: Service Level Priority,Service Level Priority,ဝန်ဆောင်မှုအဆင့်ဦးစားပေး
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Creating ကျောင်းသားအုပ်စုများ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Creating ကျောင်းသားအုပ်စုများ
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ဖန်တီးမပေးချေမှု Gateway ရဲ့အကောင့်ကို, ကို manually တဦးတည်းဖန်တီးပါ။"
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Group Warehouses များကိုအရောင်းအ ၀ ယ်များတွင်အသုံးမပြုပါ။ {0} ၏တန်ဖိုးကိုပြောင်းပေးပါ။
 DocType: Supplier Scorecard,Per Year,တစ်နှစ်လျှင်
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,DOB နှုန်းအတိုင်းဤအစီအစဉ်ကိုအတွက်ဝန်ခံချက်များအတွက်သတ်မှတ်ချက်မပြည့်မီ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Row # {0} - ဝယ်သူအမိန့်ပေးအပ်ထားသည့်ပစ္စည်း {1} ကိုမဖျက်နိုင်ပါ။
@@ -1289,7 +1307,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","ကလေးကကုမ္ပဏီ {0}, မိဘအကောင့်အတွက် account ဖန်တီးပြီးနေစဉ် {1} ကိုတွေ့ဘူး။ COA သက်ဆိုင်ရာအတွက်မိဘအကောင့်ကိုဖန်တီးပေးပါ"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split ကို Issue
 DocType: Student Attendance,Student Attendance,ကျောင်းသားများကျောင်း
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,တင်ပို့ဖို့ဒေတာကိုအဘယ်သူမျှမ
 DocType: Sales Invoice Timesheet,Time Sheet,အချိန်ဇယား
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush ကုန်ကြမ်းပစ္စည်းများအခြေပြုတွင်
 DocType: Sales Invoice,Port Code,ဆိပ်ကမ်း Code ကို
@@ -1302,6 +1319,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,အမှန်တကယ် Delivery နေ့စွဲ
 DocType: Lab Test,Test Template,စမ်းသပ်ခြင်း Template ကို
+DocType: Loan Security Pledge,Securities,လုံခြုံရေး
 DocType: Restaurant Order Entry Item,Served,တာဝန်ထမ်းဆောင်
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,အခန်းကြီးသတင်းအချက်အလက်။
 DocType: Account,Accounts,ငွေစာရင်း
@@ -1396,6 +1414,7 @@
 DocType: Inpatient Record,O Negative,အိုအနုတ်
 DocType: Work Order Operation,Planned End Time,စီစဉ်ထားသည့်အဆုံးအချိန်
 DocType: POS Profile,Only show Items from these Item Groups,ဤအ Item အဖွဲ့များအနေဖြင့်သာပြသပစ္စည်းများ
+DocType: Loan,Is Secured Loan,လုံခြုံသောချေးငွေ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင်
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Memebership အမျိုးအစားအသေးစိတ်
 DocType: Delivery Note,Customer's Purchase Order No,customer ရဲ့ဝယ်ယူခြင်းအမိန့်မရှိပါ
@@ -1432,6 +1451,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,လူနာတှေ့ဆုံထံမှ Get
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM ပြောင်းလဲခြင်းအချက် ({0} -&gt; {1}) ကိုရှာမတွေ့ပါ။ {2}
 DocType: Subscriber,Subscriber,စာရင်းပေးသွင်းသူ
 DocType: Item Attribute Value,Item Attribute Value,item Attribute Value တစ်ခု
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ငွေကြေးလဲလှယ်ရေးဝယ်ယူဘို့သို့မဟုတ်ရောင်းအားများအတွက်သက်ဆိုင်ဖြစ်ရမည်။
@@ -1511,6 +1531,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,အဘယ်သူမျှမခွင့်ပြုချက်
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,စာချုပ်ပြည့်စုံစစ်ဆေးရမဲ့စာရင်း
 DocType: Vital Signs,Heart Rate / Pulse,နှလုံးခုန်နှုန်း / Pulse
+DocType: Customer,Default Company Bank Account,ပုံမှန်ကုမ္ပဏီဘဏ်အကောင့်
 DocType: Supplier,Default Bank Account,default ဘဏ်မှအကောင့်
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",ပါတီအပေါ်အခြေခံပြီး filter မှပထမဦးဆုံးပါတီ Type ကိုရွေးပါ
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"ပစ္စည်းများကို {0} ကနေတဆင့်ကယ်နှုတ်တော်မူ၏မဟုတ်သောကြောင့်, &#39;&#39; Update ကိုစတော့အိတ် &#39;&#39; checked မရနိုင်ပါ"
@@ -1629,7 +1650,6 @@
 DocType: Sales Team,Incentives,မက်လုံးတွေပေးပြီး
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ထပ်တူပြုခြင်းထဲကတန်ဖိုးများ
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ခြားနားချက်တန်ဖိုး
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ကျေးဇူးပြု၍ Setup&gt; Numbering Series မှတဆင့်တက်ရောက်သူများအတွက်နံပါတ်စဉ်ဆက်တင်များကိုစီစဉ်ပေးပါ
 DocType: SMS Log,Requested Numbers,တောင်းဆိုထားသော Numbers
 DocType: Volunteer,Evening,ညနေ
 DocType: Quiz,Quiz Configuration,ပဟေဠိ Configuration
@@ -1649,6 +1669,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,ယခင် Row စုစုပေါင်းတွင်
 DocType: Purchase Invoice Item,Rejected Qty,ပယ်ချအရည်အတွက်
 DocType: Setup Progress Action,Action Field,လှုပ်ရှားမှုဖျော်ဖြေမှု
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,အတိုးနှုန်းနှင့်ပြစ်ဒဏ်များအတွက်ချေးငွေအမျိုးအစား
 DocType: Healthcare Settings,Manage Customer,ဖောက်သည်များကိုစီမံကွပ်ကဲ
 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 ရပ်နားမှုများ
@@ -1660,6 +1681,7 @@
 ,Final Assessment Grades,ဗိုလ်လုပွဲအကဲဖြတ်အတန်း
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,သင်သည်ဤစနစ်ကတည်ထောင်ထားသည့်အဘို့အသင့်ကုမ္ပဏီ၏နာမတော်။
 DocType: HR Settings,Include holidays in Total no. of Working Days,အဘယ်သူမျှမစုစုပေါင်းအတွက်အားလပ်ရက်ပါဝင်သည်။ အလုပ်အဖွဲ့ Days ၏
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,Grand စုစုပေါင်း၏%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Setup ကို ERPNext ၌သင်တို့၏အင်စတီကျု
 DocType: Agriculture Analysis Criteria,Plant Analysis,စက်ရုံအားသုံးသပ်ခြင်း
 DocType: Task,Timeline,timeline ကို
@@ -1667,9 +1689,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,alternate Item
 DocType: Shopify Log,Request Data,တောင်းဆိုမှုမှာ Data
 DocType: Employee,Date of Joining,အတူနေ့စွဲ
+DocType: Delivery Note,Inter Company Reference,အင်တာဗျူးကုမ္ပဏီကိုးကားစရာ
 DocType: Naming Series,Update Series,Update ကိုစီးရီး
 DocType: Supplier Quotation,Is Subcontracted,Subcontracted ဖြစ်ပါတယ်
 DocType: Restaurant Table,Minimum Seating,နိမ့်ဆုံးလက်ခံ
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,မေးခွန်းတစ်ခုကိုထပ်တူမဖြစ်နိုင်ပါ
 DocType: Item Attribute,Item Attribute Values,item Attribute တန်ဖိုးများ
 DocType: Examination Result,Examination Result,စာမေးပွဲရလဒ်
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ဝယ်ယူခြင်း Receipt
@@ -1771,6 +1795,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ
 DocType: Payment Request,Paid,Paid
 DocType: Service Level,Default Priority,default ဦးစားပေး
+DocType: Pledge,Pledge,ပေါင်
 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 ။
@@ -1784,6 +1809,7 @@
 DocType: Guardian,Guardian Name,ဂါးဒီးယန်းသတင်းစာအမည်
 DocType: Cheque Print Template,Has Print Format,ရှိပါတယ်ပရင့်ထုတ်ရန် Format ကို
 DocType: Support Settings,Get Started Sections,ကဏ္ဍများ Started Get
+,Loan Repayment and Closure,ချေးငွေပြန်ဆပ်ခြင်းနှင့်ပိတ်သိမ်းခြင်း
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-ခဲ-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,ဒဏ်ခတ်အရေးယူ
 ,Base Amount,base ငွေပမာဏ
@@ -1794,10 +1820,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Place ကနေ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},ချေးငွေပမာဏ {0} ထက်မကြီးနိုင်ပါ
 DocType: Student Admission,Publish on website,website တွင် Publish
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,ပေးသွင်းငွေတောင်းခံလွှာနေ့စွဲနေ့စွဲပို့စ်တင်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ins-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ပစ္စည်းကုဒ်&gt; ပစ္စည်းအုပ်စု&gt; ကုန်အမှတ်တံဆိပ်
 DocType: Subscription,Cancelation Date,ပယ်ဖျက်ခြင်းနေ့စွဲ
 DocType: Purchase Invoice Item,Purchase Order Item,ဝယ်ယူခြင်းအမိန့် Item
 DocType: Agriculture Task,Agriculture Task,စိုက်ပျိုးရေးလုပ်ငန်း
@@ -1816,7 +1842,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,အပိုဆောင်းလျှော့ရာခိုင်နှုန်း
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,အားလုံးအကူအညီနဲ့ဗီဒီယိုစာရင်းကိုကြည့်ခြင်း
 DocType: Agriculture Analysis Criteria,Soil Texture,မြေဆီလွှာတွင်အသွေးအရောင်
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,စစ်ဆေးမှုများအနည်ရာဘဏ်အကောင့်ဖွင့်ဦးခေါင်းကိုရွေးချယ်ပါ။
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,အသုံးပြုသူငွေကြေးလွှဲပြောင်းမှုမှာစျေးနှုန်း List ကို Rate တည်းဖြတ်ရန် Allow
 DocType: Pricing Rule,Max Qty,max Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,ပုံနှိပ်ပါအစီရင်ခံစာကဒ်
@@ -1951,7 +1976,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",ထားပြီးတာနဲ့ဒီငွေတောင်းခံလွှာအတွက်အစုရက်စွဲမကုန်မှီတိုင်အောင်ကိုင်ပေါ်ပါလိမ့်မည်
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,ငွေပမာဏရောင်းချနေ
-DocType: Repayment Schedule,Interest Amount,အကျိုးစီးပွားငွေပမာဏ
+DocType: Loan Interest Accrual,Interest Amount,အကျိုးစီးပွားငွေပမာဏ
 DocType: Job Card,Time Logs,အချိန် Logs
 DocType: Sales Invoice,Loyalty Amount,သစ္စာရှိမှုပမာဏ
 DocType: Employee Transfer,Employee Transfer Detail,ဝန်ထမ်းလွှဲပြောင်းအသေးစိတ်
@@ -1966,6 +1991,7 @@
 DocType: Cashier Closing,Returns,ပြန်
 DocType: Job Card,WIP Warehouse,WIP ဂိုဒေါင်
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},serial No {0} {1} ထိပြုပြင်ထိန်းသိမ်းမှုစာချုပ်အောက်မှာဖြစ်ပါတယ်
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},{0} {1} အတွက်ဖြတ်ကျော်ထားသောကန့်သတ်ပမာဏကိုကန့်သတ်
 apps/erpnext/erpnext/config/hr.py,Recruitment,်ထမ်းခေါ်ယူမှု
 DocType: Lead,Organization Name,အစည်းအရုံးအမည်
 DocType: Support Settings,Show Latest Forum Posts,နောက်ဆုံးရဖိုရမ်ရေးသားချက်များပြရန်
@@ -1992,7 +2018,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ရက်လွန်အမိန့်ပစ္စည်းများဝယ်ယူရန်
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,စာပို့သင်္ကေတ
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},အရောင်းအမှာစာ {0} {1} ဖြစ်ပါသည်
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ချေးငွေ {0} စိတ်ဝင်စားကြောင်းဝင်ငွေအကောင့်ကိုရွေးချယ်ပါ
 DocType: Opportunity,Contact Info,Contact Info
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,စတော့အိတ် Entries ဖော်ဆောင်ရေး
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,status ကိုလက်ဝဲနှင့်အတူန်ထမ်းမြှင့်တင်ရန်မပေးနိုင်
@@ -2078,7 +2103,6 @@
 DocType: Salary Slip,Deductions,ဖြတ်ငွေများ
 DocType: Setup Progress Action,Action Name,လှုပ်ရှားမှုအမည်
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start ကိုတစ်နှစ်တာ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ချေးငွေ Create
 DocType: Purchase Invoice,Start date of current invoice's period,လက်ရှိကုန်ပို့လွှာရဲ့ကာလ၏နေ့စွဲ Start
 DocType: Shift Type,Process Attendance After,ပြီးနောက်လုပ်ငန်းစဉ်အားတက်ရောက်
 ,IRS 1099,IRS ကို 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,သင့်ရဲ့ဒိုမိန်းကိုရွေးချယ်ပါ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify ပေးသွင်း
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ငွေပေးချေမှုရမည့်ပြေစာပစ္စည်းများ
+DocType: Repayment Schedule,Is Accrued,ရှိပါသည်
 DocType: Payroll Entry,Employee Details,ဝန်ထမ်းအသေးစိတ်
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ဖိုင်များ processing
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,သစ္စာရှိမှုပွိုင့် Entry &#39;
 DocType: Employee Checkin,Shift End,shift အဆုံး
 DocType: Stock Settings,Default Item Group,default Item Group က
+DocType: Loan,Partially Disbursed,တစ်စိတ်တစ်ပိုင်းထုတ်ချေး
 DocType: Job Card Time Log,Time In Mins,မိနစ်မှာတော့အချိန်
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,သတင်းအချက်အလက်ပေးသနား။
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ဤလုပ်ဆောင်ချက်သည်သင့်ရဲ့ဘဏ်စာရင်းနှင့်အတူ ERPNext ပေါင်းစပ်ဆိုပြင်ပဝန်ဆောင်မှုကနေဒီ account ကိုလင့်ခ်ဖြုတ်ပါလိမ့်မယ်။ ဒါဟာပြု ပြင်. မရနိုင်ပါ။ သငျသညျအခြို့သောရှိပါသလား
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ရနိုင်မှာမဟုတ်ဘူး။
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",နောက်ထပ်အကောင့်အဖွဲ့များအောက်မှာလုပ်နိုင်ပေမယ့် entries တွေကို Non-အဖွဲ့များဆန့်ကျင်စေနိုင်ပါတယ်
+DocType: Loan Repayment,Loan Closure,ချေးငွေပိတ်သိမ်း
 DocType: Call Log,Lead,ခဲ
 DocType: Email Digest,Payables,ပေးအပ်သော
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth တိုကင်
@@ -2178,6 +2205,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ဝန်ထမ်းအခွန်နှင့်အကျိုးကျေးဇူးများ
 DocType: Bank Guarantee,Validity in Days,နေ့ရက်များအတွက်တရားဝင်မှု
 DocType: Bank Guarantee,Validity in Days,နေ့ရက်များအတွက်တရားဝင်မှု
+DocType: Unpledge,Haircut,ဆံပင်ညှပ်
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-form ကိုပြေစာများအတွက်သက်ဆိုင်သည်မဟုတ်: {0}
 DocType: Certified Consultant,Name of Consultant,အတိုင်ပင်ခံအမည်
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled ငွေပေးချေမှုရမည့်အသေးစိတ်
@@ -2231,7 +2259,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,ကမ္ဘာ့အရာကြွင်းလေ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,အဆိုပါ Item {0} Batch ရှိသည်မဟုတ်နိုင်
 DocType: Crop,Yield UOM,အထွက်နှုန်း UOM
+DocType: Loan Security Pledge,Partially Pledged,တစ်စိတ်တစ်ပိုင်း Pledged
 ,Budget Variance Report,ဘဏ္ဍာငွေအရအသုံးကှဲလှဲအစီရင်ခံစာ
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,ခွင့်ပြုထားသောချေးငွေပမာဏ
 DocType: Salary Slip,Gross Pay,gross Pay ကို
 DocType: Item,Is Item from Hub,Hub ကနေပစ္စည်းဖြစ်ပါသည်
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ကျန်းမာရေးစောင့်ရှောက်မှုန်ဆောင်မှုများအနေဖြင့်ပစ္စည်းများ Get
@@ -2266,6 +2296,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,နယူးအရည်အသွေးလုပ်ထုံးလုပ်နည်း
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},အကောင့်သည်ချိန်ခွင် {0} အမြဲ {1} ဖြစ်ရမည်
 DocType: Patient Appointment,More Info,ပိုပြီး Info
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,မွေးသက္ကရာဇ်သည်လာရောက်ပူးပေါင်းသည့်နေ့ထက်ကြီးနိုင်သည်။
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard လုပ်ဆောင်ချက်များ
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ပေးသွင်း {0} {1} အတွက်မတွေ့ရှိ
 DocType: Purchase Invoice,Rejected Warehouse,ပယ်ချဂိုဒေါင်
@@ -2363,6 +2394,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,ပထမဦးဆုံးပစ္စည်း Code ကိုသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},ချေးငွေလုံခြုံရေးအပေါင်ခံ: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,ချိန်းနှင့်လူနာတှေ့ဆုံ
@@ -2418,6 +2450,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,တစ်ပြိုင်နက်တည်းချိန်းအရေအတွက်
 apps/erpnext/erpnext/config/desktop.py,Getting Started,စတင်ခဲ့သည်
 DocType: Purchase Invoice,Taxes and Charges Calculation,အခွန်နှင့်စွပ်စွဲချက်တွက်ချက်
+DocType: Loan Interest Accrual,Payable Principal Amount,ပေးဆောင်ရမည့်ကျောင်းအုပ်ကြီးပမာဏ
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,အလိုအလျောက်စာအုပ်ပိုင်ဆိုင်မှုတန်ဖိုး Entry &#39;
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,အလိုအလျောက်စာအုပ်ပိုင်ဆိုင်မှုတန်ဖိုး Entry &#39;
 DocType: BOM Operation,Workstation,Workstation နှင့်
@@ -2455,7 +2488,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,အစာ
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,voucher အသေးစိတ်ပိတ်ပွဲ POS
-DocType: Bank Account,Is the Default Account,အဆိုပါပုံမှန်အကောင့် Is
 DocType: Shopify Log,Shopify Log,Shopify Log in ဝင်ရန်
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,ဆက်သွယ်ရေးမတွေ့ပါ။
 DocType: Inpatient Occupancy,Check In,ရောက်ရှိကြောင်းစာရင်းသွင်းခြင်း
@@ -2511,12 +2543,14 @@
 DocType: Sales Order Item,Planned Quantity,စီစဉ်ထားတဲ့ပမာဏ
 DocType: Water Analysis,Water Analysis Criteria,ရေအားသုံးသပ်ခြင်းလိုအပ်ချက်
 DocType: Item,Maintain Stock,စတော့အိတ်ထိန်းသိမ်းနည်း
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge အချိန်
 DocType: Terms and Conditions,Applicable Modules,သက်ဆိုင်မော်ဂျူးများ
 DocType: Employee,Prefered Email,Preferences အီးမေးလ်
 DocType: Student Admission,Eligibility and Details,ထိုက်ခွင့်နှင့်အသေးစိတ်
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,စုစုပေါင်းအမြတ်တွင်ထည့်သွင်း
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Fixed Asset အတွက်ပိုက်ကွန်ကိုပြောင်းရန်
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd အရည်အတွက်
+DocType: Work Order,This is a location where final product stored.,ဤသည်နောက်ဆုံးထုတ်ကုန်သိမ်းဆည်းထားရာနေရာတစ်ခုဖြစ်ပါသည်။
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime ကနေ
@@ -2557,8 +2591,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,အာမခံ / AMC နဲ့ Status
 ,Accounts Browser,Accounts ကို Browser ကို
 DocType: Procedure Prescription,Referral,လွှဲပြောင်း
+,Territory-wise Sales,နယ်မြေ - ပညာအရောင်း
 DocType: Payment Entry Reference,Payment Entry Reference,ငွေပေးချေမှုရမည့် Entry ကိုးကားစရာ
 DocType: GL Entry,GL Entry,GL Entry &#39;
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,တန်း # {0} - လက်ခံသောဂိုဒေါင်နှင့်ပေးသွင်းသူဂိုဒေါင်သည်မတူနိုင်ပါ
 DocType: Support Search Source,Response Options,တုန့်ပြန်နေတဲ့ Options
 DocType: Pricing Rule,Apply Multiple Pricing Rules,အကွိမျမြားစှာစျေးနှုန်းစည်းကမ်းများ Apply
 DocType: HR Settings,Employee Settings,ဝန်ထမ်း Settings ကို
@@ -2618,6 +2654,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,အတန်းမှာငွေပေးချေ Term {0} ဖြစ်နိုင်သည်တစ်ထပ်ဖြစ်ပါတယ်။
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),စိုက်ပျိုးရေး (beta ကို)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,ထုပ်ပိုးစလစ်ဖြတ်ပိုင်းပုံစံ
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ကျေးဇူးပြု၍ Setup&gt; Settings&gt; Naming Series မှ {0} အတွက် Naming Series ကိုသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Office ကိုငှား
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Setup ကို SMS ကို gateway ဟာ setting များ
 DocType: Disease,Common Name,လူအသုံးအများဆုံးအမည်
@@ -2634,6 +2671,7 @@
 DocType: Item,Sales Details,အရောင်းအသေးစိတ်ကို
 DocType: Coupon Code,Used,အသုံးပြုခံ့
 DocType: Opportunity,With Items,ပစ္စည်းများနှင့်အတူ
+DocType: Vehicle Log,last Odometer Value ,နောက်ဆုံး Odometer Value ကို
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',အဆိုပါကင်ပိန်း &#39;&#39; {0} &#39;&#39; ထားပြီး {1} &#39;{2}&#39; အဘို့တည်ရှိ
 DocType: Asset Maintenance,Maintenance Team,ကို Maintenance ရေးအဖွဲ့
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","ပုဒ်မပေါ်လာသင့်တယ်သောအမိန့်။ 0 င်ပထမဦးဆုံးဖြစ်ပါတယ်, 1 ဒါအပေါ်ဒုတိယနှင့်ဖြစ်ပါသည်။"
@@ -2644,7 +2682,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,စရိတ်တိုင်ကြား {0} ရှိပြီးသားယာဉ် Log in ဝင်ရန်အဘို့တည်ရှိ
 DocType: Asset Movement Item,Source Location,source တည်နေရာ
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute မှအမည်
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ပြန်ဆပ်ငွေပမာဏရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,ပြန်ဆပ်ငွေပမာဏရိုက်ထည့်ပေးပါ
 DocType: Shift Type,Working Hours Threshold for Absent,ဒူးယောင်အလုပ်လုပ်နာရီ Threshold
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,သုံးစွဲစုစုပေါင်းအပေါ်အခြေခံပြီးမျိုးစုံ tier စုဆောင်းခြင်းအချက်ရှိပါတယ်နိုင်ပါတယ်။ သို့သော်ရွေးနှုတ်သောအဘို့ပြောင်းလဲခြင်းအချက်အမြဲအပေါငျးတို့သဆင့်များအတွက်တူညီကြလိမ့်မည်။
 apps/erpnext/erpnext/config/help.py,Item Variants,item Variant
@@ -2668,6 +2706,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},ဒီ {2} {3} ဘို့ {1} နှင့်အတူ {0} ပဋိပက္ခများကို
 DocType: Student Attendance Tool,Students HTML,ကျောင်းသားများက HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} {2} ထက်လျော့နည်းဖြစ်ရမည်
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,ကျေးဇူးပြု၍ လျှောက်လွှာပုံစံကိုအရင်ရွေးပါ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, အရည်အတွက်နှင့်ဂိုဒေါင်သည်ကို Select လုပ်ပါ"
 DocType: GST HSN Code,GST HSN Code,GST HSN Code ကို
 DocType: Employee External Work History,Total Experience,စုစုပေါင်းအတွေ့အကြုံ
@@ -2758,7 +2797,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",အဘယ်သူမျှမတက်ကြွ BOM ကို item {0} များအတွက်တွေ့ရှိခဲ့ပါတယ်။ \ Serial အဘယ်သူမျှမနေဖြင့်ဖြန့်ဝေရေးအတွက်လုံလောက်မရနိုင်
 DocType: Sales Partner,Sales Partner Target,အရောင်း Partner Target က
-DocType: Loan Type,Maximum Loan Amount,အများဆုံးချေးငွေပမာဏ
+DocType: Loan Application,Maximum Loan Amount,အများဆုံးချေးငွေပမာဏ
 DocType: Coupon Code,Pricing Rule,စျေးနှုန်း Rule
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ကျောင်းသား {0} အဘို့အလိပ်အရေအတွက်က Duplicate
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ကျောင်းသား {0} အဘို့အလိပ်အရေအတွက်က Duplicate
@@ -2782,6 +2821,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},{0} သည်အောင်မြင်စွာကျင်းပပြီးစီးခွဲဝေရွက်
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,သိမ်းဆည်းရန်ပစ္စည်းများမရှိပါ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,သာ .csv နဲ့ .xlsx ဖိုင်တွေလက်ရှိထောက်ခံနေကြတယ်
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ကျေးဇူးပြု၍ လူ့စွမ်းအားအရင်းအမြစ်&gt; HR ဆက်တင်တွင် Employee Naming System ကိုထည့်သွင်းပါ
 DocType: Shipping Rule Condition,From Value,Value တစ်ခုကနေ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,ကုန်ထုတ်လုပ်မှုပမာဏမသင်မနေရ
 DocType: Loan,Repayment Method,ပြန်ဆပ် Method ကို
@@ -2862,6 +2902,7 @@
 DocType: Customer,Customer POS Id,ဖောက်သည် POS Id
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,အီးမေးလ်က {0} နှင့်အတူကျောင်းသားသမဂ္ဂများအဖွဲ့ချုပ်မတည်ရှိပါဘူး
 DocType: Account,Account Name,အကောင့်အမည်
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},ခွင့်ပြုထားသောချေးငွေပမာဏသည်ကုမ္ပဏီ {1} နှင့် {0} အတွက်ရှိပြီးဖြစ်သည်။
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,နေ့စွဲကနေနေ့စွဲရန်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,serial No {0} အရေအတွက် {1} တဲ့အစိတ်အပိုင်းမဖွစျနိုငျ
 DocType: Pricing Rule,Apply Discount on Rate,နှုန်းအပေါ်လျှော့ Apply
@@ -2933,6 +2974,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,net ကအမြတ်
 DocType: Purchase Invoice,Eligibility For ITC,ITC သည်အရည်အချင်းပြည့်မီ
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU တွင်-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,မင်္ဂလာပါ
 DocType: Journal Entry,Entry Type,entry Type အမျိုးအစား
 ,Customer Credit Balance,customer Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ပေးဆောင်ရမည့်ငွေစာရင်းထဲမှာပိုက်ကွန်ကိုပြောင်းရန်
@@ -2944,6 +2986,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),တက်ရောက်သူကိရိယာ ID (biometric / RF tag ကို ID ကို)
 DocType: Quotation,Term Details,သက်တမ်းအသေးစိတ်ကို
 DocType: Item,Over Delivery/Receipt Allowance (%),Delivery ကျော် / ငွေလက်ခံပြေစာကိုခွင့်ပြု (%)
+DocType: Appointment Letter,Appointment Letter Template,ရက်ချိန်းပေးစာပုံစံ
 DocType: Employee Incentive,Employee Incentive,ဝန်ထမ်းယ့
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,ဒီကျောင်းသားအုပ်စုအတွက် {0} ကျောင်းသားများကိုထက်ပိုစာရင်းသွင်းလို့မရပါ။
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),(အခွန်မပါ) စုစုပေါင်း
@@ -2968,6 +3011,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",\ Item {0} နှင့်အတူထည့်သွင်းခြင်းနှင့်မပါဘဲ \ Serial နံပါတ်အားဖြင့် Delivery အာမခံဖြစ်ပါတယ်အဖြစ် Serial အဘယ်သူမျှမနေဖြင့်ဖြန့်ဝေသေချာမပေးနိုင်
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ငွေတောင်းခံလွှာ၏ Cancellation အပေါ်ငွေပေးချေမှုရမည့်လင့်ဖြုတ်ရန်
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,လုပ်ငန်းစဉ်ချေးငွေအကျိုးစီးပွားတိုးပွားလာ
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},စာဖတ်ခြင်းသို့ဝင်လက်ရှိ Odometer ကနဦးယာဉ် Odometer {0} ထက် သာ. ကြီးမြတ်ဖြစ်သင့်
 ,Purchase Order Items To Be Received or Billed,အရစ်ကျမိန့်ပစ္စည်းများရရှိထားသည့်သို့မဟုတ်ငွေတောင်းခံထားမှုခံရရန်
 DocType: Restaurant Reservation,No Show,အဘယ်သူမျှမပြသပါ
@@ -3054,6 +3098,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ကုန်ကျစရိတ်စင်တာ &#39;&#39; အကျိုးအမြတ်နှင့်ဆုံးရှုံးမှု &#39;&#39; အကောင့် {2} ဘို့လိုအပ်ပါသည်။ ကုမ္ပဏီတစ်ခုက default ကုန်ကျစရိတ်စင်တာထူထောင်ပေးပါ။
 DocType: Payment Schedule,Payment Term,ငွေပေးချေမှုရမည့် Term
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,တစ်ဖောက်သည်အုပ်စုနာမည်တူနှင့်အတူတည်ရှိသုံးစွဲသူအမည်ကိုပြောင်းလဲဒါမှမဟုတ်ဖောက်သည်အုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,၀ င်ခွင့်အဆုံးနေ့သည် ၀ င်ခွင့်စတင်သည့်နေ့ထက်ကြီးရမည်။
 DocType: Location,Area,ဧရိယာ
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,နယူးဆက်သွယ်ရန်
 DocType: Company,Company Description,ကုမ္ပဏီဖျေါပွခကျြ
@@ -3129,6 +3174,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,မြေပုံနှင့်ညှိထားသောဒေတာများ
 DocType: Purchase Order Item,Warehouse and Reference,ဂိုဒေါင်နှင့်ကိုးကားစရာ
 DocType: Payroll Period Date,Payroll Period Date,လုပ်ခလစာကာလနေ့စွဲ
+DocType: Loan Disbursement,Against Loan,ချေးငွေဆန့်ကျင်
 DocType: Supplier,Statutory info and other general information about your Supplier,ပြဋ္ဌာန်းဥပဒေအချက်အလက်နှင့်သင်၏ပေးသွင်းအကြောင်းကိုအခြားအထွေထွေသတင်းအချက်အလက်
 DocType: Item,Serial Nos and Batches,serial Nos နှင့် batch
 DocType: Item,Serial Nos and Batches,serial Nos နှင့် batch
@@ -3197,6 +3243,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,ကုမ္ပဏီကိုရွေးချယ်ပါ
 DocType: Delivery Settings,Delivery Settings,ဖြန့်ဝေချိန်ညှိမှုများ
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ဒေတာများကိုဆွဲယူ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},{0} ၏နံပါတ် {0} ထက်ပိုမဖြုတ်နိုင်ပါ
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},အရွက်အမျိုးအစား {0} အတွက်ခွင့်ပြုအများဆုံးခွင့် {1} ဖြစ်ပါသည်
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 Item Publish
 DocType: SMS Center,Create Receiver List,Receiver များစာရင်း Create
@@ -3345,6 +3392,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),base ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
 DocType: Purchase Invoice,Registered Regular,မှတ်ပုံတင်ပြီးပုံမှန်
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ကုန်ကြမ်းများ
+DocType: Plaid Settings,sandbox,နင်
 DocType: Payment Reconciliation Payment,Reference Row,ကိုးကားစရာ Row
 DocType: Installation Note,Installation Time,Installation လုပ်တဲ့အချိန်
 DocType: Sales Invoice,Accounting Details,စာရင်းကိုင် Details ကို
@@ -3357,12 +3405,11 @@
 DocType: Leave Ledger Entry,Transaction Type,ငွေသွင်းငွေထုတ်အမျိုးအစား
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,လက်ခံမှုကိုလိုအပ်ချက်
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,အထက်ပါဇယားတွင်ပစ္စည်းတောင်းဆိုမှုများကိုထည့်သွင်းပါ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,စုစုပေါင်းပေးရန်ငွေပမာဏ
 DocType: Task,Expected Time (in hours),(နာရီအတွင်း) မျှော်လင့်ထားအချိန်
 DocType: Item Reorder,Check in (group),(အုပ်စု) တွင် Check
 DocType: Soil Texture,Silt,နုန်း
@@ -3394,6 +3441,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,သက်သေပြချက်အခွန်သည် Unsubmitted အခွန်ကင်းလွတ်ခွင့်နုတ်
 DocType: Volunteer,Anytime,အချိန်မရွေး
 DocType: Bank Account,Bank Account No,ဘဏ်အကောင့်ကိုအဘယ်သူမျှမ
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,ငွေပေးချေမှုနှင့်ငွေပေးချေမှု
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ဝန်ထမ်းအခွန်ကင်းလွတ်ခွင့်အထောက်အထားတင်ပြမှု
 DocType: Patient,Surgical History,ခွဲစိတ်သမိုင်း
 DocType: Bank Statement Settings Item,Mapped Header,တစ်ခုသို့ဆက်စပ် Header ကို
@@ -3456,6 +3504,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,အရောင်းပြေစာအပေါ် Lab ကစမ်းသပ် (s) ကို Create Submit
 DocType: Serial No,Invoice Details,ငွေတောင်းခံလွှာအသေးစိတ်
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,လစာဖွဲ့စည်းပုံအခွန် Ememption ကြေညာစာတမ်း၏လကျအောကျခံမတိုင်မီတင်သွင်းရမည်ဖြစ်သည်
+DocType: Loan Application,Proposed Pledges,အဆိုပြုထား Pledges
 DocType: Grant Application,Show on Website,ဝက်ဘ်ဆိုက်ပေါ်တွင်ပြရန်
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,အပေါ် Start
 DocType: Hub Tracked Item,Hub Category,hub Category:
@@ -3467,7 +3516,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,ပေးသွင်း Scorecard အမြဲတမ်း
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},အတန်း {0}: ပစ္စည်းများ၏ဘီလ်ဟာအရာဝတ္ထု {1} ဘို့မတွေ့ရှိ
 DocType: Contract Fulfilment Checklist,Requirement,လိုအပ်ချက်
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ကျေးဇူးပြု၍ လူ့စွမ်းအားအရင်းအမြစ်&gt; HR ဆက်တင်တွင် Employee Naming System ကိုထည့်သွင်းပါ
 DocType: Journal Entry,Accounts Receivable,ငွေစာရင်းရရန်ရှိသော
 DocType: Quality Goal,Objectives,ရည်ရွယ်ချက်များ
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Backdated Leave လျှောက်လွှာကိုဖန်တီးရန်ခွင့်ပြုအခန်းကဏ္။
@@ -3480,6 +3528,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,ပြန်. Entries Include
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,စုစုပေါင်းခွဲဝေငွေပမာဏ ({0}) ကိုပေးဆောင်ငွေပမာဏ ({1}) ထက် greated ဖြစ်ပါတယ်။
 DocType: Landed Cost Voucher,Distribute Charges Based On,တွင် အခြေခံ. စွပ်စွဲချက်ဖြန့်ဝေ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},ငွေပေးချေသည့်ပမာဏသည် {0} ထက်မနည်းစေရ။
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,HR Settings ကို
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,စာရင်းကိုင်မာစတာ
@@ -3625,6 +3674,7 @@
 DocType: Employee,Health Insurance,ကျန်းမာရေးအာမခံ
 DocType: Asset Repair,Manufacturing Manager,ကုန်ထုတ်လုပ်မှု Manager က
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},serial No {0} {1} ထိအာမခံအောက်မှာဖြစ်ပါတယ်
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,ချေးငွေပမာဏသည်အဆိုပြုထားသောအာမခံများအရအများဆုံးချေးငွေပမာဏ {0} ထက်ပိုသည်
 DocType: Plant Analysis Criteria,Minimum Permissible Value,အနိမ့်ခွင့်ပြုချက် Value ကို
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,အသုံးပြုသူ {0} ပြီးသားတည်ရှိ
 apps/erpnext/erpnext/hooks.py,Shipments,တင်ပို့ရောင်းချမှု
@@ -3669,7 +3719,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,စီးပွားရေးအမျိုးအစား
 DocType: Sales Invoice,Consumer,စားသုံးသူ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","atleast တယောက်အတန်းအတွက်ခွဲဝေငွေပမာဏ, ပြေစာ Type နှင့်ပြေစာနံပါတ်ကို select ကျေးဇူးပြု."
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,ကျေးဇူးပြု၍ Setup&gt; Settings&gt; Naming Series မှ {0} အတွက် Naming Series ကိုသတ်မှတ်ပါ
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,နယူးအရစ်ကျ၏ကုန်ကျစရိတ်
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Item {0} လိုအပ်အရောင်းအမိန့်
 DocType: Grant Application,Grant Description,Grant ကဖျေါပွခကျြ
@@ -3678,6 +3727,7 @@
 DocType: Subscription,Discounts,လျှော့စျေး
 DocType: Bank Transaction,Unallocated Amount,ထဲကအသုံးမပြုတဲ့ငွေပမာဏ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,အမှန်တကယ်ကုန်ကျစရိတ် booking အပေါ်ဝယ်ယူအမိန့်များနှင့်သက်ဆိုင်သောအပေါ်သက်ဆိုင်သော enable ပေးပါ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} သည်ကုမ္ပဏီဘဏ်အကောင့်တစ်ခုမဟုတ်ပါ
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,တစ်ကိုက်ညီတဲ့ပစ္စည်းရှာမတှေ့နိုငျပါသညျ။ {0} များအတွက်အချို့သောအခြား value ကို select လုပ်ပါကိုကျေးဇူးတင်ပါ။
 DocType: POS Profile,Taxes and Charges,အခွန်နှင့်စွပ်စွဲချက်
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",အဖြေထုတ်ကုန်ပစ္စည်းသို့မဟုတ်စတော့ရှယ်ယာအတွက်ဝယ်ရောင်းမစောင့်ဘဲပြုလုပ်ထားတဲ့န်ဆောင်မှု။
@@ -3728,6 +3778,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,နေ့စွဲ မှစ. သက်တမ်းရှိသက်တမ်းရှိနူန်းကျော်ကျော်နေ့စွဲထက်ပြောင်ဖြစ်ရပါမည်။
 DocType: Employee Skill,Evaluation Date,အကဲဖြတ်နေ့စွဲ
 DocType: Quotation Item,Stock Balance,စတော့အိတ် Balance
+DocType: Loan Security Pledge,Total Security Value,စုစုပေါင်းလုံခြုံရေးတန်ဖိုး
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ငွေပေးချေမှုရမည့်မှအရောင်းအမိန့်
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,စီအီးအို
 DocType: Purchase Invoice,With Payment of Tax,အခွန်၏ငွေပေးချေနှင့်အတူ
@@ -3740,6 +3791,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,မှန်ကန်သောအကောင့်ကို select လုပ်ပါ ကျေးဇူးပြု.
 DocType: Salary Structure Assignment,Salary Structure Assignment,လစာဖွဲ့စည်းပုံတာဝန်
 DocType: Purchase Invoice Item,Weight UOM,အလေးချိန် UOM
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},အကောင့် {0} သည်ဒိုင်ခွက်ဇယားတွင်မရှိပါ။ {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ဖိုလီယိုနံပါတ်များနှင့်အတူရရှိနိုင်ပါသည်ရှယ်ယာရှင်များမှာများစာရင်း
 DocType: Salary Structure Employee,Salary Structure Employee,လစာဖွဲ့စည်းပုံထမ်း
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Show ကိုမူကွဲ Attribute တွေက
@@ -3821,6 +3873,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,လက်ရှိအကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် Rate
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,အမြစ်အကောင့်အရေအတွက် 4 ထက်လျော့နည်းမဖွစျနိုငျ
 DocType: Training Event,Advance,ကြိုတင်မဲ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,ချေးငွေ
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless ငွေပေးချေမှုတံခါးပေါက် settings ကို
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,ချိန်း Gain / ပျောက်ဆုံးခြင်း
 DocType: Opportunity,Lost Reason,ပျောက်ဆုံးသွားရသည့်အကြောင်းရင်း
@@ -3905,8 +3958,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,ကို Select လုပ်ပါအသုတ်လိုက်အဘယ်သူမျှမ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},မမှန်ကန်ခြင်း {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Row {0} - မွေးချင်းမွေးသည့်နေ့သည်ယနေ့ထက်မကြီးနိုင်ပါ။
 DocType: Fee Validity,Reference Inv,ကိုးကားစရာ Inv
 DocType: Sales Invoice Advance,Advance Amount,ကြိုတင်ငွေပမာဏ
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,တစ်နေ့လျှင်ပြစ်ဒဏ်အတိုးနှုန်း (%)
 DocType: Manufacturing Settings,Capacity Planning,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်း
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,ရှာနိုင်ပါတယ်ညှိယူ (ကုမ္ပဏီငွေကြေးစနစ်
 DocType: Asset,Policy number,ပေါ်လစီအရေအတွက်ကို
@@ -3922,7 +3977,9 @@
 DocType: Normal Test Items,Require Result Value,ရလဒ် Value ကိုလိုအပ်
 DocType: Purchase Invoice,Pricing Rules,စျေးနှုန်းစည်းကမ်းများ
 DocType: Item,Show a slideshow at the top of the page,စာမျက်နှာ၏ထိပ်မှာတစ်ဆလိုက်ရှိုးပြရန်
+DocType: Appointment Letter,Body,ကိုယ်ခန္ဓာ
 DocType: Tax Withholding Rate,Tax Withholding Rate,အခွန်နှိမ်နှုန်း
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,ငွေပြန်အမ်းခြင်းရက်သည်ချေးငွေများအတွက်မဖြစ်မနေလိုအပ်သည်
 DocType: Pricing Rule,Max Amt,မက်စ် Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,စတိုးဆိုင်များ
@@ -3942,7 +3999,7 @@
 DocType: Call Log,Received By,အားဖြင့်ရရှိထားသည့်
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),ခန့်အပ်မှုကြာချိန် (မိနစ်တွင်)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ငွေသား Flow မြေပုံ Template ကိုအသေးစိတ်
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,ချေးငွေစီမံခန့်ခွဲမှု
+DocType: Loan,Loan Management,ချေးငွေစီမံခန့်ခွဲမှု
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ထုတ်ကုန် Vertical သို့မဟုတ်ကွဲပြားမှုသည်သီးခြားဝင်ငွေနှင့်သုံးစွဲမှုပြထားသည်။
 DocType: Rename Tool,Rename Tool,Tool ကို Rename
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Update ကိုကုန်ကျစရိတ်
@@ -3950,6 +4007,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form ကို
 DocType: Sales Invoice,Mode of Transport,ပို့ဆောင်ရေး Mode ကို
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Show ကိုလစာစလစ်ဖြတ်ပိုင်းပုံစံ
+DocType: Loan,Is Term Loan,Term ချေးငွေ
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,ပစ္စည်းလွှဲပြောင်း
 DocType: Fees,Send Payment Request,ငွေပေးချေမှုရမည့်တောင်းဆိုခြင်း Send
 DocType: Travel Request,Any other details,အခြားမည်သည့်အသေးစိတ်အချက်အလက်များကို
@@ -3967,6 +4025,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,ဘဏ္ဍာရေးထံမှငွေကြေးစီးဆင်းမှု
 DocType: Budget Account,Budget Account,ဘတ်ဂျက်အကောင့်
 DocType: Quality Inspection,Verified By,By Verified
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,ချေးငွေလုံခြုံရေးထည့်ပါ
 DocType: Travel Request,Name of Organizer,စည်းရုံးသူအမည်
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","လက်ရှိအရောင်းအရှိပါသည်ကြောင့်, ကုမ္ပဏီ၏ default ငွေကြေးမပြောင်းနိုင်ပါတယ်။ အရောင်းအကို default ငွေကြေးပြောင်းလဲဖို့ဖျက်သိမ်းရပါမည်။"
 DocType: Cash Flow Mapping,Is Income Tax Liability,ဝင်ငွေခွန်တာဝန်ဝတ္တရား Is
@@ -4017,6 +4076,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,တွင်လိုအပ်သော
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",Check လုပ်ပြီးပါကလစာဖြတ်ပိုင်းရှိ Rounded Total နေရာကိုဖုံးကွယ်ထားပါ
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,ဤသည်အရောင်းအမှာစာအတွက်ပေးပို့သည့်ရက်အတွက် default offset (days) ဖြစ်သည်။ အရံကျသည့် offset သည်အမှာစာချသည့်နေ့မှ ၇ ရက်ဖြစ်သည်။
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ကျေးဇူးပြု၍ Setup&gt; Numbering Series မှတက်ရောက်လိုသူများအတွက်နံပါတ်စဉ်ဆက်တင်များကိုပြင်ဆင်ပါ
 DocType: Rename Tool,File to Rename,Rename မှ File
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Row {0} အတွက် Item ဘို့ BOM ကို select လုပ်ပါကျေးဇူးပြုပြီး
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Subscription အပ်ဒိတ်များဆွဲယူ
@@ -4029,6 +4089,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serial နံပါတ်များကိုဖန်တီးထားသည်
 DocType: POS Profile,Applicable for Users,အသုံးပြုသူများအဘို့သက်ဆိုင်သော
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,ထိုနေ့ကိုပု-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,နေ့စွဲမှယနေ့အထိမဖြစ်မနေလိုအပ်သည်
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,status ကို {0} မှစီမံကိန်းအပေါင်းတို့နှင့်တာဝန်များသတ်မှတ်မည်လား?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),တိုးတက်လာတာနဲ့အမျှ Set နှင့် (FIFO) သတ်မှတ်ထားတဲ့
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,created အဘယ်သူမျှမ Work ကိုအမိန့်
@@ -4038,6 +4099,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,items အားဖြင့်
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ဝယ်ယူပစ္စည်းများ၏ကုန်ကျစရိတ်
 DocType: Employee Separation,Employee Separation Template,ဝန်ထမ်း Separation Template ကို
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},{0} ၏သုညနံပါတ်သည်ချေးငွေကိုပေးမည်ဟုအာမခံထားသည်။ {0}
 DocType: Selling Settings,Sales Order Required,အရောင်းအမိန့်လိုအပ်ပါသည်
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,တစ်ဦးရောင်းချသူဖြစ်လာ
 ,Procurement Tracker,ပစ္စည်းဝယ်ယူရေး Tracker
@@ -4136,11 +4198,12 @@
 ,Minutes to First Response for Opportunity,အခွင့်အလမ်းများအတွက်ပထမဦးဆုံးတုံ့ပြန်မှုမှမိနစ်
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,စုစုပေါင်းပျက်ကွက်
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,အတန်းသည် item သို့မဟုတ်ဂိုဒေါင် {0} ပစ္စည်းတောင်းဆိုမှုနှင့်ကိုက်ညီပါဘူး
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,ပေးဆောင်ရမည့်ငွေပမာဏ
+DocType: Loan Repayment,Payable Amount,ပေးဆောင်ရမည့်ငွေပမာဏ
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,အခွင့်အရေး
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,အမြင့်ဆုံးစွမ်းအားသည်သုညထက်မနည်းစေရ။
 DocType: Options,Option,option
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},သင်ကတံခါးပိတ်စာရင်းကိုင်ကာလအတွင်း {0} စာရင်းကိုင် entries တွေကိုဖန်တီးလို့မရပါဘူး
 DocType: Operation,Default Workstation,default Workstation နှင့်
@@ -4182,6 +4245,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,အတိုးနှုန်းမှာမဖြစ်မနေလိုအပ်သည်
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Next ကိုခြေလှမ်းများ
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ကယ်တင်ခြင်းသို့ရောက်သောပစ္စည်းများ
@@ -4267,6 +4331,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Lab Test Item {0} ရှိပြီးသား
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ကုမ္ပဏီအားလပ်ရက်ဖြစ်ပါသည်
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ဘီလ်ဆောင်နာရီ
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,နှောင့်နှေးသောအကြွေးပြန်ဆပ်သည့်အချိန်တွင်ပင်စင်အတိုးနှုန်းကိုဆိုင်းငံ့အတိုးနှုန်းအပေါ်နေ့စဉ်ပေးဆောင်ရသည်
+DocType: Appointment Letter content,Appointment Letter content,ရက်ချိန်းပေးစာပါအကြောင်းအရာ
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,အခြေအနေသတိပေးချက် Leave
 DocType: Patient Appointment,Procedure Prescription,လုပ်ထုံးလုပ်နည်းညွှန်း
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,ပရိဘောဂများနှင့်ပွဲတွင်
@@ -4286,7 +4352,7 @@
 DocType: Opportunity,Customer / Lead Name,customer / ခဲအမည်
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ရှင်းလင်းရေးနေ့စွဲဖော်ပြခဲ့သောမဟုတ်
 DocType: Payroll Period,Taxable Salary Slabs,Taxable လစာတစ်ခုလို့ဆိုရမှာပါ
-DocType: Job Card,Production,ထုတ်လုပ်မှု
+DocType: Plaid Settings,Production,ထုတ်လုပ်မှု
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,မှားနေသော GSTIN! သင်ထည့်သွင်းဖူးတဲ့ input ကို GSTIN ၏ format နဲ့မကိုက်ညီပါဘူး။
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,အကောင့်တန်ဖိုး
 DocType: Guardian,Occupation,အလုပ်အကိုင်
@@ -4432,6 +4498,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,သစ္စာရှိမှုအစီအစဉ်စုစည်းမှု
 DocType: Stock Entry Detail,Subcontracted Item,နှုံး Item
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},ကျောင်းသား {0} အုပ်စု {1} ပိုင်ပါဘူး
+DocType: Appointment Letter,Appointment Date,ရက်ချိန်းရက်
 DocType: Budget,Cost Center,ကုန်ကျစရိတ် Center က
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,ဘောက်ချာ #
 DocType: Tax Rule,Shipping Country,သဘောင်္တင်ခနိုင်ငံဆိုင်ရာ
@@ -4502,6 +4569,7 @@
 DocType: Accounting Dimension,Accounting Dimension,စာရင်းကိုင် Dimension
 ,Profit and Loss Statement,အမြတ်နှင့်အရှုံးထုတ်ပြန်ကြေညာချက်
 DocType: Bank Reconciliation Detail,Cheque Number,Cheques နံပါတ်
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,ပေးဆောင်သည့်ပမာဏသည်သုညမဖြစ်နိုင်ပါ
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} အားဖြင့်ရည်ညွှန်းပစ္စည်း - {1} ပြီးသားသို့ပို့နေသည်
 ,Sales Browser,အရောင်း Browser ကို
 DocType: Journal Entry,Total Credit,စုစုပေါင်းချေးငွေ
@@ -4606,6 +4674,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,ကူပွန်အခြေအနေများထည့်ပေါင်း / တည်းဖြတ်ပါ
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,စရိတ် / Difference အကောင့်ကို ({0}) တစ်ဦး &#39;&#39; အကျိုးအမြတ်သို့မဟုတ်ပျောက်ဆုံးခြင်း &#39;&#39; အကောင့်ကိုရှိရမည်
 DocType: Stock Entry Detail,Stock Entry Child,စတော့အိတ် Entry &#39;ကလေး
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,ချေးငွေလုံခြုံရေးအပေါင်ကုမ္ပဏီနှင့်ချေးငွေကုမ္ပဏီအတူတူဖြစ်ရပါမည်
 DocType: Project,Copied From,မှစ. ကူးယူ
 DocType: Project,Copied From,မှစ. ကူးယူ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,ပြီးသားအားလုံးငွေတောင်းခံနာရီဖန်တီးငွေတောင်းခံလွှာ
@@ -4614,6 +4683,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,ဘဏ္ဍာရေးကုန်ကျစရိတ်ဖြစ်ပါသည်
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,ဝန်ထမ်း {0} သည်တက်ရောက်သူပြီးသားမှတ်သားသည်
 DocType: Packing Slip,If more than one package of the same type (for print),(ပုံနှိပ်သည်) တူညီသောအမျိုးအစားတစ်ခုထက် ပို. package ကို အကယ်.
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,ကျေးဇူးပြုပြီးပညာရေး&gt; ပညာရေးချိန်ညှိချက်များတွင်နည်းပြအမည်ပေးခြင်းစနစ်ကိုထည့်သွင်းပါ
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,စားသောက်ဆိုင်က Settings ထဲမှာ default အနေနဲ့ဖောက်သည်သတ်မှတ်ပေးပါ
 ,Salary Register,လစာမှတ်ပုံတင်မည်
 DocType: Company,Default warehouse for Sales Return,အရောင်းပြန်သွားဘို့ default ဂိုဒေါင်
@@ -4658,7 +4728,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,လက်ရှိ Serial ဘယ်သူမျှမက
 DocType: Employee,Attendance and Leave Details,အသေးစိတ်တက်ရောက်သူနှင့် Leave
 ,BOM Comparison Tool,BOM နှိုင်းယှဉ် Tool ကို
-,Requested,မေတ္တာရပ်ခံ
+DocType: Loan Security Pledge,Requested,မေတ္တာရပ်ခံ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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 တွေကိုဆွဲထုတ်ဤခလုတ်ကိုကလစ်နှိပ်ပါ။
@@ -4670,7 +4740,6 @@
 DocType: Drug Prescription,Drug Prescription,မူးယစ်ဆေးညွှန်း
 DocType: Service Level,Support and Resolution,ထောက်ပံ့ရေးနှင့်ဆုံးဖြတ်ချက်
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,အခမဲ့ကို item code ကိုမရွေးသည်မဟုတ်
-DocType: Loan,Repaid/Closed,ဆပ် / ပိတ်သည်
 DocType: Amazon MWS Settings,CA,", CA"
 DocType: Item,Total Projected Qty,စုစုပေါင်းစီမံကိန်းအရည်အတွက်
 DocType: Monthly Distribution,Distribution Name,ဖြန့်ဖြူးအမည်
@@ -4704,6 +4773,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,စတော့အိတ်သည်စာရင်းကိုင် Entry &#39;
 DocType: Lab Test,LabTest Approver,LabTest သဘောတူညီချက်ပေး
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,သငျသညျပြီးသား {} အဆိုပါအကဲဖြတ်သတ်မှတ်ချက်အဘို့အအကဲဖြတ်ပါပြီ။
+DocType: Loan Security Shortfall,Shortfall Amount,လိုအပ်ချက်ပမာဏ
 DocType: Vehicle Service,Engine Oil,အင်ဂျင်ပါဝါရေနံ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},အလုပ်အမိန့် Created: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},ယင်းခဲ {0} များအတွက်အီးမေးလ်တစ်စောင်အိုင်ဒီကိုသတ်မှတ်ပေးပါ
@@ -4722,6 +4792,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ဒိုင်ခွက်ဇယားအတွက်အကောင့်ကိုသတ်မှတ်မထားပါ {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Apply နောက်ထပ်လျှော့တွင်
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,အမျိုးအစားရွေးရန် ...
+DocType: Loan Interest Accrual,Amounts,ပမာဏ
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,သင့်ရဲ့လက်မှတ်
 DocType: Account,Root Type,အမြစ်ကအမျိုးအစား
 DocType: Item,FIFO,FIFO
@@ -4729,6 +4800,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},row # {0}: {1} Item သည် {2} ထက်ပိုမပြန်နိုင်သလား
 DocType: Item Group,Show this slideshow at the top of the page,စာမျက်နှာရဲ့ထိပ်မှာဒီဆလိုက်ရှိုးပြရန်
 DocType: BOM,Item UOM,item UOM
+DocType: Loan Security Price,Loan Security Price,ချေးငွေလုံခြုံရေးစျေးနှုန်း
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),လျှော့ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) ပြီးနောက်အခွန်ပမာဏ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target ကဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ
 apps/erpnext/erpnext/config/retail.py,Retail Operations,လက်လီစစ်ဆင်ရေး
@@ -4869,6 +4941,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},batch အတန်း {0} အတွက်မဖြစ်မနေဖြစ်ပါသည်
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},batch အတန်း {0} အတွက်မဖြစ်မနေဖြစ်ပါသည်
 DocType: Company,Default Buying Terms,default သတ်မှတ်ချက်များကိုဝယ်ယူ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,ချေးငွေထုတ်ပေးမှု
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ထောက်ပံ့ဝယ်ယူ Receipt Item
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Scheduled Synch Enable
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime မှ
@@ -4897,6 +4970,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},တန်ဖိုးအား betweeen {0} Enter နဲ့ {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,စုံစမ်းရေးအရင်းအမြစ်မဲဆွယ်စည်းရုံးရေးလျှင်ကင်ပိန်းအမည်ကိုထည့်
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,သတင်းစာထုတ်ဝေသူများ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},{0} အတွက်ခိုင်လုံသော <b>ချေးငွေလုံခြုံရေးစျေးနှုန်း</b> မတွေ့ပါ။
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,အနာဂတ်ရက်စွဲများခွင့်မပြု
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,မျှော်လင့်ထားသည့် Delivery နေ့စွဲအရောင်းအမိန့်နေ့စွဲနောက်မှာဖြစ်သင့်ပါတယ်
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Reorder အဆင့်
@@ -4963,6 +5037,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,အဆိုပြုချက်ကို / စျေး Quote
 DocType: Antibiotic,Healthcare,ကျန်းမာရေးစောင့်ရှောက်မှု
 DocType: Target Detail,Target Detail,Target က Detail
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,ချေးငွေလုပ်ငန်းစဉ်
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,လူပျိုမူကွဲ
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,အားလုံးဂျော့ဘ်
 DocType: Sales Order,% of materials billed against this Sales Order,ဒီအရောင်းအမိန့်ဆန့်ကျင်ကြေညာတဲ့ပစ္စည်း%
@@ -5026,7 +5101,7 @@
 DocType: Item,Reorder level based on Warehouse,ဂိုဒေါင်အပေါ်အခြေခံပြီး reorder level ကို
 DocType: Activity Cost,Billing Rate,ငွေတောင်းခံ Rate
 ,Qty to Deliver,လှတျတျောမူဖို့ Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,ငွေပေးချေ Entry &#39;Create
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,ငွေပေးချေ Entry &#39;Create
 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,Operations cannot be left blank,စစ်ဆင်ရေးအလွတ်ကျန်ရစ်မရနိုငျ
@@ -5060,6 +5135,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,ပြင်ပပေါင်းစည်းမှုလင့်ဖြုတ်ရန်
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,တစ်သက်ဆိုင်ရာငွေပေးချေမှုကိုရွေးချယ်ပါ
 DocType: Pricing Rule,Item Code,item Code ကို
+DocType: Loan Disbursement,Pending Amount For Disbursal,Disbursal များအတွက်ပမာဏဆိုင်းငံ့ထားသည်
 DocType: Student,EDU-STU-.YYYY.-,EDU တွင်-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,အာမခံ / AMC အသေးစိတ်ကို
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,ယင်းလုပ်ဆောင်ချက်ကိုအခြေခံပြီး Group မှအဘို့ကို manually ကျောင်းသားများကိုကို Select လုပ်ပါ
@@ -5085,6 +5161,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,အရည်အတွက်စုစုပေါင်း
 DocType: Landed Cost Item,Receipt Document,ငွေလက်ခံပြေစာစာရွက်စာတမ်း
 DocType: Employee Education,School/University,ကျောင်း / တက္ကသိုလ်က
+DocType: Loan Security Pledge,Loan  Details,ချေးငွေအသေးစိတ်
 DocType: Sales Invoice Item,Available Qty at Warehouse,ဂိုဒေါင်ကနေရယူနိုင်ပါတယ် Qty
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,ကြေညာတဲ့ငွေပမာဏ
 DocType: Share Transfer,(including),(အပါအဝငျ)
@@ -5108,6 +5185,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,အုပ်စုများ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,အကောင့်အားဖြင့်အုပ်စု
 DocType: Purchase Invoice,Hold Invoice,ငွေတောင်းခံလွှာ Hold
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,ပေါင်အခြေအနေ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,ထမ်းကို select ပေးပါ
 DocType: Sales Order,Fully Delivered,အပြည့်အဝကိုကယ်နှုတ်
 DocType: Promotional Scheme Price Discount,Min Amount,min ငွေပမာဏ
@@ -5117,7 +5195,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},ထုတ်ချေးငွေပမာဏချေးငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},အတန်း {0} # ခွဲဝေငွေပမာဏ {1} သည့်အရေးမဆိုထားသောငွေပမာဏ {2} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Item {0} လိုအပ်ဝယ်ယူခြင်းအမိန့်အရေအတွက်
 DocType: Leave Allocation,Carry Forwarded Leaves,forward မလုပ်ရွက်သယ်
@@ -5145,6 +5222,7 @@
 DocType: Pick List Item,Serial No and Batch,serial ဘယ်သူမျှမကနှင့်အသုတ်လိုက်
 DocType: Warranty Claim,From Company,ကုမ္ပဏီအနေဖြင့်
 DocType: GSTR 3B Report,January,ဇန္နဝါရီလ
+DocType: Loan Repayment,Principal Amount Paid,ပေးဆောင်သည့်ငွေပမာဏ
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,အကဲဖြတ်လိုအပ်ချက်များ၏ရမှတ်များပေါင်းလဒ် {0} ဖြစ်ရန်လိုအပ်ပါသည်။
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,ကြိုတင်ဘွတ်ကင်တန်ဖိုးအရေအတွက်သတ်မှတ်ထားပေးပါ
 DocType: Supplier Scorecard Period,Calculations,တွက်ချက်မှုများ
@@ -5171,6 +5249,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,သင့်ရဲ့ကုမ္ပဏီအကြောင်း
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,စတော့အိတ်အိုမင်းခြင်းဟာဒေတာများကိုပြရန်
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,အကောင့်ကိုရန်အကြွေးတစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည်
+DocType: Loan Repayment,Penalty Amount,ပြစ်ဒဏ်ပမာဏ
 DocType: Donor,Donor,အလှူရှင်
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ပစ္စည်းများအတွက်အခွန် update လုပ်ပါ
 DocType: Global Defaults,Disable In Words,စကားထဲမှာ disable
@@ -5201,6 +5280,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ကုန်ကျစရိတ်စင်တာနှင့်ဘတ်ဂျက်
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Balance Equity ဖွင့်လှစ်
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,တစ်စိတ်တစ်ပိုင်း Paid Entry
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,ယင်းငွေပေးချေမှုရမည့်ဇယားသတ်မှတ်ပေးပါ
 DocType: Pick List,Items under this warehouse will be suggested,ဒီဂိုဒေါင်အောက်မှာ items အကြံပြုပါလိမ့်မည်
 DocType: Purchase Invoice,N,N ကို
@@ -5234,7 +5314,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} Item {1} ဘို့မတွေ့ရှိ
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Value ကို {0} နှင့် {1} အကြားဖြစ်ရပါမည်
 DocType: Accounts Settings,Show Inclusive Tax In Print,ပုံနှိပ်ပါခုနှစ်တွင် Inclusive အခွန်ပြရန်
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","နေ့စွဲ မှစ. နှင့်နေ့စွဲရန်ဘဏ်အကောင့်, မသင်မနေရများမှာ"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,message Sent
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,ကလေးသူငယ် node များနှင့်အတူအကောင့်ကိုလယ်ဂျာအဖြစ်သတ်မှတ်မရနိုငျ
 DocType: C-Form,II,II ကို
@@ -5248,6 +5327,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,အော်တိုပြန်အမိန့် Enable
 DocType: Stock Settings,Item Naming By,အားဖြင့်အမည် item
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},{0} {1} ပြီးနောက်ဖန်ဆင်းခဲ့နောက်ထပ်ကာလသင်တန်းဆင်းပွဲ Entry &#39;
+DocType: Proposed Pledge,Proposed Pledge,အဆိုပြုထားအပေါင်
 DocType: Work Order,Material Transferred for Manufacturing,ကုန်ထုတ်လုပ်မှုသည်လွှဲပြောင်း material
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,အကောင့်ကို {0} တည်ရှိပါဘူး
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,သစ္စာရှိမှုအစီအစဉ်ကို Select လုပ်ပါ
@@ -5258,7 +5338,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",အရောင်း Persons အောက်ကမှပူးတွဲထမ်းတစ်ဦးအသုံးပြုသူ ID {1} ရှိသည်ပါဘူးကတည်းက {0} မှပွဲများကိုပြင်ဆင်ခြင်း
 DocType: Timesheet,Billing Details,ငွေတောင်းခံအသေးစိတ်
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်မတူညီတဲ့သူဖြစ်ရမည်
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,ကျေးဇူးပြု၍ လူ့စွမ်းအားအရင်းအမြစ်&gt; HR ဆက်တင်တွင် Employee Naming System ကိုထည့်သွင်းပါ
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ငွေပေးချေမှုရမည့်မအောင်မြင်ပါ။ အသေးစိတ်အဘို့သင့် GoCardless အကောင့်စစ်ဆေးပါ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} ထက်အသက်အရွယ်ကြီးစတော့ရှယ်ယာအရောင်းအ update လုပ်ဖို့ခွင့်မပြု
 DocType: Stock Entry,Inspection Required,စစ်ဆေးရေးလိုအပ်ပါသည်
@@ -5271,6 +5350,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},စတော့ရှယ်ယာကို item {0} များအတွက်လိုအပ်သော delivery ဂိုဒေါင်
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),အထုပ်၏စုစုပေါင်းအလေးချိန်။ ပိုက်ကွန်ကိုအလေးချိန် + ထုပ်ပိုးပစ္စည်းအလေးချိန်များသောအားဖြင့်။ (ပုံနှိပ်သည်)
 DocType: Assessment Plan,Program,အစီအစဉ်
+DocType: Unpledge,Against Pledge,Pledge ဆန့်ကျင်
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ဒီအခန်းကဏ္ဍနှင့်အတူအသုံးပြုသူများကအေးခဲအကောင့်အသစ်များ၏ ထား. ဖန်တီး / အေးစက်နေတဲ့အကောင့်အသစ်များ၏ဆန့်ကျင်စာရင်းကိုင် entries တွေကိုပြုပြင်မွမ်းမံဖို့ခွင့်ပြုနေကြတယ်
 DocType: Plaid Settings,Plaid Environment,Plaid ပတ်ဝန်းကျင်
 ,Project Billing Summary,Project မှငွေတောင်းခံလွှာအနှစ်ချုပ်
@@ -5323,6 +5403,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,batch
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ရက်ချိန်းကြိုတင်ကြိုတင်ဘွတ်ကင်လုပ်နိုင်သည့်ရက်အရေအတွက်
 DocType: Article,LMS User,LMS အသုံးပြုသူ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,ချေးငွေအတွက်အာမခံအပေါင်ပစ္စည်းသည်လုံခြုံသောချေးငွေအတွက်မဖြစ်မနေလိုအပ်သည်
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),ထောက်ပံ့ရေးရာ (ပြည်နယ် / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,စတော့အိတ် UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,ဝယ်ယူခြင်းအမိန့် {0} တင်သွင်းသည်မဟုတ်
@@ -5398,6 +5479,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ယောဘသည် Card ကို Create
 DocType: Quotation,Referral Sales Partner,လွှဲပြောင်းအရောင်းပါတနာ
 DocType: Quality Procedure Process,Process Description,ဖြစ်စဉ်ကိုဖျေါပွခကျြ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",Unpledge မရနိုင်ပါ၊ ချေးငွေလုံခြုံရေးတန်ဖိုးသည်ပြန်လည်ပေးဆပ်ထားသောငွေပမာဏထက်သာသည်
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ဖောက်သည် {0} နေသူများကဖန်တီး။
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,မည်သည့်ဂိုဒေါင်ထဲမှာရရှိနိုင်လောလောဆယ်အဘယ်သူမျှမစတော့ရှယ်ယာ
 ,Payment Period Based On Invoice Date,ပြေစာနေ့စွဲတွင် အခြေခံ. ငွေပေးချေမှုရမည့်ကာလ
@@ -5418,7 +5500,7 @@
 DocType: Asset,Insurance Details,အာမခံအသေးစိတ်
 DocType: Account,Payable,ပေးအပ်သော
 DocType: Share Balance,Share Type,ဝေမျှမယ်အမျိုးအစား
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,ပြန်ဆပ်ကာလကိုရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,ပြန်ဆပ်ကာလကိုရိုက်ထည့်ပေးပါ
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ကိုက် ({0})
 DocType: Pricing Rule,Margin,margin
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,နယူး Customer များ
@@ -5427,6 +5509,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,ခဲအရင်းအမြစ်အားဖြင့်အခွင့်အလမ်းများကို
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,ပြောင်းလဲမှု POS ကိုယ်ရေးဖိုင်
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,အရေအတွက်သို့မဟုတ်ပမာဏသည်ချေးငွေလုံခြုံရေးအတွက် mandatroy ဖြစ်သည်
 DocType: Bank Reconciliation Detail,Clearance Date,ရှင်းလင်းရေးနေ့စွဲ
 DocType: Delivery Settings,Dispatch Notification Template,dispatch သတိပေးချက် Template ကို
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,အကဲဖြတ်အစီရင်ခံစာ
@@ -5475,7 +5558,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks ကုမ္ပဏီ ID ကို
 DocType: Travel Request,Travel Funding,ခရီးသွားရန်ပုံငွေရှာခြင်း
 DocType: Employee Skill,Proficiency,ကျွမ်းကျင်မှု
-DocType: Loan Application,Required by Date,နေ့စွဲခြင်းဖြင့်တောင်းဆိုနေတဲ့
 DocType: Purchase Invoice Item,Purchase Receipt Detail,ဝယ်ယူလက်ခံရရှိအသေးစိတ်
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,အဆိုပါသီးနှံကြီးထွားလာသောအပေါငျးတို့သနေရာများမှတစ်ဦးက link ကို
 DocType: Lead,Lead Owner,ခဲပိုင်ရှင်
@@ -5494,7 +5576,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,လက်ရှိ BOM နှင့် New BOM အတူတူမဖွစျနိုငျ
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,လစာစလစ်ဖြတ်ပိုင်းပုံစံ ID ကို
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,အငြိမ်းစားအမျိုးမျိုးနေ့စွဲအတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ပေးသွင်းသူ&gt; ပေးသွင်းသူအမျိုးအစား
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,အကွိမျမြားစှာမူကွဲ
 DocType: Sales Invoice,Against Income Account,ဝင်ငွေခွန်အကောင့်ဆန့်ကျင်
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,ကယ်နှုတ်တော်မူ၏ {0}%
@@ -5527,7 +5608,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,အဘိုးပြတ်သည်အတိုင်း type ကိုစွဲချက် Inclusive အဖြစ်မှတ်သားမရပါဘူး
 DocType: POS Profile,Update Stock,စတော့အိတ် Update
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,ငွေပေးချေမှုရမည့်အသေးစိတ်အကြောင်းအရာ
+DocType: Loan Repayment,Payment Details,ငွေပေးချေမှုရမည့်အသေးစိတ်အကြောင်းအရာ
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Uploaded ဖိုင်မှတ်တမ်း Reading
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","လုပ်ငန်းခွင်အမိန့်ကိုပယ်ဖျက်ပေးဖို့ပထမဦးဆုံးက Unstop, ဖျက်သိမ်းမရနိုငျရပ်တန့်"
@@ -5562,6 +5643,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,အများဆုံးချေးငွေတန်ဖိုး
 ,Stock Ledger,စတော့အိတ်လယ်ဂျာ
 DocType: Company,Exchange Gain / Loss Account,ချိန်း Gain / ပျောက်ဆုံးခြင်းအကောင့်
 DocType: Amazon MWS Settings,MWS Credentials,MWS သံတမန်ဆောင်ဧည်
@@ -5569,6 +5651,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},ရည်ရွယ်ချက် {0} တယောက်ဖြစ်ရပါမည်
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,ပုံစံဖြည့်ခြင်းနှင့်ကယ်
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,ကွန်မြူနတီဖိုရမ်၏
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},၀ န်ထမ်းအားခွဲတမ်းချန်ထားခြင်းမရှိပါ - {0} Leave အမျိုးအစားအတွက် {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,စတော့ရှယ်ယာအတွက်အမှန်တကယ်အရည်အတွက်
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,စတော့ရှယ်ယာအတွက်အမှန်တကယ်အရည်အတွက်
 DocType: Homepage,"URL for ""All Products""",&quot;အားလုံးထုတ်ကုန်များ&quot; အတွက် URL ကို
@@ -5671,7 +5754,6 @@
 DocType: Fee Schedule,Fee Schedule,အခကြေးငွေဇယား
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,ကော်လံ Labels: ကဗျာ
 DocType: Bank Transaction,Settled,အခြေချ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,ငွေပေးချေနေ့စွဲချေးငွေပြန်ဆပ်ဖို့ Start နေ့စွဲပြီးနောက်မဖွစျနိုငျ
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,အခွန်
 DocType: Quality Feedback,Parameters,parameters
 DocType: Company,Create Chart Of Accounts Based On,Accounts ကိုအခြေပြုတွင်၏ဇယား Create
@@ -5691,6 +5773,7 @@
 DocType: Customer,Credit Limit and Payment Terms,အကြွေးကန့်သတ်ခြင်းနှင့်ငွေပေးချေမှုရမည့်စည်းမျဉ်းစည်းကမ်းများ
 DocType: Loyalty Program,Collection Rules,ငွေကောက်ခံစည်းကမ်းများ
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,item 3
+DocType: Loan Security Shortfall,Shortfall Time,အချိန်တို
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,အမိန့် Entry &#39;
 DocType: Purchase Order,Customer Contact Email,customer ဆက်သွယ်ရန်အီးမေးလ်
 DocType: Warranty Claim,Item and Warranty Details,item နှင့်အာမခံအသေးစိတ်
@@ -5710,12 +5793,14 @@
 DocType: Sales Person,Sales Person Name,အရောင်းပုဂ္ဂိုလ်အမည်
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,table ထဲမှာ atleast 1 ငွေတောင်းခံလွှာကိုရိုက်ထည့်ပေးပါ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,created အဘယ်သူမျှမ Lab ကစမ်းသပ်
+DocType: Loan Security Shortfall,Security Value ,လုံခြုံရေးတန်ဖိုး
 DocType: POS Item Group,Item Group,item Group က
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ကျောင်းသားအုပ်စု:
 DocType: Depreciation Schedule,Finance Book Id,ဘဏ္ဍာရေးစာအုပ် Id
 DocType: Item,Safety Stock,အန္တရာယ်ကင်းရှင်းရေးစတော့အိတ်
 DocType: Healthcare Settings,Healthcare Settings,ကျန်းမာရေးစောင့်ရှောက်မှုက Settings
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,စုစုပေါင်းခွဲဝေအရွက်
+DocType: Appointment Letter,Appointment Letter,ရက်ချိန်းပေးစာ
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,တစ်ဦး task အတွက်တိုးတက်ရေးပါတီ% 100 ကျော်မဖြစ်နိုင်ပါ။
 DocType: Stock Reconciliation Item,Before reconciliation,ပြန်လည်သင့်မြတ်ရေးမဖြစ်မီ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},{0} မှ
@@ -5771,6 +5856,7 @@
 DocType: Stock Entry,From BOM,BOM ကနေ
 DocType: Assessment Code,Assessment Code,အကဲဖြတ် Code ကို
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,အခြေခံပညာ
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,ဖောက်သည်များနှင့် ၀ န်ထမ်းများထံမှချေးငွေလျှောက်လွှာများ။
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} အေးခဲနေကြပါတယ်စတော့အိတ်အရောင်းအမီ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&#39;&#39; Generate ဇယား &#39;&#39; ကို click ပါ ကျေးဇူးပြု.
 DocType: Job Card,Current Time,လက်ရှိအချိန်
@@ -5797,7 +5883,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,ဂရန်
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,အဘယ်သူမျှမကျောင်းသားသမဂ္ဂအဖွဲ့များကိုဖန်တီးခဲ့တယ်။
 DocType: Purchase Invoice Item,Serial No,serial No
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,လစဉ်ပြန်ဆပ်ငွေပမာဏချေးငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,လစဉ်ပြန်ဆပ်ငွေပမာဏချေးငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Maintaince အသေးစိတ်ပထမဦးဆုံးရိုက်ထည့်ပေးပါ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,အတန်း # {0}: မျှော်မှန်း Delivery နေ့စွဲဝယ်ယူမိန့်နေ့စွဲမတိုင်မီမဖွစျနိုငျ
 DocType: Purchase Invoice,Print Language,ပုံနှိပ်ပါဘာသာစကားများ
@@ -5811,6 +5897,7 @@
 DocType: Asset,Finance Books,ဘဏ္ဍာရေးစာအုပ်များ
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,ဝန်ထမ်းအခွန်ကင်းလွတ်ခွင့်ကြေညာစာတမ်းအမျိုးအစား
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,အားလုံးသည် Territories
+DocType: Plaid Settings,development,ဖွံ့ဖြိုးရေး
 DocType: Lost Reason Detail,Lost Reason Detail,ဆုံးရှုံးသွားသောအကြောင်းရင်းအသေးစိတ်
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,ထမ်း / အဆင့်စံချိန်အတွက်ဝန်ထမ်း {0} ဘို့မူဝါဒအစွန့်ခွာသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,ရွေးချယ်ထားသောဖောက်သည်များနှင့်ပစ္စည်းများအတွက်မှားနေသောစောင်အမိန့်
@@ -5875,12 +5962,14 @@
 DocType: Staffing Plan Detail,Current Openings,လက်ရှိပွင့်
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,စစ်ဆင်ရေးအနေဖြင့်ငွေသားဖြင့် Flow
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST ငွေပမာဏ
+DocType: Vehicle Log,Current Odometer value ,လက်ရှိ Odometer တန်ဖိုး
 apps/erpnext/erpnext/utilities/activation.py,Create Student,ကျောင်းသား Create
 DocType: Asset Movement Item,Asset Movement Item,ပိုင်ဆိုင်မှုလှုပ်ရှားမှုပစ္စည်း
 DocType: Purchase Invoice,Shipping Rule,သဘောင်္တင်ခ Rule
 DocType: Patient Relation,Spouse,ဇနီး
 DocType: Lab Test Groups,Add Test,စမ်းသပ်ခြင်း Add
 DocType: Manufacturer,Limited to 12 characters,12 ဇာတ်ကောင်များကန့်သတ်
+DocType: Appointment Letter,Closing Notes,မှတ်စုများပိတ်ခြင်း
 DocType: Journal Entry,Print Heading,ပုံနှိပ် HEAD
 DocType: Quality Action Table,Quality Action Table,အရည်အသွေးလှုပ်ရှားမှုဇယား
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,စုစုပေါင်းသုညမဖြစ်နိုင်
@@ -5948,6 +6037,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),စုစုပေါင်း (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},ဖော်ထုတ်ရန် / အမျိုးအစားများအတွက်အကောင့် (Group မှ) ဖန်တီးပါ - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entertainment က &amp; Leisure
+DocType: Loan Security,Loan Security,ချေးငွေလုံခြုံရေး
 ,Item Variant Details,item မူကွဲအသေးစိတ်
 DocType: Quality Inspection,Item Serial No,item Serial No
 DocType: Payment Request,Is a Subscription,တစ်ဦး Subscription Is
@@ -5960,7 +6050,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,နောက်ဆုံးရခေတ်
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,စီစဉ်ထားခြင်းနှင့် ၀ င်ခွင့်ပြုသည့်နေ့ရက်များသည်ယနေ့ထက်နည်းမည်မဟုတ်ပါ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ပေးသွင်းဖို့ပစ္စည်းလွှဲပြောင်း
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,နယူး Serial No ဂိုဒေါင်ရှိသည်မဟုတ်နိုင်။ ဂိုဒေါင်စတော့အိတ် Entry &#39;သို့မဟုတ်ဝယ်ယူခြင်းပြေစာအားဖြင့်သတ်မှတ်ထားရမည်
 DocType: Lead,Lead Type,ခဲ Type
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,စျေးနှုန်း Create
@@ -5978,7 +6067,6 @@
 DocType: Leave Allocation,Leave Period,ကာလ Leave
 DocType: Item,Default Material Request Type,default ပစ္စည်းတောင်းဆိုမှုအမျိုးအစား
 DocType: Supplier Scorecard,Evaluation Period,အကဲဖြတ်ကာလ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ဖောက်သည်&gt; ဖောက်သည်အုပ်စု&gt; နယ်မြေ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,အမည်မသိ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,အလုပ်အမိန့်နေသူများကဖန်တီးမပေး
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6064,7 +6152,8 @@
 ,Customer-wise Item Price,ဖောက်သည်ပညာပစ္စည်းဈေးနှုန်း
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,ငွေသား Flow ဖော်ပြချက်
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,created အဘယ်သူမျှမပစ္စည်းကိုတောငျးဆိုခကျြ
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ချေးငွေပမာဏ {0} အများဆုံးချေးငွေပမာဏထက်မပိုနိုင်
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ချေးငွေပမာဏ {0} အများဆုံးချေးငွေပမာဏထက်မပိုနိုင်
+DocType: Loan,Loan Security Pledge,ချေးငွေလုံခြုံရေးအပေါင်
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,လိုင်စင်
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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 ကျေးဇူးပြု.
@@ -6082,6 +6171,7 @@
 DocType: Pricing Rule,Price Discount Scheme,စျေးလျှော့အစီအစဉ်
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,ကို Maintenance အခြေအနေ Submit မှပယ်ဖျက်ထားသည်မှာသို့မဟုတ် Completed ခံရဖို့ရှိပါတယ်
 DocType: Amazon MWS Settings,US,အမေရိကန်
+DocType: Loan Security Pledge,Pledged,ကျေးဇူးတင်ပါတယ်
 DocType: Holiday List,Add Weekly Holidays,အပတ်စဉ်အားလပ်ရက် Add
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,အစီရင်ခံစာ Item
 DocType: Staffing Plan Detail,Vacancies,လစ်လပ်သောနေရာ
@@ -6100,7 +6190,6 @@
 DocType: Production Plan Item,Planned Start Date,စီစဉ်ထား Start ကိုနေ့စွဲ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,တစ်ဦး BOM ကို select ပေးပါ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ရရှိနိုင်ပါ ITC ပေါင်းစည်းအခွန်
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,ပြန်ဆပ် Entry &#39;Create
 DocType: Purchase Order Item,Blanket Order Rate,စောင်အမိန့်နှုန်း
 ,Customer Ledger Summary,ဖောက်သည် Ledger အကျဉ်းချုပ်
 apps/erpnext/erpnext/hooks.py,Certification,လက်မှတ်ပေးခြင်း
@@ -6121,6 +6210,7 @@
 DocType: Appraisal Template,Appraisal Template Title,စိစစ်ရေး Template: ခေါင်းစဉ်မရှိ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ကုန်သွယ်လုပ်ငန်းခွန်
 DocType: Patient,Alcohol Current Use,အရက်လက်ရှိအသုံးပြုမှု
+DocType: Loan,Loan Closure Requested,ချေးငွေပိတ်သိမ်းတောင်းဆိုခဲ့သည်
 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,အခွန်ကင်းလွတ်ခွင့်အမျိုးအစား
@@ -6144,6 +6234,7 @@
 DocType: Opening Invoice Creation Tool,Sales,အရောင်း
 DocType: Stock Entry Detail,Basic Amount,အခြေခံပညာပမာဏ
 DocType: Training Event,Exam,စာမေးပွဲ
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,ချေးငွေလုံခြုံရေးလိုအပ်ချက်
 DocType: Email Campaign,Email Campaign,အီးမေးလ်ပို့ရန်ကင်ပိန်း
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Marketplace မှားယွင်းနေသည်
 DocType: Complaint,Complaint,တိုင်ကြားစာ
@@ -6223,6 +6314,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,အဆိုပါထမ်းစံချိန်ကိုဖန်တီးရန်ဒီ Submit
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},{0} နဲ့ချေးငွေလုံခြုံရေးစျေးနှင့်ထပ်နေသည်
 DocType: Item Default,Item Default,item ပုံမှန်
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,အချင်းချင်းအပြန်အလှန်ပြည်နယ်ထောက်ပံ့ကုန်
 DocType: Chapter Member,Leave Reason,အကြောင်းပြချက် Leave
@@ -6250,6 +6342,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} ကူပွန်သည် {1} ဖြစ်သည်။ ခွင့်ပြုထားသောပမာဏကုန်သွားသည်
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,သငျသညျပစ္စည်းတောင်းဆိုစာတင်သွင်းချင်ပါနဲ့
 DocType: Job Offer,Awaiting Response,စောင့်ဆိုင်းတုန့်ပြန်
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,ချေးငွေမဖြစ်မနေဖြစ်ပါတယ်
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU တွင်-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,အထက်
 DocType: Support Search Source,Link Options,link ကို Options ကို
@@ -6262,6 +6355,7 @@
 DocType: Training Event Employee,Optional,optional
 DocType: Salary Slip,Earning & Deduction,ဝင်ငွေ &amp; ထုတ်ယူ
 DocType: Agriculture Analysis Criteria,Water Analysis,ရေအားသုံးသပ်ခြင်း
+DocType: Pledge,Post Haircut Amount,ဆံပင်ညှပ်ပမာဏ
 DocType: Sales Order,Skip Delivery Note,ပေးပို့မှတ်စုကိုကျော်လိုက်ပါ
 DocType: Price List,Price Not UOM Dependent,စျေး UOM မှီခိုမ
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} created variants ။
@@ -6288,6 +6382,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,ထုတ်ကုန်ပစ္စည်း Bundle ကိုထံမှပစ္စည်းများ Get
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,ချေးငွေသက်တမ်းကိုပြန်ဆပ်ရန်နည်းလမ်းသည်မဖြစ်မနေလိုအပ်သည်
 DocType: Asset,Straight Line,မျဥ်းဖြောင့်
 DocType: Project User,Project User,Project မှအသုံးပြုသူတို့၏
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,ကွဲ
@@ -6336,7 +6431,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Frozen Accounts ကို &amp; Edit ကိုအေးခဲ Entries Set မှ Allowed အခန်းကဏ္ဍ
 DocType: Supplier Scorecard Scoring Variable,Path,path
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ဒါကြောင့်ကလေးဆုံမှတ်များရှိပါတယ်အဖြစ်လယ်ဂျာမှကုန်ကျစရိတ် Center က convert နိုင်ဘူး
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM ပြောင်းလဲမှုအချက် ({0} -&gt; {1}) ကိုရှာမတွေ့ပါ။ {2}
 DocType: Production Plan,Total Planned Qty,စုစုပေါင်းစီစဉ်ထားအရည်အတွက်
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ပြီးသားကြေညာချက်ကနေ retreived ငွေကြေးလွှဲပြောင်းမှုမှာ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ဖွင့်လှစ် Value တစ်ခု
@@ -6345,7 +6439,6 @@
 DocType: Material Request Plan Item,Required Quantity,လိုအပ်သောပမာဏ
 DocType: Lab Test Template,Lab Test Template,Lab ကစမ်းသပ် Template ကို
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},စာရင်းကိုင်ကာလ {0} နှင့်ထပ်
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ပေးသွင်းသူ&gt; ပေးသွင်းသူအမျိုးအစား
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,အရောင်းအကောင့်
 DocType: Purchase Invoice Item,Total Weight,စုစုပေါင်းအလေးချိန်
 DocType: Pick List Item,Pick List Item,စာရင်း Item Pick
@@ -6394,6 +6487,7 @@
 DocType: Patient Encounter,Encounter Date,တှေ့ဆုံနေ့စွဲ
 DocType: Work Order,Update Consumed Material Cost In Project,စီမံကိန်းများတွင် Update ကိုစားသုံးပစ္စည်းကုန်ကျစရိတ်
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,အကောင့်ဖွင်: {0} ငွေကြေးနှင့်အတူ: {1} ကိုရှေးခယျြမရနိုငျ
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ဖောက်သည်များနှင့် ၀ န်ထမ်းများအားချေးငွေများ
 DocType: Bank Statement Transaction Settings Item,Bank Data,ဘဏ်ဒေတာများ
 DocType: Purchase Receipt Item,Sample Quantity,နမူနာအရေအတွက်
 DocType: Bank Guarantee,Name of Beneficiary,အကျိုးခံစားအမည်
@@ -6462,7 +6556,6 @@
 DocType: Contract,Signed On,တွင်လက်မှတ်ရေးထိုးခဲ့
 DocType: Bank Account,Party Type,ပါတီ Type
 DocType: Discounted Invoice,Discounted Invoice,လျှော့ငွေတောင်းခံလွှာ
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,အဖြစ်တက်ရောက်သူမှတ်သားပါ <b></b>
 DocType: Payment Schedule,Payment Schedule,ငွေပေးချေမှုရမည့်ဇယား
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ပေးထားသောဝန်ထမ်းလယ်ကွင်းတန်ဖိုးကိုရှာမတွေ့န်ထမ်း။ &#39;&#39; {} &#39;: {}
 DocType: Item Attribute Value,Abbreviation,အကျဉ်း
@@ -6534,6 +6627,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,အကြွေးရှင်
 DocType: Assessment Plan,Assessment Name,အကဲဖြတ်အမည်
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,row # {0}: Serial မရှိပါမဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,ချေးငွေကိုပိတ်ပစ်ရန် {0} ပမာဏလိုအပ်သည်
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,item ပညာရှိခွန် Detail
 DocType: Employee Onboarding,Job Offer,ယောဘသည်ကမ်းလှမ်းချက်
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute မှအတိုကောက်
@@ -6558,7 +6652,6 @@
 DocType: Purchase Order,To Receive,လက်ခံမှ
 DocType: Leave Period,Holiday List for Optional Leave,မလုပ်မဖြစ်ခွင့်များအတွက်အားလပ်ရက်များစာရင်း
 DocType: Item Tax Template,Tax Rates,အခွန်နှုန်း
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ပစ္စည်းကုဒ်&gt; ပစ္စည်းအုပ်စု&gt; ကုန်အမှတ်တံဆိပ်
 DocType: Asset,Asset Owner,ပိုင်ဆိုင်မှုပိုင်ရှင်
 DocType: Item,Website Content,ဝက်ဘ်ဆိုက်အကြောင်းအရာ
 DocType: Bank Account,Integration ID,ပေါင်းစည်းရေး ID ကို
@@ -6574,6 +6667,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch အမိန့်
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,ထုတ်လုပ်မှုပြန်လွှတ်ပေးခဲ့အမိန့်။
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာကိုရွေးပါ ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},ကျေးဇူးပြု၍ ကုမ္ပဏီအတွက်ချေးငွေအမျိုးအစားကိုရွေးပါ {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Entry &#39;ပါစေရန်လိုအပ်သည် POS ကိုယ်ရေးအချက်အလက်များ profile
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","သစ္စာရှိမှုအမှတ်ဖော်ပြခဲ့တဲ့စုဆောင်းခြင်းအချက်ပေါ်အခြေခံပြီး, (ယင်းအရောင်းပြေစာမှတဆင့်) ကိုသုံးစွဲပြီးပြီထံမှတွက်ချက်ပါလိမ့်မည်။"
 DocType: Program Enrollment Tool,Enroll Students,ကျောင်းသားများကျောင်းအပ်
@@ -6602,6 +6696,7 @@
 DocType: Customer,Mention if non-standard receivable account,Non-စံ receiver အကောင့်ကိုလျှင်ဖော်ပြထားခြင်း
 DocType: Bank,Plaid Access Token,Plaid Access ကိုတိုကင်
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,လက်ရှိအစိတ်အပိုင်းမဆိုရန်ကျန်ရှိအကျိုးကျေးဇူးများကို {0} add ပေးပါ
+DocType: Bank Account,Is Default Account,ပုံမှန်အကောင့်ဖြစ်သည်
 DocType: Journal Entry Account,If Income or Expense,ဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုမယ်ဆိုရင်
 DocType: Course Topic,Course Topic,သင်တန်းခေါင်းစဉ်
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},voucher ပိတ်ပွဲ POS alreday {0} {1} နေ့စွဲအကြားနှင့် {2} များအတွက်တည်ရှိ
@@ -6614,7 +6709,7 @@
 DocType: Disease,Treatment Task,ကုသမှု Task ကို
 DocType: Payment Order Reference,Bank Account Details,ဘဏ်အကောင့်ကိုအသေးစိတ်
 DocType: Purchase Order Item,Blanket Order,စောင်အမိန့်
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ပြန်ဆပ်ငွေပမာဏထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ပြန်ဆပ်ငွေပမာဏထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,အခွန်ပိုင်ဆိုင်မှုများ
 DocType: BOM Item,BOM No,BOM မရှိပါ
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,နောက်ဆုံးသတင်းများအသေးစိတ်
@@ -6671,6 +6766,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce ထုတ်ကုန်များ
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},ဖော်မြူလာသို့မဟုတ်အခြေအနေ syntax အမှား: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,ကစတော့ရှယ်ယာကို item မဟုတ်ပါဘူးကတည်းက item {0} လျစ်လျူရှု
+,Loan Security Status,ချေးငွေလုံခြုံရေးအခြေအနေ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","တစ်ဦးအထူးသဖြင့်အရောင်းအဝယ်အတွက်စျေးနှုန်းများ Rule လျှောက်ထားမ, ရှိသမျှသက်ဆိုင်သောစျေးနှုန်းများနည်းဥပဒေများကိုပိတ်ထားသင့်ပါတယ်။"
 DocType: Payment Term,Day(s) after the end of the invoice month,ငွေတောင်းခံလွှာလကုန်ပြီးနောက်နေ့ (s) ကို
 DocType: Assessment Group,Parent Assessment Group,မိဘအကဲဖြတ် Group မှ
@@ -6685,7 +6781,6 @@
 DocType: Stock Entry Detail,Additional Cost,အပိုဆောင်းကုန်ကျစရိတ်
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ဘောက်ချာများကအုပ်စုဖွဲ့လျှင်, voucher မရှိပါအပေါ်အခြေခံပြီး filter နိုင်ဘူး"
 DocType: Quality Inspection,Incoming,incoming
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,ကျေးဇူးပြု၍ Setup&gt; Numbering Series မှတဆင့်တက်ရောက်သူများအတွက်နံပါတ်စဉ်ဆက်တင်များကိုစီစဉ်ပေးပါ
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,အရောင်းနှင့်ဝယ်ယူဘို့ default အခွန်တင်းပလိတ်များဖန်တီးနေကြသည်။
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,အကဲဖြတ်ရလဒ်စံချိန် {0} ရှိပြီးဖြစ်သည်။
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ဥပမာ: ABCD ##### ။ ။ စီးရီးသတ်မှတ်နှင့်အသုတ်လိုက်အဘယ်သူမျှမငွေကြေးလွှဲပြောင်းမှုမှာဖော်ပြခဲ့တဲ့သည်မဟုတ်, ထို့နောက်အလိုအလျှောက်အသုတ်အရေအတွက်ကဒီစီးရီးအပေါ်အခြေခံပြီးဖန်တီးလိမ့်မည်။ အကယ်. သင်အမြဲအတိအလင်းဤအရာအတွက်အဘယ်သူမျှမဘတ်ချ်ဖော်ပြထားခြင်းချင်လျှင်, ဤအလွတ်ထားခဲ့ပါ။ မှတ်ချက်: ဒီ setting ကိုစတော့အိတ်ချိန်ညှိမှုများအတွက်အမည်ဖြင့်သမုတ်စီးရီးရှေ့စာလုံးကျော်ဦးစားပေးကိုယူပါလိမ့်မယ်။"
@@ -6696,8 +6791,10 @@
 DocType: Contract,Party User,ပါတီအသုံးပြုသူ
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b> အတွက်ဖန်တီးမထားသည့်ပိုင်ဆိုင်မှုများ။ သငျသညျကို manually ပိုင်ဆိုင်မှုဖန်တီးရန်ရှိသည်လိမ့်မယ်။
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',အုပ်စုအားဖြင့် &#39;&#39; ကုမ္ပဏီ &#39;&#39; လျှင်အလွတ် filter ကုမ္ပဏီသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ဖောက်သည်&gt; ဖောက်သည်အုပ်စု&gt; နယ်မြေ
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Post date အနာဂတ်နေ့စွဲမဖွစျနိုငျ
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},row # {0}: Serial မရှိပါ {1} {2} {3} နှင့်ကိုက်ညီမပါဘူး
+DocType: Loan Repayment,Interest Payable,ပေးဆောင်ရမည့်အတိုး
 DocType: Stock Entry,Target Warehouse Address,ပစ်မှတ်ဂိုဒေါင်လိပ်စာ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ကျပန်းထွက်ခွာ
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,အဆိုပါပြောင်းကုန်ပြီရှေ့တော်၌ထိုအချိန်ထမ်းစစ်ဆေးမှု-in ကိုတက်ရောက်သူဘို့စဉ်းစားသောကာလအတွင်းအချိန်ကိုစတင်ပါ။
@@ -6826,6 +6923,7 @@
 DocType: Issue,Reset Service Level Agreement,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် Reset
 ,Sales Person-wise Transaction Summary,အရောင်းပုဂ္ဂိုလ်ပညာ Transaction အကျဉ်းချုပ်
 DocType: Training Event,Contact Number,ဆက်သွယ်ရန်ဖုန်းနံပါတ်
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,ချေးငွေပမာဏမဖြစ်မနေဖြစ်ပါတယ်
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ဂိုဒေါင် {0} မတည်ရှိပါဘူး
 DocType: Cashier Closing,Custody,အုပ်ထိန်းခြင်း
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ဝန်ထမ်းအခွန်ကင်းလွတ်ခွင့်အထောက်အထားတင်ပြမှုကိုအသေးစိတ်
@@ -6874,6 +6972,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ချိန်ခွင် Qty
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,အခြေအနေများပေါင်းစပ်အားလုံးရွေးချယ်ထားသောပစ္စည်းများအပေါ်သက်ရောက်စေပါလိမ့်မယ်။
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,ပန်းတိုင်အချည်းနှီးမဖွစျနိုငျ
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,မှားသောဂိုဒေါင်
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,ကျောင်းသားများကိုစာရင်းသွင်း
 DocType: Item Group,Parent Item Group,မိဘပစ္စည်းအုပ်စု
 DocType: Appointment Type,Appointment Type,ချိန်းဆိုမှုအမျိုးအစား
@@ -6929,10 +7028,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ပျမ်းမျှနှုန်း
 DocType: Appointment,Appointment With,ရက်ချိန်းယူ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ငွေပေးချေမှုရမည့်ဇယားများတွင်စုစုပေါင်းငွေပေးချေမှုရမည့်ငွေပမာဏက Grand / Rounded စုစုပေါင်းညီမျှရှိရမည်
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,အဖြစ်တက်ရောက်သူမှတ်သားပါ <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;ဖောက်သည်ပေး Item&quot; အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှုန်းရှိသည်မဟုတ်နိုင်ပါတယ်
 DocType: Subscription Plan Detail,Plan,စီမံကိန်း
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,အထွေထွေလယ်ဂျာနှုန်းအဖြစ် Bank မှဖော်ပြချက်ချိန်ခွင်လျှာ
-DocType: Job Applicant,Applicant Name,လျှောက်ထားသူအမည်
+DocType: Appointment Letter,Applicant Name,လျှောက်ထားသူအမည်
 DocType: Authorization Rule,Customer / Item Name,customer / Item အမည်
 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**. 
 
@@ -6976,11 +7076,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,စတော့ရှယ်ယာလယ်ဂျာ entry ကိုဒီကိုဂိုဒေါင်သည်တည်ရှိအဖြစ်ဂိုဒေါင်ဖျက်ပြီးမရနိုင်ပါ။
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ဖြန့်ဝေ
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,ဝန်ထမ်း status ကိုဝန်ထမ်းလက်ရှိဒီဝန်ထမ်းမှသတင်းပို့ကြသည်အောက်ပါအတိုင်း &#39;&#39; Left &#39;&#39; ဟုသတ်မှတ်လို့မရနိုင်ပါ:
-DocType: Journal Entry Account,Loan,ခြေးငှေ
+DocType: Loan Repayment,Amount Paid,Paid ငွေပမာဏ
+DocType: Loan Security Shortfall,Loan,ခြေးငှေ
 DocType: Expense Claim Advance,Expense Claim Advance,စရိတ်ဆိုနေကြိုတင်
 DocType: Lab Test,Report Preference,အစီရင်ခံစာဦးစားပေးမှု
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,စေတနာ့ဝန်ထမ်းသတင်းအချက်အလက်။
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,စီမံကိန်းမန်နေဂျာ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,ဖောက်သည်များကအုပ်စုလိုက်
 ,Quoted Item Comparison,ကိုးကားအရာဝတ္ထုနှိုင်းယှဉ်ခြင်း
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} နှင့် {1} အကြားအမှတ်ပေးအတွက်ထပ်တူ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,dispatch
@@ -7000,6 +7102,7 @@
 DocType: Material Request Plan Item,Material Issue,material Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},စျေးနှုန်းသတ်မှတ်ချက်တွင်မသတ်မှတ်ရသေးသောအခမဲ့ပစ္စည်း {0}
 DocType: Employee Education,Qualification,အရည်အချင်း
+DocType: Loan Security Shortfall,Loan Security Shortfall,ချေးငွေလုံခြုံရေးလိုအပ်ချက်
 DocType: Item Price,Item Price,item စျေးနှုန်း
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,ဆပ်ပြာ &amp; ဆပ်ပြာ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},၀ န်ထမ်း {0} သည်ကုမ္ပဏီနှင့်မဆိုင်ပါ {1}
@@ -7022,6 +7125,7 @@
 DocType: Appointment Booking Settings,Appointment Details,ရက်ချိန်းအသေးစိတ်
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ကုန်ပစ္စည်းကုန်ပြီ
 DocType: Warehouse,Warehouse Name,ဂိုဒေါင်အမည်
+DocType: Loan Security Pledge,Pledge Time,အချိန်ပေးပါ
 DocType: Naming Series,Select Transaction,Transaction ကိုရွေးပါ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,အခန်းက္ပအတည်ပြုပေးသောသို့မဟုတ်အသုံးပြုသူအတည်ပြုပေးသောရိုက်ထည့်ပေးပါ
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Entity အမျိုးအစား {0} နှင့် Entity {1} ပြီးသားတည်ရှိနှင့်အတူဝန်ဆောင်မှုအဆင့်သဘောတူညီချက်ကို။
@@ -7029,7 +7133,6 @@
 DocType: BOM,Rate Of Materials Based On,ပစ္စည်းများအခြေတွင်အမျိုးမျိုး rate
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","enabled လြှငျ, လယ်ပြင်ပညာရေးဆိုင်ရာ Term အစီအစဉ်ကျောင်းအပ် Tool ကိုအတွက်မသင်မနေရဖြစ်လိမ့်မည်။"
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","ထောက်ပံ့ရေးပစ္စည်းများအတွင်းကင်းလွတ်ခွင့်, nil rated နှင့် Non-GST ၏တန်ဖိုးများ"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ဖောက်သည်&gt; ဖောက်သည်အုပ်စု&gt; နယ်မြေ
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ကုမ္ပဏီသည်</b> မဖြစ်မနေလိုအပ်သော filter တစ်ခုဖြစ်သည်။
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,အားလုံးကို uncheck လုပ်
 DocType: Purchase Taxes and Charges,On Item Quantity,Item အရေအတွက်တွင်
@@ -7075,7 +7178,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ပြတ်လပ်မှု Qty
 DocType: Purchase Invoice,Input Service Distributor,input Service ကိုဖြန့်ဖြူး
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,item မူကွဲ {0} အတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,ကျေးဇူးပြုပြီးပညာရေး&gt; ပညာရေးချိန်ညှိချက်များတွင်နည်းပြအမည်ပေးခြင်းစနစ်ကိုထည့်သွင်းပါ
 DocType: Loan,Repay from Salary,လစာထဲကနေပြန်ဆပ်
 DocType: Exotel Settings,API Token,API ကိုတိုကင်
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ငွေပမာဏများအတွက် {0} {1} ဆန့်ကျင်ငွေပေးချေမှုတောင်းခံ {2}
@@ -7095,6 +7197,7 @@
 DocType: Salary Slip,Total Interest Amount,စုစုပေါင်းအကျိုးစီးပွားငွေပမာဏ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,ကလေး node များနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုငျ
 DocType: BOM,Manage cost of operations,စစ်ဆင်ရေး၏ကုန်ကျစရိတ် Manage
+DocType: Unpledge,Unpledge,မင်္ဂလာပါ
 DocType: Accounts Settings,Stale Days,ဟောင်းနွမ်းနေ့ရက်များ
 DocType: Travel Itinerary,Arrival Datetime,ဆိုက်ရောက်ဗီဇာ DATETIME
 DocType: Tax Rule,Billing Zipcode,ငွေတောင်းခံသည်ဇစ်ကုဒ်
@@ -7281,6 +7384,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,နာရီ
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0} ဖြင့်သင့်အတွက်အသစ်ချိန်းဆိုမှုတစ်ခုပြုလုပ်ထားသည်။
 DocType: Project,Expected Start Date,မျှော်လင့်ထားသည့် Start ကိုနေ့စွဲ
+DocType: Work Order,This is a location where raw materials are available.,ဤသည်ကုန်ကြမ်းရရှိနိုင်သည့်နေရာတစ်ခုဖြစ်ပါသည်။
 DocType: Purchase Invoice,04-Correction in Invoice,ငွေတောင်းခံလွှာအတွက် 04-ပြင်ဆင်ခြင်း
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,ပြီးသား BOM နှင့်အတူပစ္စည်းများအားလုံးဖန်တီးအလုပ်အမိန့်
 DocType: Bank Account,Party Details,ပါတီအသေးစိတ်
@@ -7299,6 +7403,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,ကိုးကား:
 DocType: Contract,Partially Fulfilled,တစ်စိတ်တစ်ပိုင်းပွညျ့စုံ
 DocType: Maintenance Visit,Fully Completed,အပြည့်အဝပြီးစီး
+DocType: Loan Security,Loan Security Name,ချေးငွေလုံခြုံရေးအမည်
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","မှလွဲ. အထူးဇာတ်ကောင် &quot;-&quot; &quot;။ &quot;, &quot;#&quot;, &quot;/&quot;, &quot;{&quot; နှင့် &quot;}&quot; စီးရီးနာမည်အတွက်ခွင့်မပြု"
 DocType: Purchase Invoice Item,Is nil rated or exempted,nil rated သို့မဟုတ်ကင်းလွတ်ခွင့်ရနေပါတယ်
 DocType: Employee,Educational Qualification,ပညာရေးဆိုင်ရာအရည်အချင်း
@@ -7356,6 +7461,7 @@
 DocType: Program,Is Featured,Featured ဖြစ်ပါတယ်
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ရယူ ...
 DocType: Agriculture Analysis Criteria,Agriculture User,စိုက်ပျိုးရေးအသုံးပြုသူ
+DocType: Loan Security Shortfall,America/New_York,အမေရိက / နယူးယောက်
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,ရက်စွဲမကုန်မှီတိုင်အောင်သက်တမ်းရှိငွေပေးငွေယူသည့်ရက်စွဲမတိုင်မီမဖွစျနိုငျ
 apps/erpnext/erpnext/stock/stock_ledger.py,{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:
@@ -7433,8 +7539,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},ဝန်ထမ်း {0} {1} အပေါ်ခွင့်အပေါ်ဖြစ်ပါသည်
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,ဂျာနယ် Entry &#39;အဘို့မရွေးပြန်ဆပ်ဖို့တွေအတွက်
 DocType: Purchase Invoice,GST Category,GST Category:
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,အဆိုပြုထား Pledges လုံခြုံချေးငွေများအတွက်မဖြစ်မနေဖြစ်ကြသည်
 DocType: Payment Reconciliation,From Invoice Date,ပြေစာနေ့စွဲထဲကနေ
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,ဘတ်ဂျက်
 DocType: Invoice Discounting,Disbursed,ထုတ်ချေး
@@ -7492,14 +7598,13 @@
 DocType: Restaurant,Active Menu,တက်ကြွ Menu ကို
 DocType: Accounting Dimension Detail,Default Dimension,default Dimension
 DocType: Target Detail,Target Qty,Target က Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},ချေးငွေဆန့်ကျင်: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Checkout ချိန်ညှိ
 DocType: Student Attendance,Present,လက်ဆောင်
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Delivery မှတ်ချက် {0} တင်သွင်းရမည်မဟုတ်ရပါ
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","အလုပျသမားမှမေးလ်ပို့ပေးအဆိုပါလစာစလစ်စကားဝှက်စကားဝှက်ကိုရေးမူဝါဒအပေါ်အခြေခံပြီးထုတ်ပေးပါလိမ့်မည်, စကားဝှက်ဖြင့်ကာကွယ်ထားရလိမ့်မည်။"
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,အကောင့်ကို {0} ပိတ်ပြီး type ကိုတာဝန်ဝတ္တရား / Equity ၏ဖြစ်ရပါမည်
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားအချိန်စာရွက် {1} ဖန်တီး
-DocType: Vehicle Log,Odometer,Odometer
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,အမိန့် Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,item {0} ပိတ်ထားတယ်
 DocType: Stock Settings,Stock Frozen Upto,စတော့အိတ် Frozen အထိ
@@ -7558,7 +7663,6 @@
 DocType: Serial No,Delivery Document Type,Delivery Document ဖိုင် Type
 DocType: Sales Order,Partly Delivered,တစ်စိတ်တစ်ပိုင်းကယ်နှုတ်တော်မူ၏
 DocType: Item Variant Settings,Do not update variants on save,မှတပါးအပေါ်မျိုးကွဲကို update မနေပါနဲ့
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer အုပ်စု
 DocType: Email Digest,Receivables,receiver
 DocType: Lead Source,Lead Source,ခဲရင်းမြစ်
 DocType: Customer,Additional information regarding the customer.,ဖောက်သည်နှင့်ပတ်သတ်သောအချက်အလက်ပို။
@@ -7656,6 +7760,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,အမှန်တကယ်
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,စားသောက်ဆိုင် Manager ကို
+DocType: Loan,Penalty Income Account,ပြစ်ဒဏ်ဝင်ငွေစာရင်း
 DocType: Call Log,Call Log,ဖုန်းခေါ်ဆိုမှုမှတ်တမ်း
 DocType: Authorization Rule,Customerwise Discount,Customerwise လျှော့
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,တာဝန်များကိုဘို့ Timesheet ။
@@ -7744,6 +7849,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,ကုန်ပစ္စည်းလျှော့အစီအစဉ်
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,အဘယ်သူမျှမကိစ္စကိုခေါ်ဆိုမှုအားဖြင့်ကြီးပြင်းခဲ့သည်။
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,ပေးသွင်းခြင်းဖြင့်အုပ်စု
 DocType: Restaurant Reservation,Waitlisted,စောင့်နေစာရင်းထဲက
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,ကင်းလွတ်ခွင့်အမျိုးအစား
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ငွေကြေးအချို့သောအခြားငွေကြေးသုံးပြီး entries တွေကိုချမှတ်ပြီးနောက်ပြောင်းလဲသွားမရနိုငျ
@@ -7754,7 +7860,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,စျေးနှုန်းစာရင်းကိုအပေါ် အခြေခံ.
 DocType: Customer Group,Parent Customer Group,မိဘဖောက်သည်အုပ်စု
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ဘီလ် JSON သာအရောင်းပြေစာကနေထုတ်လုပ်လိုက်တဲ့နိုင်ပါတယ် E-Way ကို
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ဒီပဟေဠိများအတွက်အများဆုံးကြိုးစားမှုရောက်ရှိ!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,subscription
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,အခကြေးငွေဖန်ဆင်းခြင်းရွှေ့ဆိုင်း
@@ -7772,6 +7877,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,ကြိုတင်ကာကွယ်မှုကို Maintenance
 DocType: Delivery Note Item,Against Sales Invoice,အရောင်းပြေစာဆန့်ကျင်
 DocType: Purchase Invoice,07-Others,07-အခြားသူများ
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,ဈေးနှုန်းပမာဏ
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Serial ကို item များအတွက်အမှတ်စဉ်နံပါတ်များကိုရိုက်ထည့်ပေးပါ
 DocType: Bin,Reserved Qty for Production,ထုတ်လုပ်မှုများအတွက် Reserved အရည်အတွက်
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,သငျသညျသင်တန်းအခြေစိုက်အုပ်စုများအောင်နေချိန်တွင်အသုတ်စဉ်းစားရန်မလိုကြပါလျှင်အမှတ်ကိုဖြုတ်လိုက်ပါချန်ထားပါ။
@@ -7883,6 +7989,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ငွေပေးချေမှုရမည့်ပြေစာမှတ်ချက်
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ဒီဖောက်သည်ဆန့်ကျင်ငွေကြေးလွှဲပြောင်းမှုမှာအပေါ်အခြေခံသည်။ အသေးစိတျအဘို့ကိုအောက်တွင်အချိန်ဇယားကိုကြည့်ပါ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,ပစ္စည်းတောင်းဆိုခြင်း Create
+DocType: Loan Interest Accrual,Pending Principal Amount,ဆိုင်းငံ့ကျောင်းအုပ်ကြီးငွေပမာဏ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Start နဲ့အဆုံးခိုင်လုံသောလစာကာလ၌မကျစတငျရ, {0} တွက်ချက်လို့မရဘူး"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7926,6 +8033,7 @@
 											to fullfill Sales Order {2}",အရောင်းအမိန့် {2} fullfill မှ \ ကို item {1} က reserved ဖြစ်ပါတယ်အဖြစ်၏ {0} Serial အဘယ်သူမျှမကယ်မနှုတ်နိုင်မလား
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,ပေးသွင်းစျေးနှုန်း {0} ကဖန်တီး
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge အမျိုးအစား
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,အဆုံးတစ်နှစ်တာ Start ကိုတစ်နှစ်တာမတိုင်မီမဖွစျနိုငျ
 DocType: Employee Benefit Application,Employee Benefits,ဝန်ထမ်းအကျိုးကျေးဇူးများ
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ဝန်ထမ်း ID ကို
@@ -8008,6 +8116,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,သင်တန်းအမှတ်စဥ် Code ကို:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,အသုံးအကောင့်ကိုရိုက်ထည့်ပေးပါ
 DocType: Quality Action Resolution,Problem,ပြဿနာ
+DocType: Loan Security Type,Loan To Value Ratio,အချိုးအစားတန်ဖိုးကိုချေးငွေ
 DocType: Account,Stock,စတော့အိတ်
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရစ်ကျအမိန့်, အရစ်ကျငွေတောင်းခံလွှာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်"
 DocType: Employee,Current Address,လက်ရှိလိပ်စာ
@@ -8025,6 +8134,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ဘဏ်ဖော်ပြချက်ငွေသွင်းငွေထုတ် Entry &#39;
 DocType: Sales Invoice Item,Discount and Margin,လျှော့စျေးနဲ့ Margin
 DocType: Lab Test,Prescription,ညွှန်း
+DocType: Process Loan Security Shortfall,Update Time,အချိန်အသစ်ပြောင်းပါ
 DocType: Import Supplier Invoice,Upload XML Invoices,XML ငွေတောင်းခံလွှာတင်ခြင်း
 DocType: Company,Default Deferred Revenue Account,default ရက်ရွှေ့ဆိုင်းအခွန်ဝန်ကြီးဌာနအကောင့်
 DocType: Project,Second Email,ဒုတိယအအီးမေးလ်
@@ -8038,7 +8148,7 @@
 DocType: Quality Action,Preventive,ကြိုတင်စီမံထားသော
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,မှတ်ပုံမတင်ထားသော Persons စေထောက်ပံ့ရေးပစ္စည်းများ
 DocType: Company,Date of Incorporation,ပေါင်းစပ်ဖွဲ့စည်းခြင်း၏နေ့စွဲ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,စုစုပေါင်းအခွန်
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,စုစုပေါင်းအခွန်
 DocType: Manufacturing Settings,Default Scrap Warehouse,ပုံမှန် Scrap Warehouse
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,နောက်ဆုံးအရစ်ကျစျေး
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ပမာဏအတွက် (Qty ကုန်ပစ္စည်းထုတ်လုပ်) မသင်မနေရ
@@ -8057,6 +8167,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ငွေပေးချေမှု၏ Set က default mode ကို
 DocType: Stock Entry Detail,Against Stock Entry,စတော့အိတ် Entry &#39;ဆန့်ကျင်
 DocType: Grant Application,Withdrawn,ဆုတ်ခွာ
+DocType: Loan Repayment,Regular Payment,ပုံမှန်ငွေပေးချေမှု
 DocType: Support Search Source,Support Search Source,ပံ့ပိုးမှုရှာရန်ရင်းမြစ်
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,gross Margin%
@@ -8070,8 +8181,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,အခွန်၏ငွေပေးချေခြင်းမရှိဘဲ
 DocType: BOM Operation,BOM Operation,BOM စစ်ဆင်ရေး
 DocType: Purchase Taxes and Charges,On Previous Row Amount,ယခင် Row ပမာဏတွင်
+DocType: Student,Home Address,အိမ်လိပ်စာ
 DocType: Options,Is Correct,မှန်တယ်
 DocType: Item,Has Expiry Date,သက်တမ်းကုန်ဆုံးနေ့စွဲရှိပါတယ်
+DocType: Loan Repayment,Paid Accrual Entries,တိုးပွားလာသော Entries Paid
+DocType: Loan Security,Loan Security Type,ချေးငွေလုံခြုံရေးအမျိုးအစား
 apps/erpnext/erpnext/config/support.py,Issue Type.,ပြဿနာအမျိုးအစား။
 DocType: POS Profile,POS Profile,POS ကိုယ်ရေးအချက်အလက်များ profile
 DocType: Training Event,Event Name,အဖြစ်အပျက်အမည်
@@ -8083,6 +8197,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ဘတ်ဂျက် setting သည်ရာသီ, ပစ်မှတ်စသည်တို့"
 apps/erpnext/erpnext/www/all-products/index.html,No values,အဘယ်သူမျှမတန်ဖိုးများ
 DocType: Supplier Scorecard Scoring Variable,Variable Name,variable အမည်
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,ပြန်လည်သင့်မြတ်စေရန်ဘဏ်အကောင့်ကိုရွေးချယ်ပါ။
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",item {0} တဲ့ template ကိုသည်၎င်း၏မျိုးကွဲတွေထဲကရွေးချယ်ရန်
 DocType: Purchase Invoice Item,Deferred Expense,ရွှေ့ဆိုင်းသုံးစွဲမှု
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,နောက်ကျောကိုမက်ဆေ့ခ်ျမှ
@@ -8134,7 +8249,6 @@
 DocType: GL Entry,To Rename,Rename မှ
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Serial Number ကိုထည့်သွင်းဖို့ရွေးချယ်ပါ။
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,ကျေးဇူးပြုပြီးပညာရေး&gt; ပညာရေးချိန်ညှိချက်များတွင်နည်းပြအမည်ပေးခြင်းစနစ်ကိုထည့်သွင်းပါ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',&#39;% s&#39; ကိုဖောက်သည်များအတွက်ဘဏ္ဍာရေး Code ကိုသတ်မှတ်ပေးပါ
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ကုမ္ပဏီပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု.
 DocType: Item Attribute,Numeric Values,numeric တန်ဖိုးများ
@@ -8158,6 +8272,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO အပေါ်အခြေခံပြီးဆွဲယူ
 DocType: Soil Texture,Clay Loam,ရွှံ့ Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,အမြစ်တည်းဖြတ်မရနိုင်ပါ။
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,ချေးငွေလုံခြုံရေးတန်ဖိုး
 DocType: Item,Units of Measure,တိုင်း၏ယူနစ်
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Metro စီးတီးရှိငှားရမ်းထားသော
 DocType: Supplier,Default Tax Withholding Config,default အခွန်နှိမ် Config
@@ -8204,6 +8319,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,ပထမဦးဆုံးအမျိုးအစားလိုက်ကို select ကျေးဇူးပြု.
 apps/erpnext/erpnext/config/projects.py,Project master.,Project မှမာစတာ။
 DocType: Contract,Contract Terms,စာချုပ်စည်းကမ်းသတ်မှတ်ချက်များ
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,ငွေပမာဏကန့်သတ်
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Configuration ကို Continue
 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,Maximum benefit amount of component {0} exceeds {1},အစိတ်အပိုင်းအများဆုံးအကျိုးကျေးဇူးငွေပမာဏ {0} {1} ထက်ကျော်လွန်
@@ -8249,3 +8365,4 @@
 DocType: Account,Cash,ငွေသား
 DocType: Sales Invoice,Unpaid and Discounted,မရတဲ့နှင့်စျေးလျှော့
 DocType: Employee,Short biography for website and other publications.,website နှင့်အခြားပုံနှိပ်ထုတ်ဝေအတိုကောက်အတ္ထုပ္ပတ္တိ။
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,အတန်း # {0}: ကန်ထရိုက်တာများသို့ကုန်ကြမ်းများဖြည့်ဆည်းနေစဉ်ကုန်ကြမ်းသိုလှောင်ရုံကို ရွေးချယ်၍ မရပါ
diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv
index b01def4..3a75f96 100644
--- a/erpnext/translations/nl.csv
+++ b/erpnext/translations/nl.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Gelegenheid verloren reden
 DocType: Patient Appointment,Check availability,Beschikbaarheid controleren
 DocType: Retention Bonus,Bonus Payment Date,Bonus Betalingsdatum
-DocType: Employee,Job Applicant,Sollicitant
+DocType: Appointment Letter,Job Applicant,Sollicitant
 DocType: Job Card,Total Time in Mins,Totale tijd in minuten
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Contactgegevens
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Zoek naar alles ...
 ,Stock and Account Value Comparison,Voorraad- en accountwaardevergelijking
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Uitbetaald bedrag kan niet groter zijn dan het geleende bedrag
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Geïnteresseerd
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Opening
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programma:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Geldig vanaf tijd moet kleiner zijn dan Geldig tot tijd.
 DocType: Item,Copy From Item Group,Kopiëren van Item Group
 DocType: Journal Entry,Opening Entry,Opening Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Rekening betalen enkel
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Rang
 DocType: Restaurant Table,No of Seats,Aantal zitplaatsen
+DocType: Loan Type,Grace Period in Days,Grace periode in dagen
 DocType: Sales Invoice,Overdue and Discounted,Achterstallig en afgeprijsd
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Activa {0} behoort niet tot de bewaarder {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Oproep verbroken
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Voorgeschreven procedures
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Toon alleen POS
 DocType: Supplier Group,Supplier Group Name,Naam Leveranciergroep
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markeer aanwezigheid als <b></b>
 DocType: Driver,Driving License Categories,Rijbewijscategorieën
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vul de Leveringsdatum in
 DocType: Depreciation Schedule,Make Depreciation Entry,Maak Afschrijvingen Entry
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Details van de uitgevoerde handelingen.
 DocType: Asset Maintenance Log,Maintenance Status,Onderhoud Status
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artikel Belastingbedrag inbegrepen in waarde
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Lening beveiliging Unpledge
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Lidmaatschap details
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverancier is vereist tegen Te Betalen account {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Artikelen en prijzen
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Totaal aantal uren: {0}
+DocType: Loan,Loan Manager,Lening Manager
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Van Datum moet binnen het boekjaar zijn. Er vanuit gaande dat Van Datum {0} is
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Bijgewerkt via 'Time Log'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Selecteer de klant of leverancier.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landcode in bestand komt niet overeen met landcode ingesteld in het systeem
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Rekening {0} behoort niet tot Bedrijf {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Selecteer slechts één prioriteit als standaard.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Verlof Geblokkeerd
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank Gegevens
-DocType: Customer,Is Internal Customer,Is interne klant
+DocType: Sales Invoice,Is Internal Customer,Is interne klant
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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.
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materiaal Aanvraag
 DocType: Bank Reconciliation,Update Clearance Date,Werk Clearance Datum bij
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Aantal bundels
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Kan geen lening maken tot aanvraag is goedgekeurd
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Correct
 DocType: Student Guardian,Mother,Moeder
 DocType: Restaurant Reservation,Reservation End Time,Eindtijd van reservering
+DocType: Salary Slip Loan,Loan Repayment Entry,Lening terugbetaling terugbetaling
 DocType: Crop,Biennial,tweejarig
 ,BOM Variance Report,BOM-variatierapport
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Bevestigde orders van klanten.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betaling tegen {0} {1} kan niet groter zijn dan openstaande bedrag te zijn {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Alle Healthcare Service Units
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Over het converteren van kansen
+DocType: Loan,Total Principal Paid,Totaal hoofdsom betaald
 DocType: Bank Account,Address HTML,Adres HTML
 DocType: Lead,Mobile No.,Mobiel nummer
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Wijze van betalingen
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Balans in basisvaluta
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Nieuwe Offertes
+DocType: Loan Interest Accrual,Loan Interest Accrual,Opbouw rente
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Aanwezigheid niet ingediend voor {0} als {1} bij verlof.
 DocType: Journal Entry,Payment Order,Betalingsopdracht
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verifieer Email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Inkomsten uit andere bronnen
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Als dit leeg is, wordt het bovenliggende magazijnaccount of de standaardinstelling van het bedrijf in overweging genomen"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emails loonstrook van medewerkers op basis van de voorkeur e-mail geselecteerd in Employee
+DocType: Work Order,This is a location where operations are executed.,Dit is een locatie waar bewerkingen worden uitgevoerd.
 DocType: Tax Rule,Shipping County,verzending County
 DocType: Currency Exchange,For Selling,Om te verkopen
 apps/erpnext/erpnext/config/desktop.py,Learn,Leren
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Toegepaste couponcode
 DocType: Asset,Next Depreciation Date,Volgende Afschrijvingen Date
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Activiteitskosten per werknemer
+DocType: Loan Security,Haircut %,Kapsel%
 DocType: Accounts Settings,Settings for Accounts,Instellingen voor accounts
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Leverancier factuur nr bestaat in Purchase Invoice {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Beheer Sales Person Boom .
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Stel de hotelkamerprijs in op {}
 DocType: Journal Entry,Multi Currency,Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Factuur Type
+DocType: Loan,Loan Security Details,Lening Beveiligingsdetails
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Geldig vanaf datum moet kleiner zijn dan geldig tot datum
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Er is een uitzondering opgetreden tijdens het afstemmen van {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Geaccepteerd magazijn instellen
@@ -775,7 +787,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Vereist laboratoriumtest goedkeuring
 DocType: Attendance,Working Hours,Werkuren
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totaal uitstekend
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-conversiefactor ({0} -&gt; {1}) niet gevonden voor item: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Wijzig het start-/ huidige volgnummer van een bestaande serie.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentage dat u meer mag factureren tegen het bestelde bedrag. Bijvoorbeeld: als de bestelwaarde $ 100 is voor een artikel en de tolerantie is ingesteld op 10%, mag u $ 110 factureren."
 DocType: Dosage Strength,Strength,Kracht
@@ -793,6 +804,7 @@
 DocType: Purchase Receipt,Vehicle Date,Voertuiggegegevns
 DocType: Campaign Email Schedule,Campaign Email Schedule,E-mailschema campagne
 DocType: Student Log,Medical,medisch
+DocType: Work Order,This is a location where scraped materials are stored.,Dit is een locatie waar geschraapt materiaal wordt opgeslagen.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Selecteer alstublieft Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Lead eigenaar kan niet hetzelfde zijn als de lead zijn
 DocType: Announcement,Receiver,Ontvanger
@@ -890,7 +902,7 @@
 DocType: Driver,Applicable for external driver,Toepasbaar voor externe driver
 DocType: Sales Order Item,Used for Production Plan,Gebruikt voor Productie Plan
 DocType: BOM,Total Cost (Company Currency),Totale kosten (bedrijfsvaluta)
-DocType: Loan,Total Payment,Totale betaling
+DocType: Repayment Schedule,Total Payment,Totale betaling
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO is al gecreëerd voor alle klantorderitems
@@ -916,6 +928,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Waarschuwing Aankooporders
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Gehuurd vanaf datum
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Genoeg Parts te bouwen
+DocType: Loan Security,Loan Security Code,Lening beveiligingscode
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Bewaar eerst
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Items zijn vereist om de grondstoffen te trekken die eraan zijn gekoppeld.
 DocType: POS Profile User,POS Profile User,POS-profielgebruiker
@@ -974,6 +987,7 @@
 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,Stock Entries already created for Work Order ,Voorraadinvoer al gemaakt voor werkorder
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgroep&gt; Merk
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Bekijk eerdere bestellingen
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} gesprekken
 DocType: Vital Signs,Respiratory rate,Ademhalingsfrequentie
@@ -1006,7 +1020,6 @@
 DocType: Company,Delete Company Transactions,Verwijder Company Transactions
 DocType: Production Plan Item,Quantity and Description,Hoeveelheid en beschrijving
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referentienummer en Reference Data is verplicht voor Bank transactie
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series in op {0} via Setup&gt; Instellingen&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Toevoegen / Bewerken Belastingen en Heffingen
 DocType: Payment Entry Reference,Supplier Invoice No,Factuurnr. Leverancier
 DocType: Territory,For reference,Ter referentie
@@ -1037,6 +1050,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Belasting-inhouding-account
 DocType: Pricing Rule,Sales Partner,Verkoop Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle leveranciers scorecards.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Orderbedrag
+DocType: Loan,Disbursed Amount,Uitbetaald bedrag
 DocType: Buying Settings,Purchase Receipt Required,Ontvangstbevestiging Verplicht
 DocType: Sales Invoice,Rail,Het spoor
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Werkelijke kosten
@@ -1077,6 +1092,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Verbonden met QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificeer / maak account (grootboek) voor type - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Verschuldigd Account
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Account is verplicht om betalingsinvoer te krijgen
 DocType: Payment Entry,Type of Payment,Type van Betaling
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halve dag datum is verplicht
 DocType: Sales Order,Billing and Delivery Status,Factuur- en leverstatus
@@ -1116,7 +1132,7 @@
 DocType: Purchase Order Item,Billed Amt,Gefactureerd Bedr
 DocType: Training Result Employee,Training Result Employee,Training Resultaat Werknemer
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Een logisch Magazijn waartegen voorraadboekingen worden gemaakt.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,hoofdsom
+DocType: Repayment Schedule,Principal Amount,hoofdsom
 DocType: Loan Application,Total Payable Interest,Totaal verschuldigde rente
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totaal Uitstaande: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Contact openen
@@ -1130,6 +1146,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Uw artikelen
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverancier&gt; Type leverancier
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Voorstel Schrijven
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Entry Aftrek
 DocType: Service Level Priority,Service Level Priority,Prioriteit serviceniveau
@@ -1163,6 +1180,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Leergroepen creëren
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Leergroepen creëren
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway-account aangemaakt, dan kunt u een handmatig maken."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Groepsmagazijnen kunnen niet worden gebruikt in transacties. Wijzig de waarde van {0}
 DocType: Supplier Scorecard,Per Year,Per jaar
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Komt niet in aanmerking voor de toelating in dit programma volgens DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rij # {0}: kan item {1} dat is toegewezen aan de bestelling van de klant niet verwijderen.
@@ -1286,7 +1304,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Tijdens het maken van een account voor het onderliggende bedrijf {0}, is het ouderaccount {1} niet gevonden. Maak het ouderaccount aan in het bijbehorende COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Gesplitste probleem
 DocType: Student Attendance,Student Attendance,student Attendance
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Geen gegevens om te exporteren
 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
@@ -1299,6 +1316,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Werkelijke leverdatum
 DocType: Lab Test,Test Template,Test sjabloon
+DocType: Loan Security Pledge,Securities,Effecten
 DocType: Restaurant Order Entry Item,Served,geserveerd
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Hoofdstuk informatie.
 DocType: Account,Accounts,Rekeningen
@@ -1393,6 +1411,7 @@
 DocType: Inpatient Record,O Negative,O Negatief
 DocType: Work Order Operation,Planned End Time,Geplande Eindtijd
 DocType: POS Profile,Only show Items from these Item Groups,Toon alleen artikelen uit deze artikelgroepen
+DocType: Loan,Is Secured Loan,Is een beveiligde lening
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Type details voor lidmaatschapstype
 DocType: Delivery Note,Customer's Purchase Order No,Inkoopordernummer van Klant
@@ -1429,6 +1448,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Haal uit Patient Encounter
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-conversiefactor ({0} -&gt; {1}) niet gevonden voor item: {2}
 DocType: Subscriber,Subscriber,Abonnee
 DocType: Item Attribute Value,Item Attribute Value,Item Atribuutwaarde
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valutawissel moet van toepassing zijn voor Kopen of Verkopen.
@@ -1527,6 +1547,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Geen toestemming
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Contract Fulfillment Checklist
 DocType: Vital Signs,Heart Rate / Pulse,Hartslag / Pulse
+DocType: Customer,Default Company Bank Account,Standaard bedrijfsbankrekening
 DocType: Supplier,Default Bank Account,Standaard bankrekening
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Om te filteren op basis van Party, selecteer Party Typ eerst"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'Bijwerken voorraad' kan niet worden aangevinkt omdat items niet worden geleverd via {0}
@@ -1644,7 +1665,6 @@
 DocType: Sales Team,Incentives,Incentives
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Niet synchroon
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Verschilwaarde
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel nummeringseries in voor Aanwezigheid via Setup&gt; Nummeringsseries
 DocType: SMS Log,Requested Numbers,Gevraagde Numbers
 DocType: Volunteer,Evening,Avond
 DocType: Quiz,Quiz Configuration,Quiz configuratie
@@ -1664,6 +1684,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Aantal van volgende rij
 DocType: Purchase Invoice Item,Rejected Qty,afgewezen Aantal
 DocType: Setup Progress Action,Action Field,Actieveld
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Type lening voor rente en boetes
 DocType: Healthcare Settings,Manage Customer,Klant beheren
 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
@@ -1675,6 +1696,7 @@
 ,Final Assessment Grades,Eindbeoordeling
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,De naam van uw bedrijf waar u het systeem voor op zet.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Feestdagen opnemen in totaal aantal werkdagen.
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Van eindtotaal
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Stel uw instituut op in ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Plantanalyse
 DocType: Task,Timeline,Tijdlijn
@@ -1682,9 +1704,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatief item
 DocType: Shopify Log,Request Data,Verzoek om gegevens
 DocType: Employee,Date of Joining,Datum van indiensttreding
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Reeksen bijwerken
 DocType: Supplier Quotation,Is Subcontracted,Wordt uitbesteed
 DocType: Restaurant Table,Minimum Seating,Minimum aantal zitplaatsen
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,De vraag kan niet dubbel zijn
 DocType: Item Attribute,Item Attribute Values,Item Attribuutwaarden
 DocType: Examination Result,Examination Result,examenresultaat
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Ontvangstbevestiging
@@ -1786,6 +1810,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Facturen
 DocType: Payment Request,Paid,Betaald
 DocType: Service Level,Default Priority,Standaard prioriteit
+DocType: Pledge,Pledge,Belofte
 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."
@@ -1799,6 +1824,7 @@
 DocType: Guardian,Guardian Name,Naam pleegouder
 DocType: Cheque Print Template,Has Print Format,Heeft Print Format
 DocType: Support Settings,Get Started Sections,Aan de slag Secties
+,Loan Repayment and Closure,Terugbetaling en sluiting van leningen
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,Sanctioned
 ,Base Amount,Basis aantal
@@ -1809,10 +1835,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Van plaats
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Leenbedrag kan niet groter zijn dan {0}
 DocType: Student Admission,Publish on website,Publiceren op de website
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverancier Factuurdatum kan niet groter zijn dan Posting Date
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgroep&gt; Merk
 DocType: Subscription,Cancelation Date,Annuleringsdatum
 DocType: Purchase Invoice Item,Purchase Order Item,Inkooporder Artikel
 DocType: Agriculture Task,Agriculture Task,Landbouwtaak
@@ -1831,7 +1857,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Extra Korting Procent
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Bekijk een overzicht van alle hulp video&#39;s
 DocType: Agriculture Analysis Criteria,Soil Texture,Bodemstructuur
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Selecteer hoofdrekening van de bank waar cheque werd gedeponeerd.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Zodat de gebruiker te bewerken prijslijst Rate bij transacties
 DocType: Pricing Rule,Max Qty,Max Aantal
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Rapportkaart afdrukken
@@ -1965,7 +1990,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Eenmaal ingesteld, wordt deze factuur in de wacht gezet tot de ingestelde datum"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Selling Bedrag
-DocType: Repayment Schedule,Interest Amount,Interestbedrag
+DocType: Loan Interest Accrual,Interest Amount,Interestbedrag
 DocType: Job Card,Time Logs,Tijd Logs
 DocType: Sales Invoice,Loyalty Amount,Loyaliteit
 DocType: Employee Transfer,Employee Transfer Detail,Overdrachtdetail medewerker
@@ -1980,6 +2005,7 @@
 DocType: Cashier Closing,Returns,opbrengst
 DocType: Job Card,WIP Warehouse,WIP Warehouse
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serienummer {0} valt binnen onderhoudscontract tot {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Sanctielimiet overschreden voor {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Werving
 DocType: Lead,Organization Name,Naam van de Organisatie
 DocType: Support Settings,Show Latest Forum Posts,Toon laatste forumberichten
@@ -2006,7 +2032,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Inwisselorders worden achterhaald
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Postcode
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Sales Order {0} is {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Selecteer rente-inkomstenrekening in lening {0}
 DocType: Opportunity,Contact Info,Contact Info
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Maken Stock Inzendingen
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Kan werknemer met status links niet promoten
@@ -2091,7 +2116,6 @@
 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,Start Year,Start Jaar
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Lening aanmaken
 DocType: Purchase Invoice,Start date of current invoice's period,Begindatum van de huidige factuurperiode
 DocType: Shift Type,Process Attendance After,Procesbezoek na
 ,IRS 1099,IRS 1099
@@ -2112,6 +2136,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Selecteer uw domeinen
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify-leverancier
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betaling Factuur Items
+DocType: Repayment Schedule,Is Accrued,Wordt opgebouwd
 DocType: Payroll Entry,Employee Details,Medewerker Details
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML-bestanden verwerken
 DocType: Amazon MWS Settings,CN,CN
@@ -2143,6 +2168,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Loyalty Point Entry
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Standaard Artikelgroep
+DocType: Loan,Partially Disbursed,gedeeltelijk uitbetaald
 DocType: Job Card Time Log,Time In Mins,Time In Mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Informatie verstrekken.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Door deze actie wordt deze account ontkoppeld van externe services die ERPNext integreren met uw bankrekeningen. Het kan niet ongedaan gemaakt worden. Weet je het zeker ?
@@ -2158,6 +2184,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Hetzelfde item kan niet meerdere keren worden ingevoerd.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Lening sluiting
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,Schulden
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2191,6 +2218,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Werknemersbelasting en voordelen
 DocType: Bank Guarantee,Validity in Days,Geldigheid in dagen
 DocType: Bank Guarantee,Validity in Days,Geldigheid in dagen
+DocType: Unpledge,Haircut,haircut
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-vorm is niet van toepassing voor de factuur: {0}
 DocType: Certified Consultant,Name of Consultant,Naam van Consultant
 DocType: Payment Reconciliation,Unreconciled Payment Details,Niet overeenstemmende betalingsgegevens
@@ -2244,7 +2272,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Rest van de Wereld
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,De Punt {0} kan niet Batch hebben
 DocType: Crop,Yield UOM,Opbrengst UOM
+DocType: Loan Security Pledge,Partially Pledged,Gedeeltelijk toegezegd
 ,Budget Variance Report,Budget Variantie Rapport
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Sanctiebedrag
 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,Get Items from Healthcare Services,Items ophalen van zorgdiensten
@@ -2279,6 +2309,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nieuwe kwaliteitsprocedure
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo van rekening {0} moet altijd {1} zijn
 DocType: Patient Appointment,More Info,Meer info
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Geboortedatum kan niet groter zijn dan de datum van toetreding.
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard Acties
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverancier {0} niet gevonden in {1}
 DocType: Purchase Invoice,Rejected Warehouse,Afgewezen Magazijn
@@ -2376,6 +2407,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Stel eerst de productcode in
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Lening Security Pledge gecreëerd: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Afspraken en ontmoetingen met patiënten
@@ -2431,6 +2463,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Aantal gelijktijdige afspraken
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Ermee beginnen
 DocType: Purchase Invoice,Taxes and Charges Calculation,Belastingen en Toeslagen berekenen
+DocType: Loan Interest Accrual,Payable Principal Amount,Te betalen hoofdbedrag
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatische afschrijving van de activa van de boekwaarde
 DocType: BOM Operation,Workstation,Werkstation
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Offerte Supplier
@@ -2467,7 +2500,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Voeding
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Vergrijzing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-sluitingsbondetails
-DocType: Bank Account,Is the Default Account,Is het standaardaccount
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Geen communicatie gevonden.
 DocType: Inpatient Occupancy,Check In,Check in
@@ -2525,12 +2557,14 @@
 DocType: Sales Order Item,Planned Quantity,Gepland Aantal
 DocType: Water Analysis,Water Analysis Criteria,Criteria voor wateranalyse
 DocType: Item,Maintain Stock,Handhaaf Stock
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge Time
 DocType: Terms and Conditions,Applicable Modules,Toepasselijke modules
 DocType: Employee,Prefered Email,Prefered Email
 DocType: Student Admission,Eligibility and Details,Geschiktheid en details
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Opgenomen in brutowinst
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Netto wijziging in vaste activa
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Gewenste hoeveelheid
+DocType: Work Order,This is a location where final product stored.,Dit is een locatie waar het eindproduct wordt opgeslagen.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Van Datetime
@@ -2571,8 +2605,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garantie / AMC Status
 ,Accounts Browser,Rekeningen Verkenner
 DocType: Procedure Prescription,Referral,Doorverwijzing
+,Territory-wise Sales,Gebiedsgewijze verkoop
 DocType: Payment Entry Reference,Payment Entry Reference,Betaling Entry Reference
 DocType: GL Entry,GL Entry,GL Entry
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Rij # {0}: Geaccepteerd magazijn en leveranciersmagazijn kunnen niet hetzelfde zijn
 DocType: Support Search Source,Response Options,Antwoord opties
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Pas meerdere prijsregels toe
 DocType: HR Settings,Employee Settings,Werknemer Instellingen
@@ -2633,6 +2669,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Landbouw (bèta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Pakbon
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series in op {0} via Setup&gt; Instellingen&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Kantoorhuur
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Instellingen SMS gateway
 DocType: Disease,Common Name,Gemeenschappelijke naam
@@ -2649,6 +2686,7 @@
 DocType: Item,Sales Details,Verkoop Details
 DocType: Coupon Code,Used,Gebruikt
 DocType: Opportunity,With Items,Met Items
+DocType: Vehicle Log,last Odometer Value ,laatste kilometertellerwaarde
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',De campagne &#39;{0}&#39; bestaat al voor de {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Onderhoudsteam
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Volgorde waarin secties moeten verschijnen. 0 is eerste, 1 is tweede enzovoort."
@@ -2659,7 +2697,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Declaratie {0} bestaat al voor de Vehicle Log
 DocType: Asset Movement Item,Source Location,Bronlocatie
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,naam van het instituut
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vul hier terug te betalen bedrag
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Vul hier terug te betalen bedrag
 DocType: Shift Type,Working Hours Threshold for Absent,Werkuren drempel voor afwezig
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Er kan een meerlaagse verzamelfactor zijn op basis van het totaal uitgegeven. Maar de conversiefactor voor inlossing zal altijd hetzelfde zijn voor alle niveaus.
 apps/erpnext/erpnext/config/help.py,Item Variants,Item Varianten
@@ -2683,6 +2721,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} moet kleiner zijn dan {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Selecteer eerst het Type aanvrager
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Selecteer stuklijst, aantal en voor magazijn"
 DocType: GST HSN Code,GST HSN Code,GST HSN-code
 DocType: Employee External Work History,Total Experience,Total Experience
@@ -2773,7 +2812,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Geen actieve stuklijst gevonden voor item {0}. Bezorging via \ Serial No kan niet worden gegarandeerd
 DocType: Sales Partner,Sales Partner Target,Verkoop Partner Doel
-DocType: Loan Type,Maximum Loan Amount,Maximum Leningen
+DocType: Loan Application,Maximum Loan Amount,Maximum Leningen
 DocType: Coupon Code,Pricing Rule,Prijsbepalingsregel
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Dubbele rolnummer voor student {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Dubbele rolnummer voor student {0}
@@ -2797,6 +2836,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Verlof succesvol toegewezen aan {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Geen Artikelen om te verpakken
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Alleen .csv- en .xlsx-bestanden worden momenteel ondersteund
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Stel het naamgevingssysteem voor werknemers in via Human Resource&gt; HR-instellingen
 DocType: Shipping Rule Condition,From Value,Van Waarde
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Productie Aantal is verplicht
 DocType: Loan,Repayment Method,terugbetaling Method
@@ -2880,6 +2920,7 @@
 DocType: Customer,Customer POS Id,Klant POS-id
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student met e-mail {0} bestaat niet
 DocType: Account,Account Name,Rekening Naam
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Er bestaat al een gesanctioneerd leningbedrag voor {0} tegen bedrijf {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Vanaf de datum kan niet groter zijn dan tot nu toe
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} hoeveelheid {1} moet een geheel getal zijn
 DocType: Pricing Rule,Apply Discount on Rate,Korting op tarief toepassen
@@ -2951,6 +2992,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Netto winst
 DocType: Purchase Invoice,Eligibility For ITC,Geschiktheid voor ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Klant Kredietsaldo
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto wijziging in Accounts Payable
@@ -2962,6 +3004,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Aanwezigheidsapparaat-ID (biometrische / RF-tag-ID)
 DocType: Quotation,Term Details,Voorwaarde Details
 DocType: Item,Over Delivery/Receipt Allowance (%),Overlevering / ontvangsttoeslag (%)
+DocType: Appointment Letter,Appointment Letter Template,Afspraak briefsjabloon
 DocType: Employee Incentive,Employee Incentive,Employee Incentive
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Totaal (zonder BTW)
@@ -2986,6 +3029,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Ontkoppelen Betaling bij annulering van de factuur
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Lening opbouw rente verwerken
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Huidige kilometerstand ingevoerd moet groter zijn dan de initiële kilometerstand van het voertuig zijn {0}
 ,Purchase Order Items To Be Received or Billed,Aankooporderartikelen die moeten worden ontvangen of gefactureerd
 DocType: Restaurant Reservation,No Show,Geen voorstelling
@@ -3072,6 +3116,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: kostenplaats is nodig voor 'Winst- en verliesrekening' account {2}. Gelieve een standaard kostenplaats voor de onderneming op te zetten.
 DocType: Payment Schedule,Payment Term,Betalingstermijn
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Een Klantgroep met dezelfde naam bestaat. Gelieve de naam van de Klant of de Klantgroep  wijzigen
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Einddatum van toelating moet groter zijn dan Startdatum van toelating.
 DocType: Location,Area,Gebied
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nieuw contact
 DocType: Company,Company Description,bedrijfsomschrijving
@@ -3147,6 +3192,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Toegewezen gegevens
 DocType: Purchase Order Item,Warehouse and Reference,Magazijn en Referentie
 DocType: Payroll Period Date,Payroll Period Date,Payroll Periode Datum
+DocType: Loan Disbursement,Against Loan,Tegen lening
 DocType: Supplier,Statutory info and other general information about your Supplier,Wettelijke info en andere algemene informatie over uw leverancier
 DocType: Item,Serial Nos and Batches,Serienummers en batches
 DocType: Item,Serial Nos and Batches,Serienummers en batches
@@ -3215,6 +3261,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Selecteer een bedrijf
 DocType: Delivery Settings,Delivery Settings,Bezorginstellingen
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Gegevens ophalen
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Kan niet meer dan {0} aantal {0} ontgrendelen
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maximaal verlof toegestaan in het verloftype {0} is {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publiceer 1 item
 DocType: SMS Center,Create Receiver List,Maak Ontvanger Lijst
@@ -3364,6 +3411,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Basisbedrag (Company Munt)
 DocType: Purchase Invoice,Registered Regular,Regelmatig geregistreerd
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Grondstoffen
+DocType: Plaid Settings,sandbox,zandbak
 DocType: Payment Reconciliation Payment,Reference Row,Referentie Row
 DocType: Installation Note,Installation Time,Installatie Tijd
 DocType: Sales Invoice,Accounting Details,Boekhouding Details
@@ -3376,12 +3424,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Transactie Type
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Acceptatiecriteria
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Vul Materiaal Verzoeken in de bovenstaande tabel
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Totaal te betalen bedrag
 DocType: Task,Expected Time (in hours),Verwachte Tijd (in uren)
 DocType: Item Reorder,Check in (group),Check-in (groeps)
 DocType: Soil Texture,Silt,Slib
@@ -3412,6 +3459,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Belastingaftrek voor niet-ingediende bewijs van belastingvrijstelling
 DocType: Volunteer,Anytime,Anytime
 DocType: Bank Account,Bank Account No,Bankrekening nummer
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Uitbetaling en terugbetaling
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Vrijstelling van werknemersbelasting Bewijsverzending
 DocType: Patient,Surgical History,Chirurgische Geschiedenis
 DocType: Bank Statement Settings Item,Mapped Header,Toegewezen koptekst
@@ -3476,6 +3524,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Maak Lab-test (s) op Sales Invoice Submit
 DocType: Serial No,Invoice Details,Factuurgegevens
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,De salarisstructuur moet worden ingediend voordat de belastingemissieverklaring wordt ingediend
+DocType: Loan Application,Proposed Pledges,Voorgestelde toezeggingen
 DocType: Grant Application,Show on Website,Weergeven op website
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Begin maar
 DocType: Hub Tracked Item,Hub Category,Hubcategorie
@@ -3487,7 +3536,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverancier Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rij {0}: Bill of Materials niet gevonden voor het artikel {1}
 DocType: Contract Fulfilment Checklist,Requirement,eis
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Stel het naamgevingssysteem voor werknemers in via Human Resource&gt; HR-instellingen
 DocType: Journal Entry,Accounts Receivable,Debiteuren
 DocType: Quality Goal,Objectives,Doelen
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rol toegestaan om backdated verloftoepassing te maken
@@ -3500,6 +3548,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Omvatten Reconciled Entries
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Het totale toegewezen bedrag ({0}) is groter dan het betaalde bedrag ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Verdeel Toeslagen op basis van
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Betaald bedrag kan niet lager zijn dan {0}
 DocType: Projects Settings,Timesheets,timesheets
 DocType: HR Settings,HR Settings,HR-instellingen
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Accounting Masters
@@ -3645,6 +3694,7 @@
 DocType: Employee,Health Insurance,Ziektekostenverzekering
 DocType: Asset Repair,Manufacturing Manager,Productie Manager
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serienummer {0} is onder garantie tot {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Het geleende bedrag overschrijdt het maximale geleende bedrag van {0} per voorgestelde effecten
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimaal toelaatbare waarde
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Gebruiker {0} bestaat al
 apps/erpnext/erpnext/hooks.py,Shipments,Zendingen
@@ -3688,7 +3738,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Soort bedrijf
 DocType: Sales Invoice,Consumer,Klant
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Selecteer toegewezen bedrag, Factuur Type en factuurnummer in tenminste één rij"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Stel Naming Series in op {0} via Setup&gt; Instellingen&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kosten van nieuwe aankoop
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Verkooporder nodig voor Artikel {0}
 DocType: Grant Application,Grant Description,Grant Description
@@ -3697,6 +3746,7 @@
 DocType: Subscription,Discounts,Kortingen
 DocType: Bank Transaction,Unallocated Amount,Niet-toegewezen bedrag
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Schakel dit van toepassing op inkooporder in en van toepassing op het boeken van werkelijke kosten
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} is geen zakelijke bankrekening
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Kan een bijpassende Item niet vinden. Selecteer een andere waarde voor {0}.
 DocType: POS Profile,Taxes and Charges,Belastingen en Toeslagen
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Een Product of een Dienst dat wordt gekocht, verkocht of in voorraad wordt gehouden."
@@ -3747,6 +3797,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Geldig vanaf datum moet kleiner zijn dan geldig tot datum.
 DocType: Employee Skill,Evaluation Date,Evaluatie datum
 DocType: Quotation Item,Stock Balance,Voorraad Saldo
+DocType: Loan Security Pledge,Total Security Value,Totale beveiligingswaarde
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sales om de betaling
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Directeur
 DocType: Purchase Invoice,With Payment of Tax,Met betaling van de belasting
@@ -3759,6 +3810,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Account {0} bestaat niet in de dashboardgrafiek {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Show Variant Attributes
@@ -3840,6 +3892,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Huidige Valuation Rate
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Aantal root-accounts mag niet minder zijn dan 4
 DocType: Training Event,Advance,Van te voren
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Tegen lening:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless betalingsgateway-instellingen
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange winst / verlies
 DocType: Opportunity,Lost Reason,Reden van verlies
@@ -3924,8 +3977,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Selecteer batchnummer
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Ongeldige {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Rij {0}: Geboortedatum broer of zus kan niet groter zijn dan vandaag.
 DocType: Fee Validity,Reference Inv,Referentie Inv
 DocType: Sales Invoice Advance,Advance Amount,Voorschot Bedrag
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Boeterente (%) per dag
 DocType: Manufacturing Settings,Capacity Planning,Capaciteit Planning
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Afronding aanpassing (bedrijfsmunt
 DocType: Asset,Policy number,Polisnummer
@@ -3941,7 +3996,9 @@
 DocType: Normal Test Items,Require Result Value,Vereiste resultaatwaarde
 DocType: Purchase Invoice,Pricing Rules,Prijsregels
 DocType: Item,Show a slideshow at the top of the page,Laat een diavoorstelling zien aan de bovenkant van de pagina
+DocType: Appointment Letter,Body,Lichaam
 DocType: Tax Withholding Rate,Tax Withholding Rate,Belastingtarief
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,De startdatum van de terugbetaling is verplicht voor termijnleningen
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Winkels
@@ -3961,7 +4018,7 @@
 DocType: Call Log,Received By,Ontvangen door
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Afspraakduur (in minuten)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping Template-details
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Leningbeheer
+DocType: Loan,Loan Management,Leningbeheer
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Volg afzonderlijke baten en lasten over het product verticalen of divisies.
 DocType: Rename Tool,Rename Tool,Hernoem Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Kosten bijwerken
@@ -3969,6 +4026,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Wijze van transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Show loonstrook
+DocType: Loan,Is Term Loan,Is termijnlening
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Verplaats Materiaal
 DocType: Fees,Send Payment Request,Verzend betalingsverzoek
 DocType: Travel Request,Any other details,Alle andere details
@@ -3986,6 +4044,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,De cashflow uit financiële activiteiten
 DocType: Budget Account,Budget Account,budget account
 DocType: Quality Inspection,Verified By,Geverifieerd door
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Leningbeveiliging toevoegen
 DocType: Travel Request,Name of Organizer,Naam van de organisator
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",Kan standaard valuta van het bedrijf niet veranderen want er zijn bestaande transacties. Transacties moeten worden geannuleerd om de standaard valuta te wijzigen.
 DocType: Cash Flow Mapping,Is Income Tax Liability,Is de aansprakelijkheid van de inkomstenbelasting
@@ -4036,6 +4095,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Vereist op
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Indien aangevinkt, verbergt en schakelt het veld Afgerond totaal in salarisstroken uit"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dit is de standaard offset (dagen) voor de leverdatum in verkooporders. De reserve-terugval is 7 dagen vanaf de plaatsingsdatum van de bestelling.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel nummeringseries in voor Aanwezigheid via Setup&gt; Nummeringsseries
 DocType: Rename Tool,File to Rename,Bestand naar hernoemen
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Selecteer BOM voor post in rij {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Abonnementsupdates ophalen
@@ -4048,6 +4108,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serienummers gemaakt
 DocType: POS Profile,Applicable for Users,Toepasbaar voor gebruikers
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Van datum en tot datum zijn verplicht
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Project en alle taken instellen op status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Vooruitgang en toewijzing instellen (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Geen werkorders aangemaakt
@@ -4057,6 +4118,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Items door
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kosten van gekochte artikelen
 DocType: Employee Separation,Employee Separation Template,Werknemersscheidingssjabloon
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Nul aantal van {0} toegezegd tegen lening {0}
 DocType: Selling Settings,Sales Order Required,Verkooporder Vereist
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Word een verkoper
 ,Procurement Tracker,Procurement Tracker
@@ -4154,11 +4216,12 @@
 ,Minutes to First Response for Opportunity,Minuten naar First Response voor Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Totaal Afwezig
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Te betalen bedrag
+DocType: Loan Repayment,Payable Amount,Te betalen bedrag
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Opportunity
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,De maximale sterkte kan niet minder zijn dan nul.
 DocType: Options,Option,Keuze
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},U kunt geen boekhoudingen maken in de gesloten boekhoudperiode {0}
 DocType: Operation,Default Workstation,Standaard Werkstation
@@ -4200,6 +4263,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Rentebedrag is verplicht
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Volgende stappen
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Opgeslagen items
@@ -4271,8 +4335,6 @@
 DocType: Grant Application,Grant Application Details ,Aanvraagdetails toekennen
 DocType: Employee Separation,Employee Separation,Werknemersscheiding
 DocType: BOM Item,Original Item,Origineel item
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Gemaakt - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Categorie Account
@@ -4308,6 +4370,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labtestitem {0} bestaat al
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} is een bedrijfsvakantie
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Factureerbare uren
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,In geval van vertraagde terugbetaling wordt dagelijks een boeterente geheven over het lopende rentebedrag
+DocType: Appointment Letter content,Appointment Letter content,Inhoud afspraakbrief
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Laat statusmelding achter
 DocType: Patient Appointment,Procedure Prescription,Procedure Voorschrift
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Meubels en Wedstrijden
@@ -4327,7 +4391,7 @@
 DocType: Opportunity,Customer / Lead Name,Klant / Lead Naam
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Ontruiming Datum niet vermeld
 DocType: Payroll Period,Taxable Salary Slabs,Belastbare salarisplaten
-DocType: Job Card,Production,productie
+DocType: Plaid Settings,Production,productie
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,"Ongeldige GSTIN! De invoer die u heeft ingevoerd, komt niet overeen met het formaat van GSTIN."
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Accountwaarde
 DocType: Guardian,Occupation,Bezetting
@@ -4472,6 +4536,7 @@
 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,Student {0} does not belong to group {1},Student {0} hoort niet bij groep {1}
+DocType: Appointment Letter,Appointment Date,Benoemingsdatum
 DocType: Budget,Cost Center,Kostenplaats
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Coupon #
 DocType: Tax Rule,Shipping Country,Verzenden Land
@@ -4542,6 +4607,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Boekhoudkundige dimensie
 ,Profit and Loss Statement,Winst-en verliesrekening
 DocType: Bank Reconciliation Detail,Cheque Number,Cheque nummer
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Betaald bedrag kan niet nul zijn
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Het item waarnaar wordt verwezen door {0} - {1} is al gefactureerd
 ,Sales Browser,Verkoop verkenner
 DocType: Journal Entry,Total Credit,Totaal Krediet
@@ -4658,6 +4724,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Couponvoorwaarden toevoegen / bewerken
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kosten- / Verschillenrekening ({0}) moet een 'Winst of Verlies' rekening zijn.
 DocType: Stock Entry Detail,Stock Entry Child,Stock Entry Kind
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Loan Security Pledge Company en Loan Company moeten hetzelfde zijn
 DocType: Project,Copied From,Gekopieerd van
 DocType: Project,Copied From,Gekopieerd van
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Factuur al gemaakt voor alle factureringsuren
@@ -4666,6 +4733,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Zijn financiële kosten
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Aanwezigheid voor werknemer {0} is al gemarkeerd
 DocType: Packing Slip,If more than one package of the same type (for print),Als er meer dan een pakket van hetzelfde type (voor afdrukken)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Stel het instructeursysteem in onder onderwijs&gt; onderwijsinstellingen
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Stel de standaardklant in in restaurantinstellingen
 ,Salary Register,salaris Register
 DocType: Company,Default warehouse for Sales Return,Standaard magazijn voor verkoopretour
@@ -4710,7 +4778,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Huidig serienummer
 DocType: Employee,Attendance and Leave Details,Aanwezigheids- en verlofdetails
 ,BOM Comparison Tool,BOM-vergelijkingstool
-,Requested,Aangevraagd
+DocType: Loan Security Pledge,Requested,Aangevraagd
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4722,7 +4790,6 @@
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Service Level,Support and Resolution,Ondersteuning en oplossing
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Gratis artikelcode is niet geselecteerd
-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
@@ -4756,6 +4823,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Boekingen voor Voorraad
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,U heeft al beoordeeld op de beoordelingscriteria {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Tekortbedrag
 DocType: Vehicle Service,Engine Oil,Motorolie
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Werkorders aangemaakt: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Stel een e-mail-ID in voor de lead {0}
@@ -4774,6 +4842,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Account is niet ingesteld voor de dashboardgrafiek {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Breng Extra Korting op
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Selecteer type...
+DocType: Loan Interest Accrual,Amounts,bedragen
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Je tickets
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO
@@ -4781,6 +4850,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Rij # {0}: Kan niet meer dan terugkeren {1} voor post {2}
 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: Loan Security Price,Loan Security Price,Lening beveiligingsprijs
 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,Target warehouse is mandatory for row {0},Doel magazijn is verplicht voor rij {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Retailactiviteiten
@@ -4921,6 +4991,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Partij is verplicht in rij {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Partij is verplicht in rij {0}
 DocType: Company,Default Buying Terms,Standaard koopvoorwaarden
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Uitbetaling van de lening
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Ontvangstbevestiging Artikel geleverd
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Schakel geplande synchronisatie in
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Om Datetime
@@ -4949,6 +5020,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Voer waarde in tussen {0} en {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Voer de naam van de campagne in als bron van onderzoek Campagne is
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Kranten Uitgeverijen
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Geen geldige <b>leningbeveiligingsprijs</b> gevonden voor {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Toekomstige data niet toegestaan
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Verwachte leveringsdatum moet na verkoopdatum zijn
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Bestelniveau
@@ -5015,6 +5087,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Offerte / prijsofferte
 DocType: Antibiotic,Healthcare,Gezondheidszorg
 DocType: Target Detail,Target Detail,Doel Detail
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Lening processen
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Enkele variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,alle vacatures
 DocType: Sales Order,% of materials billed against this Sales Order,% van de materialen in rekening gebracht voor deze Verkooporder
@@ -5078,7 +5151,7 @@
 DocType: Item,Reorder level based on Warehouse,Bestelniveau gebaseerd op Warehouse
 DocType: Activity Cost,Billing Rate,Billing Rate
 ,Qty to Deliver,Aantal te leveren
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Creëer uitbetalingsvermelding
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Creëer uitbetalingsvermelding
 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,Operations cannot be left blank,Operations kan niet leeg zijn
@@ -5112,6 +5185,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Ontkoppel externe integraties
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Kies een overeenkomstige betaling
 DocType: Pricing Rule,Item Code,Artikelcode
+DocType: Loan Disbursement,Pending Amount For Disbursal,Bedrag in afwachting van uitbetaling
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garantie / AMC Details
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Selecteer studenten handmatig voor de activiteit gebaseerde groep
@@ -5136,6 +5210,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Aantal Totaal
 DocType: Landed Cost Item,Receipt Document,ontvangst Document
 DocType: Employee Education,School/University,School / Universiteit
+DocType: Loan Security Pledge,Loan  Details,Lening details
 DocType: Sales Invoice Item,Available Qty at Warehouse,Qty bij Warehouse
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Gefactureerd Bedrag
 DocType: Share Transfer,(including),(inclusief)
@@ -5159,6 +5234,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Groepen
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Groeperen volgens Rekening
 DocType: Purchase Invoice,Hold Invoice,Factuur vasthouden
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Pandstatus
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Selecteer werknemer
 DocType: Sales Order,Fully Delivered,Volledig geleverd
 DocType: Promotional Scheme Price Discount,Min Amount,Min. Bedrag
@@ -5168,7 +5244,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Uitbetaalde bedrag kan niet groter zijn dan Leningen zijn {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rij {0} # Toegewezen hoeveelheid {1} kan niet groter zijn dan het niet-opgeëiste bedrag {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Inkoopordernummer nodig voor Artikel {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Doorgestuurd Bladeren
@@ -5196,6 +5271,7 @@
 DocType: Pick List Item,Serial No and Batch,Serienummer en Batch
 DocType: Warranty Claim,From Company,Van Bedrijf
 DocType: GSTR 3B Report,January,januari-
+DocType: Loan Repayment,Principal Amount Paid,Hoofdsom betaald
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Som van de scores van de beoordelingscriteria moet {0} te zijn.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Stel Aantal geboekte afschrijvingen
 DocType: Supplier Scorecard Period,Calculations,berekeningen
@@ -5222,6 +5298,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Over uw bedrijf
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Toon veroudering van aandelen
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credit Om rekening moet een balansrekening zijn
+DocType: Loan Repayment,Penalty Amount,Bedrag van de boete
 DocType: Donor,Donor,schenker
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Update belastingen voor artikelen
 DocType: Global Defaults,Disable In Words,Uitschakelen In Woorden
@@ -5252,6 +5329,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostenplaats en budgettering
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Opening Balance Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Gedeeltelijk betaalde invoer
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Stel het betalingsschema in
 DocType: Pick List,Items under this warehouse will be suggested,Items onder dit magazijn worden voorgesteld
 DocType: Purchase Invoice,N,N
@@ -5285,7 +5363,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} niet gevonden voor item {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Waarde moet tussen {0} en {1} zijn
 DocType: Accounts Settings,Show Inclusive Tax In Print,Toon Inclusive Tax In Print
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,bericht verzonden
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5299,6 +5376,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Automatisch opnieuw bestellen inschakelen
 DocType: Stock Settings,Item Naming By,Artikel benoeming door
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Een ander Periode sluitpost {0} is gemaakt na {1}
+DocType: Proposed Pledge,Proposed Pledge,Voorgestelde belofte
 DocType: Work Order,Material Transferred for Manufacturing,Materiaal Overgedragen voor Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Rekening {0} bestaat niet
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Selecteer Loyaliteitsprogramma
@@ -5309,7 +5387,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Instellen Events naar {0}, omdat de werknemer die aan de onderstaande Sales Personen die niet beschikt over een gebruikers-ID {1}"
 DocType: Timesheet,Billing Details,Billing Details
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Bron en doel magazijn moet verschillen
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Stel het naamgevingssysteem voor werknemers in via Human Resource&gt; HR-instellingen
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betaling mislukt. Controleer uw GoCardless-account voor meer informatie
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Niet toegestaan om voorraadtransacties ouder dan  {0} bij te werken
 DocType: Stock Entry,Inspection Required,Inspectie Verplicht
@@ -5322,6 +5399,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Levering magazijn vereist voor voorraad artikel {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Het bruto gewicht van het pakket. Meestal nettogewicht + verpakkingsmateriaal gewicht. (Voor afdrukken)
 DocType: Assessment Plan,Program,Programma
+DocType: Unpledge,Against Pledge,Tegen belofte
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts
 DocType: Plaid Settings,Plaid Environment,Geruite omgeving
 ,Project Billing Summary,Projectfactuuroverzicht
@@ -5374,6 +5452,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,batches
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Aantal dagen dat afspraken vooraf kunnen worden geboekt
 DocType: Article,LMS User,LMS-gebruiker
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Lening Security Pledge is verplicht voor beveiligde lening
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Plaats van levering (staat / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Voorraad Eenheid
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Inkooporder {0} is niet ingediend
@@ -5449,6 +5528,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Maak een opdrachtkaart
 DocType: Quotation,Referral Sales Partner,Verwijzende verkooppartner
 DocType: Quality Procedure Process,Process Description,Procesbeschrijving
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Kan niet verpanden, de leningwaarde is groter dan het terugbetaalde bedrag"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klant {0} is gemaakt.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Momenteel is er geen voorraad beschikbaar in een magazijn
 ,Payment Period Based On Invoice Date,Betaling Periode gebaseerd op factuurdatum
@@ -5469,7 +5549,7 @@
 DocType: Asset,Insurance Details,verzekering Details
 DocType: Account,Payable,betaalbaar
 DocType: Share Balance,Share Type,Type delen
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Vul de aflossingsperiode
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Vul de aflossingsperiode
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debiteuren ({0})
 DocType: Pricing Rule,Margin,Marge
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nieuwe klanten
@@ -5478,6 +5558,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Kansen per leadbron
 DocType: Appraisal Goal,Weightage (%),Weging (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS-profiel wijzigen
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Aantal of Bedrag is verplicht voor leningzekerheid
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance Datum
 DocType: Delivery Settings,Dispatch Notification Template,Berichtensjabloon voor verzending
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Beoordelingsverslag
@@ -5513,6 +5594,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Deel Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Verkoopfactuur {0} gemaakt
 DocType: Employee,Confirmation Date,Bevestigingsdatum
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"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: Inpatient Occupancy,Check Out,Uitchecken
 DocType: C-Form,Total Invoiced Amount,Totaal Gefactureerd bedrag
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Aantal kan niet groter zijn dan Max Aantal zijn
@@ -5526,7 +5609,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Bedrijfs-ID
 DocType: Travel Request,Travel Funding,Reisfinanciering
 DocType: Employee Skill,Proficiency,bekwaamheid
-DocType: Loan Application,Required by Date,Vereist door Date
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail aankoopbon
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Een link naar alle locaties waarin het gewas groeit
 DocType: Lead,Lead Owner,Lead Eigenaar
@@ -5545,7 +5627,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Huidige Stuklijst en Nieuwe Stuklijst kunnen niet hetzelfde zijn
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Loonstrook ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensioneringsdatum moet groter zijn dan datum van indiensttreding
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverancier&gt; Type leverancier
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Meerdere varianten
 DocType: Sales Invoice,Against Income Account,Tegen Inkomstenrekening
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Geleverd
@@ -5578,7 +5659,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Soort waardering kosten kunnen niet zo Inclusive gemarkeerd
 DocType: POS Profile,Update Stock,Voorraad bijwerken
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Betalingsdetails
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Stuklijst tarief
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Geupload bestand lezen
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5614,6 +5695,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maximale leenwaarde
 ,Stock Ledger,Voorraad Dagboek
 DocType: Company,Exchange Gain / Loss Account,Exchange winst / verliesrekening
 DocType: Amazon MWS Settings,MWS Credentials,MWS-referenties
@@ -5621,6 +5703,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Doel moet één zijn van {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,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,Community Forum,Community Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Geen bladeren toegewezen aan werknemer: {0} voor verloftype: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Werkelijke hoeveelheid op voorraad
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Werkelijke hoeveelheid op voorraad
 DocType: Homepage,"URL for ""All Products""",URL voor &quot;Alle producten&quot;
@@ -5723,7 +5806,6 @@
 DocType: Fee Schedule,Fee Schedule,fee Schedule
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Kolomlabels:
 DocType: Bank Transaction,Settled,verrekend
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Uitbetalingsdatum kan niet na de startdatum van de terugbetaling van de lening zijn
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,parameters
 DocType: Company,Create Chart Of Accounts Based On,Maak rekeningschema op basis van
@@ -5743,6 +5825,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kredietlimiet en betalingsvoorwaarden
 DocType: Loyalty Program,Collection Rules,Collectieregels
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Punt 3
+DocType: Loan Security Shortfall,Shortfall Time,Tekorttijd
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Orderinvoer
 DocType: Purchase Order,Customer Contact Email,E-mail Contactpersoon Klant
 DocType: Warranty Claim,Item and Warranty Details,Item en garantie Details
@@ -5762,12 +5845,14 @@
 DocType: Sales Person,Sales Person Name,Verkoper Naam
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vul tenminste 1 factuur in in de tabel
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Geen lab-test gemaakt
+DocType: Loan Security Shortfall,Security Value ,Beveiligingswaarde
 DocType: POS Item Group,Item Group,Artikelgroep
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentengroep:
 DocType: Depreciation Schedule,Finance Book Id,Finance Boek-ID
 DocType: Item,Safety Stock,Veiligheidsvoorraad
 DocType: Healthcare Settings,Healthcare Settings,Gezondheidszorginstellingen
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Totaal toegewezen bladeren
+DocType: Appointment Letter,Appointment Letter,Afspraakbrief
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Voortgang% voor een taak kan niet meer dan 100 zijn.
 DocType: Stock Reconciliation Item,Before reconciliation,Voordat verzoening
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Naar {0}
@@ -5823,6 +5908,7 @@
 DocType: Stock Entry,From BOM,Van BOM
 DocType: Assessment Code,Assessment Code,assessment Code
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Basis
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Leningaanvragen van klanten en werknemers.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Voorraadtransacties voor {0} zijn bevroren
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Klik op 'Genereer Planning'
 DocType: Job Card,Current Time,Huidige tijd
@@ -5849,7 +5935,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Verlenen
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Geen groepen studenten gecreëerd.
 DocType: Purchase Invoice Item,Serial No,Serienummer
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Maandelijks te betalen bedrag kan niet groter zijn dan Leningen zijn
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Maandelijks te betalen bedrag kan niet groter zijn dan Leningen zijn
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Vul eerst Onderhoudsdetails in
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rij # {0}: Verwachte Afleverdatum kan niet vóór de Aankoopdatum zijn
 DocType: Purchase Invoice,Print Language,Print Taal
@@ -5863,6 +5949,7 @@
 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,All Territories,Alle gebieden
+DocType: Plaid Settings,development,ontwikkeling
 DocType: Lost Reason Detail,Lost Reason Detail,Verloren reden Detail
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ongeldige algemene bestelling voor de geselecteerde klant en artikel
@@ -5927,12 +6014,14 @@
 DocType: Staffing Plan Detail,Current Openings,Huidige openingen
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,De cashflow uit bedrijfsoperaties
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST-bedrag
+DocType: Vehicle Log,Current Odometer value ,Huidige kilometertellerwaarde
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Maak een student aan
 DocType: Asset Movement Item,Asset Movement Item,Item itembeweging
 DocType: Purchase Invoice,Shipping Rule,Verzendregel
 DocType: Patient Relation,Spouse,Echtgenoot
 DocType: Lab Test Groups,Add Test,Test toevoegen
 DocType: Manufacturer,Limited to 12 characters,Beperkt tot 12 tekens
+DocType: Appointment Letter,Closing Notes,Slotopmerkingen
 DocType: Journal Entry,Print Heading,Print Kop
 DocType: Quality Action Table,Quality Action Table,Kwaliteitsactie tabel
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totaal kan niet nul zijn
@@ -6000,6 +6089,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Totaal (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Identificeer / maak account (groep) voor type - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entertainment & Vrije Tijd
+DocType: Loan Security,Loan Security,Lening beveiliging
 ,Item Variant Details,Artikel Variant Details
 DocType: Quality Inspection,Item Serial No,Artikel Serienummer
 DocType: Payment Request,Is a Subscription,Is een abonnement
@@ -6012,7 +6102,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Laatste leeftijd
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Geplande en toegelaten data kunnen niet minder zijn dan vandaag
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer Material aan Leverancier
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nieuw Serienummer kan geen Magazijn krijgen. Magazijn moet via Voorraad Invoer of Ontvangst worden ingesteld.
 DocType: Lead,Lead Type,Lead Type
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Maak Offerte
@@ -6030,7 +6119,6 @@
 DocType: Leave Allocation,Leave Period,Verlofperiode
 DocType: Item,Default Material Request Type,Standaard Materiaal Request Type
 DocType: Supplier Scorecard,Evaluation Period,Evaluatie periode
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klant&gt; Klantengroep&gt; Gebied
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Onbekend
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Werkorder niet gemaakt
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6116,7 +6204,8 @@
 ,Customer-wise Item Price,Klantgewijs Artikelprijs
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Kasstroomoverzicht
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Er is geen aanvraag voor een artikel gemaakt
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Geleende bedrag kan niet hoger zijn dan maximaal bedrag van de lening van {0}
+DocType: Loan,Loan Security Pledge,Lening zekerheid pandrecht
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licentie
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6134,6 +6223,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Prijs kortingsregeling
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Onderhoudsstatus moet worden geannuleerd of voltooid om te verzenden
 DocType: Amazon MWS Settings,US,ONS
+DocType: Loan Security Pledge,Pledged,verpande
 DocType: Holiday List,Add Weekly Holidays,Wekelijkse feestdagen toevoegen
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Meld item
 DocType: Staffing Plan Detail,Vacancies,vacatures
@@ -6152,7 +6242,6 @@
 DocType: Production Plan Item,Planned Start Date,Geplande Startdatum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Selecteer een stuklijst
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Beschikbaar in ITC Integrated Tax
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Creëer terugbetaling
 DocType: Purchase Order Item,Blanket Order Rate,Deken Besteltarief
 ,Customer Ledger Summary,Overzicht klantenboek
 apps/erpnext/erpnext/hooks.py,Certification,certificaat
@@ -6173,6 +6262,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Beoordeling Template titel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,commercieel
 DocType: Patient,Alcohol Current Use,Alcohol Huidig Gebruik
+DocType: Loan,Loan Closure Requested,Sluiting van lening gevraagd
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Bedrag van de huursom van de huurwoning
 DocType: Student Admission Program,Student Admission Program,Studenten toelating programma
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Categorie BTW-vrijstelling
@@ -6196,6 +6286,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Verkoop
 DocType: Stock Entry Detail,Basic Amount,Basisbedrag
 DocType: Training Event,Exam,tentamen
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Proceslening Beveiligingstekort
 DocType: Email Campaign,Email Campaign,E-mail campagne
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Marktplaatsfout
 DocType: Complaint,Complaint,Klacht
@@ -6275,6 +6366,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Dien dit in om het werknemersrecord te creëren
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Lening Beveiliging Prijs overlapt met {0}
 DocType: Item Default,Item Default,Item Standaard
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Leveringen binnen de staat
 DocType: Chapter Member,Leave Reason,Verlaat de Rede
@@ -6302,6 +6394,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Gebruikte coupon is {1}. Toegestane hoeveelheid is op
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Wilt u het materiële verzoek indienen?
 DocType: Job Offer,Awaiting Response,Wachten op antwoord
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Lening is verplicht
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Boven
 DocType: Support Search Source,Link Options,Link opties
@@ -6314,6 +6407,7 @@
 DocType: Training Event Employee,Optional,facultatief
 DocType: Salary Slip,Earning & Deduction,Verdienen &amp; Aftrek
 DocType: Agriculture Analysis Criteria,Water Analysis,Water analyse
+DocType: Pledge,Post Haircut Amount,Kapselbedrag posten
 DocType: Sales Order,Skip Delivery Note,Afleverbon overslaan
 DocType: Price List,Price Not UOM Dependent,Prijs niet UOM afhankelijk
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} varianten gemaakt.
@@ -6340,6 +6434,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Krijg Items uit Product Bundle
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Terugbetalingsmethode is verplicht voor termijnleningen
 DocType: Asset,Straight Line,Rechte lijn
 DocType: Project User,Project User,project Gebruiker
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,spleet
@@ -6388,7 +6483,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol toegestaan om Stel Frozen Accounts & bewerken Frozen Entries
 DocType: Supplier Scorecard Scoring Variable,Path,Pad
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Kan kostenplaats niet omzetten naar grootboek vanwege onderliggende nodes
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-conversiefactor ({0} -&gt; {1}) niet gevonden voor item: {2}
 DocType: Production Plan,Total Planned Qty,Totaal aantal geplande
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transacties zijn al teruggetrokken uit de verklaring
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,opening Value
@@ -6397,11 +6491,8 @@
 DocType: Material Request Plan Item,Required Quantity,Benodigde hoeveelheid
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Boekhoudperiode overlapt met {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverancier&gt; Type leverancier
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Verkoopaccount
 DocType: Purchase Invoice Item,Total Weight,Totale gewicht
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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: Pick List Item,Pick List Item,Keuzelijstitem
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Commissie op de verkoop
 DocType: Job Offer Term,Value / Description,Waarde / Beschrijving
@@ -6448,6 +6539,7 @@
 DocType: Patient Encounter,Encounter Date,Encounter Date
 DocType: Work Order,Update Consumed Material Cost In Project,Verbruikte materiaalkosten in project bijwerken
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Account: {0} met valuta: {1} kan niet worden geselecteerd
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Leningen verstrekt aan klanten en werknemers.
 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
@@ -6516,7 +6608,6 @@
 DocType: Contract,Signed On,Aangemeld
 DocType: Bank Account,Party Type,partij Type
 DocType: Discounted Invoice,Discounted Invoice,Korting op factuur
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markeer aanwezigheid als <b></b>
 DocType: Payment Schedule,Payment Schedule,Betalingsschema
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Geen medewerker gevonden voor de gegeven veldwaarde voor de medewerker. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Afkorting
@@ -6588,6 +6679,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Crediteuren
 DocType: Assessment Plan,Assessment Name,assessment Naam
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Rij # {0}: Serienummer is verplicht
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Een bedrag van {0} is vereist voor het afsluiten van de lening
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Artikelgebaseerde BTW Details
 DocType: Employee Onboarding,Job Offer,Vacature
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instituut Afkorting
@@ -6612,7 +6704,6 @@
 DocType: Purchase Order,To Receive,Ontvangen
 DocType: Leave Period,Holiday List for Optional Leave,Vakantielijst voor optioneel verlof
 DocType: Item Tax Template,Tax Rates,BELASTINGTARIEVEN
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Artikelcode&gt; Artikelgroep&gt; Merk
 DocType: Asset,Asset Owner,Activa-eigenaar
 DocType: Item,Website Content,Website inhoud
 DocType: Bank Account,Integration ID,Integratie ID
@@ -6629,6 +6720,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch Orders
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Orders vrijgegeven voor productie.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Selecteer boekjaar ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Selecteer het type lening voor bedrijf {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS profiel nodig om POS Entry maken
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6657,6 +6749,7 @@
 DocType: Customer,Mention if non-standard receivable account,Vermelden of niet-standaard te ontvangen rekening
 DocType: Bank,Plaid Access Token,Plaid-toegangstoken
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Voeg de resterende voordelen {0} toe aan een van de bestaande onderdelen
+DocType: Bank Account,Is Default Account,Is standaardaccount
 DocType: Journal Entry Account,If Income or Expense,Indien Inkomsten (baten) of Uitgaven (lasten)
 DocType: Course Topic,Course Topic,Cursus onderwerp
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Er bestaat al een POS-sluitingsbon voor {0} tussen datum {1} en {2}
@@ -6669,7 +6762,7 @@
 DocType: Disease,Treatment Task,Behandelingstaak
 DocType: Payment Order Reference,Bank Account Details,Bankgegevens
 DocType: Purchase Order Item,Blanket Order,Dekenvolgorde
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Terugbetalingsbedrag moet groter zijn dan
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Terugbetalingsbedrag moet groter zijn dan
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Belastingvorderingen
 DocType: BOM Item,BOM No,Stuklijst nr.
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Bijwerken details
@@ -6726,6 +6819,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce-producten
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Syntaxisfout in formule of aandoening: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Artikel {0} genegeerd omdat het niet een voorraadartikel is
+,Loan Security Status,Lening Beveiligingsstatus
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Om de prijsbepalingsregel in een specifieke transactie niet toe te passen, moeten alle toepasbare prijsbepalingsregels worden uitgeschakeld."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dag (en) na het einde van de factuurmaand
 DocType: Assessment Group,Parent Assessment Group,Parent Assessment Group
@@ -6740,7 +6834,6 @@
 DocType: Stock Entry Detail,Additional Cost,Bijkomende kosten
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Kan niet filteren op basis van vouchernummer, indien gegroepeerd per voucher"
 DocType: Quality Inspection,Incoming,Inkomend
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Stel nummeringseries in voor Aanwezigheid via Setup&gt; Nummeringsseries
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standaardbelastingsjablonen voor verkopen en kopen worden gemaakt.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Beoordeling Resultaat record {0} bestaat al.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Voorbeeld: ABCD. #####. Als reeks is ingesteld en Batch-nummer niet in transacties wordt vermeld, wordt op basis van deze reeks automatisch batchnummer gemaakt. Als u Batch-nummer voor dit artikel altijd expliciet wilt vermelden, laat dit veld dan leeg. Opmerking: deze instelling heeft voorrang boven het voorvoegsel Naamgevingsreeks in Voorraadinstellingen."
@@ -6751,8 +6844,10 @@
 DocType: Contract,Party User,Partijgebruiker
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Activa niet gemaakt voor <b>{0}</b> . U moet het activum handmatig maken.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Stel alsjeblieft Bedrijfsfilter leeg als Group By is &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klant&gt; Klantengroep&gt; Gebied
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posting datum kan niet de toekomst datum
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Rij # {0}: Serienummer {1} komt niet overeen met {2} {3}
+DocType: Loan Repayment,Interest Payable,Verschuldigde rente
 DocType: Stock Entry,Target Warehouse Address,Target Warehouse Address
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,De tijd vóór de starttijd van de dienst gedurende welke de werknemer incheckt voor aanwezigheid.
@@ -6881,6 +6976,7 @@
 DocType: Issue,Reset Service Level Agreement,Reset Service Level Agreement
 ,Sales Person-wise Transaction Summary,Verkopergebaseerd Transactie Overzicht
 DocType: Training Event,Contact Number,Contact nummer
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Leenbedrag is verplicht
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6927,6 +7023,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balans Aantal
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Voorwaarden worden toegepast op alle geselecteerde items samen.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Goals mag niet leeg zijn
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Onjuist magazijn
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Studenten inschrijven
 DocType: Item Group,Parent Item Group,Bovenliggende Artikelgroep
 DocType: Appointment Type,Appointment Type,Afspraakstype
@@ -6982,10 +7079,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gemiddelde score
 DocType: Appointment,Appointment With,Afspraak met
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Het totale betalingsbedrag in het betalingsschema moet gelijk zijn aan het groot / afgerond totaal
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markeer aanwezigheid als <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&#39;Door de klant verstrekt artikel&#39; kan geen waarderingspercentage hebben
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bankafschrift saldo per General Ledger
-DocType: Job Applicant,Applicant Name,Aanvrager Naam
+DocType: Appointment Letter,Applicant Name,Aanvrager Naam
 DocType: Authorization Rule,Customer / Item Name,Klant / Naam van het punt
 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**. 
 
@@ -7029,11 +7127,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distributie
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,De werknemersstatus kan niet worden ingesteld op &#39;Links&#39; omdat de volgende werknemers momenteel rapporteren aan deze werknemer:
-DocType: Journal Entry Account,Loan,Lening
+DocType: Loan Repayment,Amount Paid,Betaald bedrag
+DocType: Loan Security Shortfall,Loan,Lening
 DocType: Expense Claim Advance,Expense Claim Advance,Onkostendeclaratie doorvoeren
 DocType: Lab Test,Report Preference,Rapportvoorkeur
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Vrijwilliger informatie.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Project Manager
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Groeperen op klant
 ,Quoted Item Comparison,Geciteerd Item Vergelijking
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Overlappen in scoren tussen {0} en {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Dispatch
@@ -7053,6 +7153,7 @@
 DocType: Material Request Plan Item,Material Issue,Materiaal uitgifte
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratis item niet ingesteld in de prijsregel {0}
 DocType: Employee Education,Qualification,Kwalificatie
+DocType: Loan Security Shortfall,Loan Security Shortfall,Lening Zekerheidstekort
 DocType: Item Price,Item Price,Artikelprijs
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Zeep & Wasmiddel
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Werknemer {0} behoort niet tot het bedrijf {1}
@@ -7075,6 +7176,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Afspraakdetails
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Afgewerkt product
 DocType: Warehouse,Warehouse Name,Magazijn Naam
+DocType: Loan Security Pledge,Pledge Time,Belofte tijd
 DocType: Naming Series,Select Transaction,Selecteer Transactie
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vul de Goedkeurders Rol of Goedkeurende Gebruiker in
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Service Level Agreement met Entity Type {0} en Entity {1} bestaat al.
@@ -7082,7 +7184,6 @@
 DocType: BOM,Rate Of Materials Based On,Prijs van materialen op basis van
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Indien ingeschakeld, is de veld Academic Term verplicht in het programma-inschrijvingsinstrument."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Waarden van vrijgestelde, nihil en niet-GST inkomende leveringen"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klant&gt; Klantengroep&gt; Gebied
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Bedrijf</b> is een verplicht filter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Verwijder het vinkje bij alle
 DocType: Purchase Taxes and Charges,On Item Quantity,Op artikelhoeveelheid
@@ -7127,7 +7228,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Tekort Aantal
 DocType: Purchase Invoice,Input Service Distributor,Input Service Distributeur
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Artikel variant {0} bestaat met dezelfde kenmerken
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Stel het instructeursysteem in onder onderwijs&gt; onderwijsinstellingen
 DocType: Loan,Repay from Salary,Terugbetalen van Loon
 DocType: Exotel Settings,API Token,API-token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Betalingsverzoeken tegen {0} {1} van {2} bedrag
@@ -7147,6 +7247,7 @@
 DocType: Salary Slip,Total Interest Amount,Totaal rentebedrag
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Aankomst Datetime
 DocType: Tax Rule,Billing Zipcode,Facturatie postcode
@@ -7333,6 +7434,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Uren
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Er is een nieuwe afspraak voor u gemaakt met {0}
 DocType: Project,Expected Start Date,Verwachte startdatum
+DocType: Work Order,This is a location where raw materials are available.,Dit is een locatie waar grondstoffen beschikbaar zijn.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Verbetering op factuur
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Werkorder al gemaakt voor alle artikelen met Stuklijst
 DocType: Bank Account,Party Details,Party Details
@@ -7351,6 +7453,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,citaten:
 DocType: Contract,Partially Fulfilled,Gedeeltelijk vervuld
 DocType: Maintenance Visit,Fully Completed,Volledig afgerond
+DocType: Loan Security,Loan Security Name,Naam leningbeveiliging
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Speciale tekens behalve &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; En &quot;}&quot; niet toegestaan in naamgevingsreeks"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Is nul beoordeeld of vrijgesteld
 DocType: Employee,Educational Qualification,Educatieve Kwalificatie
@@ -7408,6 +7511,7 @@
 DocType: Program,Is Featured,Is uitgelicht
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Ophalen ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Landbouw Gebruiker
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Geldig tot datum kan niet vóór de transactiedatum zijn
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7485,8 +7589,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Werknemer {0} staat op Verlof op {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Geen terugbetalingen geselecteerd voor journaalboeking
 DocType: Purchase Invoice,GST Category,GST-categorie
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Voorgestelde toezeggingen zijn verplicht voor beveiligde leningen
 DocType: Payment Reconciliation,From Invoice Date,Na factuurdatum
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budgetten
 DocType: Invoice Discounting,Disbursed,uitbetaald
@@ -7544,14 +7648,13 @@
 DocType: Restaurant,Active Menu,Actief menu
 DocType: Accounting Dimension Detail,Default Dimension,Standaard dimensie
 DocType: Target Detail,Target Qty,Doel Aantal
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Tegen lening: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Afrekenen Instellingen
 DocType: Student Attendance,Present,Presenteer
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Vrachtbrief {0} mag niet worden ingediend
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","De salarisstrook die per e-mail naar de werknemer wordt verzonden, is beveiligd met een wachtwoord, het wachtwoord wordt gegenereerd op basis van het wachtwoordbeleid."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Kilometerteller
 DocType: Production Plan Item,Ordered Qty,Besteld Aantal
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Punt {0} is uitgeschakeld
 DocType: Stock Settings,Stock Frozen Upto,Voorraad Bevroren Tot
@@ -7610,7 +7713,6 @@
 DocType: Serial No,Delivery Document Type,Levering Soort document
 DocType: Sales Order,Partly Delivered,Deels geleverd
 DocType: Item Variant Settings,Do not update variants on save,Wijzig geen varianten bij opslaan
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,Debiteuren
 DocType: Lead Source,Lead Source,Lead Bron
 DocType: Customer,Additional information regarding the customer.,Aanvullende informatie over de klant.
@@ -7707,6 +7809,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Werkelijk
 DocType: Appointment,Skype ID,Skype identiteit
 DocType: Restaurant Menu,Restaurant Manager,Restaurant manager
+DocType: Loan,Penalty Income Account,Penalty Inkomen Account
 DocType: Call Log,Call Log,Oproeplogboek
 DocType: Authorization Rule,Customerwise Discount,Klantgebaseerde Korting
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet voor taken.
@@ -7795,6 +7898,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Kortingsregeling voor producten
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,De beller heeft geen probleem opgeworpen.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Groeperen op leverancier
 DocType: Restaurant Reservation,Waitlisted,wachtlijst
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Uitzonderingscategorie
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7805,7 +7909,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Gebaseerd op prijslijst
 DocType: Customer Group,Parent Customer Group,Bovenliggende klantgroep
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan alleen worden gegenereerd op basis van verkoopfactuur
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maximale pogingen voor deze quiz bereikt!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Fee Creation In afwachting
@@ -7823,6 +7926,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Preventief onderhoud
 DocType: Delivery Note Item,Against Sales Invoice,Tegen Sales Invoice
 DocType: Purchase Invoice,07-Others,07-Anderen
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Offerte Bedrag
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Voer alstublieft de serienummers in voor het serienummer
 DocType: Bin,Reserved Qty for Production,Aantal voorbehouden voor productie
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Verlaat het vinkje als u geen batch wilt overwegen tijdens het maken van cursussen op basis van cursussen.
@@ -7934,6 +8038,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Betaling Ontvangst Opmerking
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Materiaalaanvraag maken
+DocType: Loan Interest Accrual,Pending Principal Amount,In afwachting van hoofdbedrag
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Begin- en einddatums niet in een geldige loonperiode, kunnen {0} niet berekenen"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7977,6 +8082,7 @@
 											to fullfill Sales Order {2}",Kan serienummer {0} van artikel {1} niet leveren als het is gereserveerd \ om de verkooporder te vervullen {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Leverancier Offerte {0} aangemaakt
+DocType: Loan Security Unpledge,Unpledge Type,Type onbelofte
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Eindjaar kan niet voor Start Jaar
 DocType: Employee Benefit Application,Employee Benefits,Employee Benefits
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Werknemer ID
@@ -8059,6 +8165,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Cursuscode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Vul Kostenrekening in
 DocType: Quality Action Resolution,Problem,Probleem
+DocType: Loan Security Type,Loan To Value Ratio,Lening tot waardeverhouding
 DocType: Account,Stock,Voorraad
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8076,6 +8183,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Rekeningoverzichtstransactie
 DocType: Sales Invoice Item,Discount and Margin,Korting en Marge
 DocType: Lab Test,Prescription,Voorschrift
+DocType: Process Loan Security Shortfall,Update Time,Update tijd
 DocType: Import Supplier Invoice,Upload XML Invoices,XML-facturen uploaden
 DocType: Company,Default Deferred Revenue Account,Standaard uitgestelde inkomstenrekening
 DocType: Project,Second Email,Tweede e-mail
@@ -8089,7 +8197,7 @@
 DocType: Quality Action,Preventive,preventieve
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Leveringen aan niet-geregistreerde personen
 DocType: Company,Date of Incorporation,Datum van oprichting
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Tax
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total Tax
 DocType: Manufacturing Settings,Default Scrap Warehouse,Standaard schrootmagazijn
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Laatste aankoopprijs
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Voor Hoeveelheid (Geproduceerd Aantal) is verplicht
@@ -8108,6 +8216,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Stel de standaard betalingswijze in
 DocType: Stock Entry Detail,Against Stock Entry,Tegen aandeleninvoer
 DocType: Grant Application,Withdrawn,teruggetrokken
+DocType: Loan Repayment,Regular Payment,Reguliere betaling
 DocType: Support Search Source,Support Search Source,Zoekbron ondersteunen
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Bruto marge %
@@ -8121,8 +8230,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Zonder betaling van belasting
 DocType: BOM Operation,BOM Operation,Stuklijst Operatie
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Aantal van vorige rij
+DocType: Student,Home Address,Thuisadres
 DocType: Options,Is Correct,Is juist
 DocType: Item,Has Expiry Date,Heeft vervaldatum
+DocType: Loan Repayment,Paid Accrual Entries,Betaalde overboekingen
+DocType: Loan Security,Loan Security Type,Type leningbeveiliging
 apps/erpnext/erpnext/config/support.py,Issue Type.,Soort probleem.
 DocType: POS Profile,POS Profile,POS Profiel
 DocType: Training Event,Event Name,Evenement naam
@@ -8134,6 +8246,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Seizoensgebondenheid voor het vaststellen van budgetten, doelstellingen etc."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Geen waarden
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabele naam
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Selecteer de bankrekening die u wilt afstemmen.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Item {0} is een sjabloon, selecteert u één van de varianten"
 DocType: Purchase Invoice Item,Deferred Expense,Uitgestelde kosten
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Terug naar berichten
@@ -8185,7 +8298,6 @@
 DocType: GL Entry,To Rename,Hernoemen
 DocType: Stock Entry,Repack,Herverpakken
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selecteer om serienummer toe te voegen.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Stel het instructeursysteem in onder onderwijs&gt; onderwijsinstellingen
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Stel de fiscale code in voor de% s van de klant
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Selecteer eerst het bedrijf
 DocType: Item Attribute,Numeric Values,Numerieke waarden
@@ -8209,6 +8321,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Ophalen op basis van FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root kan niet worden bewerkt .
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Lening beveiligingswaarde
 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
@@ -8255,6 +8368,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Selecteer eerst een Categorie
 apps/erpnext/erpnext/config/projects.py,Project master.,Project stam.
 DocType: Contract,Contract Terms,Contract termen
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sanctiebedraglimiet
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Ga door met de configuratie
 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,Maximum benefit amount of component {0} exceeds {1},Maximale voordeelhoeveelheid van component {0} overschrijdt {1}
@@ -8287,6 +8401,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Bekijk oproeplogboek
 DocType: BOM Operation,Operating Cost(Company Currency),Bedrijfskosten (Company Munt)
 DocType: Loan Application,Rate of Interest,Rentevoet
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Lening Security Pledge al toegezegd tegen lening {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Gesanctioneerde Bedrag
 DocType: Item,Shelf Life In Days,Houdbaarheid in dagen
 DocType: GL Entry,Is Opening,Opent
@@ -8300,3 +8415,4 @@
 DocType: Account,Cash,Contant
 DocType: Sales Invoice,Unpaid and Discounted,Onbetaald en met korting
 DocType: Employee,Short biography for website and other publications.,Korte biografie voor website en andere publicaties.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Rij # {0}: Kan leveranciersmagazijn niet selecteren tijdens het leveren van grondstoffen aan onderaannemer
diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv
index b000af8..497a364 100644
--- a/erpnext/translations/no.csv
+++ b/erpnext/translations/no.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Mulighet tapt grunn
 DocType: Patient Appointment,Check availability,Sjekk tilgjengelighet
 DocType: Retention Bonus,Bonus Payment Date,Bonus Betalingsdato
-DocType: Employee,Job Applicant,Jobbsøker
+DocType: Appointment Letter,Job Applicant,Jobbsøker
 DocType: Job Card,Total Time in Mins,Total tid i minutter
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontaktinformasjon
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Søk etter noe ...
 ,Stock and Account Value Comparison,Sammenligning av aksje og konto
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Utbetalt beløp kan ikke være større enn lånebeløpet
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Interessert
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Åpning
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Gyldig fra tid må være mindre enn gyldig inntil tid.
 DocType: Item,Copy From Item Group,Kopier fra varegruppe
 DocType: Journal Entry,Opening Entry,Åpning Entry
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Bare konto Pay
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,grade
 DocType: Restaurant Table,No of Seats,Antall plasser
+DocType: Loan Type,Grace Period in Days,Nådeperiode i dager
 DocType: Sales Invoice,Overdue and Discounted,Forfalte og rabatterte
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Eiendom {0} hører ikke til depotkontor {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Ring frakoblet
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Foreskrevne prosedyrer
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Vis bare POS
 DocType: Supplier Group,Supplier Group Name,Leverandørgruppens navn
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk oppmøte som <b></b>
 DocType: Driver,Driving License Categories,Kjørelisenskategorier
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vennligst oppgi Leveringsdato
 DocType: Depreciation Schedule,Make Depreciation Entry,Gjør Avskrivninger Entry
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detaljene for operasjonen utføres.
 DocType: Asset Maintenance Log,Maintenance Status,Vedlikehold Status
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Vare skattebeløp inkludert i verdien
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Lånesikkerhet unpedge
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Medlemskapsdetaljer
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverandør er nødvendig mot Betales konto {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Elementer og priser
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Antall timer: {0}
+DocType: Loan,Loan Manager,Låneansvarlig
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Fra dato bør være innenfor regnskapsåret. Antar Fra Date = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,intervall
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Oppdatert via &#39;Time Logg&#39;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Velg kunden eller leverandøren.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landskode i fil stemmer ikke med landskoden som er satt opp i systemet
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Konto {0} tilhører ikke selskapet {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Velg bare én prioritet som standard.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,La Blokkert
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank Entries
-DocType: Customer,Is Internal Customer,Er intern kunde
+DocType: Sales Invoice,Is Internal Customer,Er intern kunde
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materialet Request
 DocType: Bank Reconciliation,Update Clearance Date,Oppdater Lagersalg Dato
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Antall
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Kan ikke opprette lån før søknaden er godkjent
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Riktig
 DocType: Student Guardian,Mother,Mor
 DocType: Restaurant Reservation,Reservation End Time,Reservasjons sluttid
+DocType: Salary Slip Loan,Loan Repayment Entry,Innbetaling av lånebetaling
 DocType: Crop,Biennial,Biennial
 ,BOM Variance Report,BOM Variansrapport
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Bekreftede bestillinger fra kunder.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betaling mot {0} {1} kan ikke være større enn utestående beløp {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Alle helsevesenetjenestene
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,På konvertering av mulighet
+DocType: Loan,Total Principal Paid,Totalt hovedstol betalt
 DocType: Bank Account,Address HTML,Adresse HTML
 DocType: Lead,Mobile No.,Mobile No.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Betalingsmåte
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Balanse i basisvaluta
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Maksimal karakter
 DocType: Email Digest,New Quotations,Nye Sitater
+DocType: Loan Interest Accrual,Loan Interest Accrual,Lånerenteopptjening
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Tilstedeværelse ikke sendt for {0} som {1} på permisjon.
 DocType: Journal Entry,Payment Order,Betalingsordre
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,verifiser e-post
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Inntekt fra andre kilder
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Hvis det er tomt, vil foreldervarehuskonto eller firmaets standard bli vurdert"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-poster lønn slip til ansatte basert på foretrukne e-post valgt i Employee
+DocType: Work Order,This is a location where operations are executed.,Dette er et sted der operasjoner utføres.
 DocType: Tax Rule,Shipping County,Shipping fylke
 DocType: Currency Exchange,For Selling,For Selg
 apps/erpnext/erpnext/config/desktop.py,Learn,Lære
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Anvendt kupongkode
 DocType: Asset,Next Depreciation Date,Neste Avskrivninger Dato
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktivitet Kostnad per Employee
+DocType: Loan Security,Haircut %,Hårklipp%
 DocType: Accounts Settings,Settings for Accounts,Innstillinger for kontoer
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Leverandør Faktura Ingen eksisterer i fakturaen {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Administrer Sales Person treet.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Vennligst sett inn hotellrenten på {}
 DocType: Journal Entry,Multi Currency,Multi Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura Type
+DocType: Loan,Loan Security Details,Lånesikkerhetsdetaljer
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Gyldig fra dato må være mindre enn gyldig til dato
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Unntak skjedde under avstemming av {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Sett akseptert lager
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Krever godkjenning av laboratorietest
 DocType: Attendance,Working Hours,Arbeidstid
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totalt Utestående
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konverteringsfaktor ({0} -&gt; {1}) ikke funnet for varen: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Endre start / strøm sekvensnummer av en eksisterende serie.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Prosentvis har du lov til å fakturere mer mot det bestilte beløpet. For eksempel: Hvis ordreverdien er $ 100 for en vare og toleransen er satt til 10%, har du lov til å fakturere $ 110."
 DocType: Dosage Strength,Strength,Styrke
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Vehicle Dato
 DocType: Campaign Email Schedule,Campaign Email Schedule,E-postplan for kampanje
 DocType: Student Log,Medical,Medisinsk
+DocType: Work Order,This is a location where scraped materials are stored.,Dette er et sted der skrapte materialer er lagret.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Vennligst velg Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Bly Eier kan ikke være det samme som Lead
 DocType: Announcement,Receiver,mottaker
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,Gjelder for ekstern driver
 DocType: Sales Order Item,Used for Production Plan,Brukes for Produksjonsplan
 DocType: BOM,Total Cost (Company Currency),Total kostnad (selskapets valuta)
-DocType: Loan,Total Payment,totalt betaling
+DocType: Repayment Schedule,Total Payment,totalt betaling
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO allerede opprettet for alle salgsordreelementer
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Varsle innkjøpsordrer
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Leid fra dato
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Nok Deler bygge
+DocType: Loan Security,Loan Security Code,Lånesikkerhetskode
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Lagre først
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Det kreves elementer for å trekke råvarene som er forbundet med det.
 DocType: POS Profile User,POS Profile User,POS Profil Bruker
@@ -976,6 +989,7 @@
 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,Stock Entries already created for Work Order ,Lageroppføringer allerede opprettet for arbeidsordre
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Varekode&gt; Varegruppe&gt; Merke
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Se tidligere bestillinger
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} samtaler
 DocType: Vital Signs,Respiratory rate,Respirasjonsfrekvens
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,Slett transaksjoner
 DocType: Production Plan Item,Quantity and Description,Mengde og beskrivelse
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referansenummer og Reference Date er obligatorisk for Bank transaksjon
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Angi Naming Series for {0} via Setup&gt; Settings&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Legg til / Rediger skatter og avgifter
 DocType: Payment Entry Reference,Supplier Invoice No,Leverandør Faktura Nei
 DocType: Territory,For reference,For referanse
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Skattebetalingskonto
 DocType: Pricing Rule,Sales Partner,Sales Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle leverandørens scorecards.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Bestill beløp
+DocType: Loan,Disbursed Amount,Utbetalt beløp
 DocType: Buying Settings,Purchase Receipt Required,Kvitteringen Påkrevd
 DocType: Sales Invoice,Rail,Rail
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Faktiske kostnader
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Koblet til QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vennligst identifiser / opprett konto (Ledger) for typen - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Betales konto
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Konto er obligatorisk for å få betalingsoppføringer
 DocType: Payment Entry,Type of Payment,Type Betaling
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halvdagsdato er obligatorisk
 DocType: Sales Order,Billing and Delivery Status,Fakturering og levering Status
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,Billed Amt
 DocType: Training Result Employee,Training Result Employee,Trening Resultat Medarbeider
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,En logisk Warehouse mot som lager oppføringer er gjort.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,hovedstol
+DocType: Repayment Schedule,Principal Amount,hovedstol
 DocType: Loan Application,Total Payable Interest,Total skyldige renter
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totalt utestående: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Åpen kontakt
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Det oppsto en feil under oppdateringsprosessen
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurantreservasjon
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Varene dine
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverandør&gt; Leverandørtype
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Forslaget Writing
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Entry Fradrag
 DocType: Service Level Priority,Service Level Priority,Servicenivåprioritet
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Opprette studentgrupper
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Opprette studentgrupper
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betaling Gateway konto ikke opprettet, kan du opprette en manuelt."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Gruppelager kan ikke brukes i transaksjoner. Endre verdien på {0}
 DocType: Supplier Scorecard,Per Year,Per år
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ikke kvalifisert for opptak i dette programmet i henhold til DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rad # {0}: Kan ikke slette elementet {1} som er tilordnet kundens innkjøpsordre.
@@ -1289,7 +1307,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Mens du opprettet konto for barneselskapet {0}, ble ikke foreldrekontoen {1} funnet. Opprett overkonto i tilsvarende COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Delt utgave
 DocType: Student Attendance,Student Attendance,student Oppmøte
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Ingen data å eksportere
 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
@@ -1302,6 +1319,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktisk leveringsdato
 DocType: Lab Test,Test Template,Testmal
+DocType: Loan Security Pledge,Securities,verdipapirer
 DocType: Restaurant Order Entry Item,Served,serveres
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Kapittelinformasjon.
 DocType: Account,Accounts,Kontoer
@@ -1396,6 +1414,7 @@
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planlagt Sluttid
 DocType: POS Profile,Only show Items from these Item Groups,Vis bare varer fra disse varegruppene
+DocType: Loan,Is Secured Loan,Er sikret lån
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Memebership Type Detaljer
 DocType: Delivery Note,Customer's Purchase Order No,Kundens innkjøpsordre Nei
@@ -1432,6 +1451,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Få fra Patient Encounter
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konverteringsfaktor ({0} -&gt; {1}) ikke funnet for varen: {2}
 DocType: Subscriber,Subscriber,abonnent
 DocType: Item Attribute Value,Item Attribute Value,Sak data Verdi
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valutaveksling må gjelde for kjøp eller salg.
@@ -1511,6 +1531,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Ingen tillatelse
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrakt oppfyllelse sjekkliste
 DocType: Vital Signs,Heart Rate / Pulse,Hjertefrekvens / puls
+DocType: Customer,Default Company Bank Account,Standard firmaets bankkonto
 DocType: Supplier,Default Bank Account,Standard Bank Account
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Hvis du vil filtrere basert på partiet, velger partiet Skriv inn først"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},&#39;Oppdater Stock&#39; kan ikke kontrolleres fordi elementene ikke er levert via {0}
@@ -1629,7 +1650,6 @@
 DocType: Sales Team,Incentives,Motivasjon
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Verdier utenfor synkronisering
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Forskjell Verdi
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Angi nummereringsserier for Oppmøte via Oppsett&gt; Nummereringsserier
 DocType: SMS Log,Requested Numbers,Etterspør Numbers
 DocType: Volunteer,Evening,Kveld
 DocType: Quiz,Quiz Configuration,Quiz-konfigurasjon
@@ -1649,6 +1669,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,På Forrige Row Total
 DocType: Purchase Invoice Item,Rejected Qty,avvist Antall
 DocType: Setup Progress Action,Action Field,Handlingsfelt
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Lånetype for renter og bøter
 DocType: Healthcare Settings,Manage Customer,Administrer kunde
 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
@@ -1660,6 +1681,7 @@
 ,Final Assessment Grades,Final Assessment Grades
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Navnet på firmaet som du setter opp dette systemet.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Inkluder ferier i Total no. arbeidsdager
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Av Grand Total
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Oppsett ditt institutt i ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Plantanalyse
 DocType: Task,Timeline,Tidslinje
@@ -1667,9 +1689,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativt element
 DocType: Shopify Log,Request Data,Forespørseldata
 DocType: Employee,Date of Joining,Dato for Delta
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Update-serien
 DocType: Supplier Quotation,Is Subcontracted,Er underleverandør
 DocType: Restaurant Table,Minimum Seating,Minimum sitteplasser
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Spørsmålet kan ikke dupliseres
 DocType: Item Attribute,Item Attribute Values,Sak attributtverdier
 DocType: Examination Result,Examination Result,Sensur
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Kvitteringen
@@ -1771,6 +1795,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synkroniser Offline Fakturaer
 DocType: Payment Request,Paid,Betalt
 DocType: Service Level,Default Priority,Standard prioritet
+DocType: Pledge,Pledge,Løfte
 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."
@@ -1784,6 +1809,7 @@
 DocType: Guardian,Guardian Name,Guardian navn
 DocType: Cheque Print Template,Has Print Format,Har Print Format
 DocType: Support Settings,Get Started Sections,Komme i gang Seksjoner
+,Loan Repayment and Closure,Lånebetaling og lukking
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sanksjonert
 ,Base Amount,Grunnbeløp
@@ -1794,10 +1820,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Fra Sted
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Lånebeløpet kan ikke være større enn {0}
 DocType: Student Admission,Publish on website,Publiser på nettstedet
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverandør Fakturadato kan ikke være større enn konteringsdato
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Varekode&gt; Varegruppe&gt; Merke
 DocType: Subscription,Cancelation Date,Avbestillingsdato
 DocType: Purchase Invoice Item,Purchase Order Item,Innkjøpsordre Element
 DocType: Agriculture Task,Agriculture Task,Landbruk Oppgave
@@ -1816,7 +1842,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Ekstra rabatt Prosent
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Vis en liste over alle hjelpevideoer
 DocType: Agriculture Analysis Criteria,Soil Texture,Jordstruktur
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Velg kontoen leder av banken der sjekken ble avsatt.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Tillater brukeren å redigere Prisliste Rate i transaksjoner
 DocType: Pricing Rule,Max Qty,Max Antall
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Skriv ut rapportkort
@@ -1951,7 +1976,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Når denne er satt, vil denne fakturaen være på vent til den angitte datoen"
 DocType: Cashier Closing,POS-CLO-,POS-lukningstider
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Selge Beløp
-DocType: Repayment Schedule,Interest Amount,rente~~POS=TRUNC
+DocType: Loan Interest Accrual,Interest Amount,rente~~POS=TRUNC
 DocType: Job Card,Time Logs,Tid Logger
 DocType: Sales Invoice,Loyalty Amount,Lojalitetsbeløp
 DocType: Employee Transfer,Employee Transfer Detail,Ansatteoverføringsdetaljer
@@ -1966,6 +1991,7 @@
 DocType: Cashier Closing,Returns,returer
 DocType: Job Card,WIP Warehouse,WIP Warehouse
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serial No {0} er under vedlikeholdskontrakt opp {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Sanksjonert beløpsgrense krysset for {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Rekruttering
 DocType: Lead,Organization Name,Organization Name
 DocType: Support Settings,Show Latest Forum Posts,Vis siste foruminnlegg
@@ -1992,7 +2018,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Innkjøpsordreelementer Forfalt
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Post kode
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Salgsordre {0} er {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Velg renteinntekter konto i lån {0}
 DocType: Opportunity,Contact Info,Kontaktinfo
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Making Stock Entries
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Kan ikke markedsføre Medarbeider med status til venstre
@@ -2078,7 +2103,6 @@
 DocType: Salary Slip,Deductions,Fradrag
 DocType: Setup Progress Action,Action Name,Handlingsnavn
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,start-år
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Opprette lån
 DocType: Purchase Invoice,Start date of current invoice's period,Startdato for nåværende fakturaperiode
 DocType: Shift Type,Process Attendance After,Prosessoppmøte etter
 ,IRS 1099,IRS 1099
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Velg domenene dine
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Leverandør
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalingsfakturaelementer
+DocType: Repayment Schedule,Is Accrued,Er påløpt
 DocType: Payroll Entry,Employee Details,Ansattes detaljer
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Behandler XML-filer
 DocType: Amazon MWS Settings,CN,CN
@@ -2130,6 +2155,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Lojalitetspoenginngang
 DocType: Employee Checkin,Shift End,Skiftende slutt
 DocType: Stock Settings,Default Item Group,Standard varegruppe
+DocType: Loan,Partially Disbursed,delvis Utbetalt
 DocType: Job Card Time Log,Time In Mins,Tid i min
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Gi informasjon.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Denne handlingen vil koble denne kontoen fra ekstern tjeneste som integrerer ERPNext med bankkontoer. Det kan ikke angres. Er du sikker ?
@@ -2145,6 +2171,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Samme elementet kan ikke legges inn flere ganger.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Lånet stenging
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,Gjeld
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2178,6 +2205,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Ansatt skatt og fordeler
 DocType: Bank Guarantee,Validity in Days,Gyldighet i dager
 DocType: Bank Guarantee,Validity in Days,Gyldighet i dager
+DocType: Unpledge,Haircut,Hårklipp
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-skjemaet er ikke aktuelt for faktura: {0}
 DocType: Certified Consultant,Name of Consultant,Navn på konsulent
 DocType: Payment Reconciliation,Unreconciled Payment Details,Avstemte Betalingsopplysninger
@@ -2231,7 +2259,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Resten Av Verden
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Element {0} kan ikke ha Batch
 DocType: Crop,Yield UOM,Utbytte UOM
+DocType: Loan Security Pledge,Partially Pledged,Delvis pantsatt
 ,Budget Variance Report,Budsjett Avvik Rapporter
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Sanksjonert lånebeløp
 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,Get Items from Healthcare Services,Få elementer fra helsetjenester
@@ -2266,6 +2296,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Ny kvalitetsprosedyre
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balanse for konto {0} må alltid være {1}
 DocType: Patient Appointment,More Info,Mer Info
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Fødselsdato kan ikke være større enn tiltredelsesdato.
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard Actions
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverandør {0} ikke funnet i {1}
 DocType: Purchase Invoice,Rejected Warehouse,Avvist Warehouse
@@ -2363,6 +2394,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Vennligst sett inn varenummeret først
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Lånesikkerhetspant opprettet: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Utnevnelser og pasientmøter
@@ -2418,6 +2450,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Antall samtidige avtaler
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Starter
 DocType: Purchase Invoice,Taxes and Charges Calculation,Skatter og avgifter Beregning
+DocType: Loan Interest Accrual,Payable Principal Amount,Betalbart hovedbeløp
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bokføring av aktivavskrivninger automatisk
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bokføring av aktivavskrivninger automatisk
 DocType: BOM Operation,Workstation,Arbeidsstasjon
@@ -2455,7 +2488,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Mat
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Aldring Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Closing Voucher Detaljer
-DocType: Bank Account,Is the Default Account,Er standardkontoen
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Ingen kommunikasjon funnet.
 DocType: Inpatient Occupancy,Check In,Sjekk inn
@@ -2513,12 +2545,14 @@
 DocType: Sales Order Item,Planned Quantity,Planlagt Antall
 DocType: Water Analysis,Water Analysis Criteria,Vannanalysekriterier
 DocType: Item,Maintain Stock,Oppretthold Stock
+DocType: Loan Security Unpledge,Unpledge Time,Unpedge Time
 DocType: Terms and Conditions,Applicable Modules,Gjeldende moduler
 DocType: Employee,Prefered Email,foretrukne e-post
 DocType: Student Admission,Eligibility and Details,Kvalifisering og detaljer
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inkludert i brutto fortjeneste
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Netto endring i Fixed Asset
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Antall
+DocType: Work Order,This is a location where final product stored.,Dette er et sted der sluttproduktet er lagret.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Fra Datetime
@@ -2559,8 +2593,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garanti / AMC Status
 ,Accounts Browser,Kontoer Browser
 DocType: Procedure Prescription,Referral,Referral
+,Territory-wise Sales,Territorisk vis salg
 DocType: Payment Entry Reference,Payment Entry Reference,Betaling Entry Reference
 DocType: GL Entry,GL Entry,GL Entry
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Rad # {0}: Godkjent lager og leverandørlager kan ikke være det samme
 DocType: Support Search Source,Response Options,Svaralternativer
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Bruk flere prisregler
 DocType: HR Settings,Employee Settings,Medarbeider Innstillinger
@@ -2620,6 +2656,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Jordbruk (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Pakkseddel
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Angi Naming Series for {0} via Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Kontor Leie
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Oppsett SMS gateway-innstillinger
 DocType: Disease,Common Name,Vanlig navn
@@ -2636,6 +2673,7 @@
 DocType: Item,Sales Details,Salgs Detaljer
 DocType: Coupon Code,Used,brukes
 DocType: Opportunity,With Items,Med Items
+DocType: Vehicle Log,last Odometer Value ,siste kilometertellerverdi
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampanjen &#39;{0}&#39; eksisterer allerede for {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Vedlikeholdsteam
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Ordre i hvilke seksjoner som skal vises. 0 er først, 1 er andre og så videre."
@@ -2646,7 +2684,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense krav {0} finnes allerede for Vehicle Log
 DocType: Asset Movement Item,Source Location,Kildeplassering
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Name
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Fyll inn gjenværende beløpet
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Fyll inn gjenværende beløpet
 DocType: Shift Type,Working Hours Threshold for Absent,Arbeidstidsgrense for fraværende
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Det kan være flere lagdelt innsamlingsfaktor basert på totalt brukt. Men konverteringsfaktoren for innløsning vil alltid være den samme for alle nivåer.
 apps/erpnext/erpnext/config/help.py,Item Variants,Element Varianter
@@ -2670,6 +2708,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} må være mindre enn {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Velg Søkertype først
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Velg BOM, antall og for lager"
 DocType: GST HSN Code,GST HSN Code,GST HSN-kode
 DocType: Employee External Work History,Total Experience,Total Experience
@@ -2760,7 +2799,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Ingen aktiv BOM funnet for elementet {0}. Levering med \ Serienummer kan ikke sikres
 DocType: Sales Partner,Sales Partner Target,Sales Partner Target
-DocType: Loan Type,Maximum Loan Amount,Maksimal Lånebeløp
+DocType: Loan Application,Maximum Loan Amount,Maksimal Lånebeløp
 DocType: Coupon Code,Pricing Rule,Prising Rule
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Dupliseringsnummer for student {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Dupliseringsnummer for student {0}
@@ -2784,6 +2823,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Etterlater Avsatt Vellykket for {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Ingenting å pakke
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Bare .csv- og .xlsx-filer støttes for øyeblikket
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Sett inn ansattes navnsystem i menneskelige ressurser&gt; HR-innstillinger
 DocType: Shipping Rule Condition,From Value,Fra Verdi
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Manufacturing Antall er obligatorisk
 DocType: Loan,Repayment Method,tilbakebetaling Method
@@ -2867,6 +2907,7 @@
 DocType: Customer,Customer POS Id,Kundens POS-ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student med e-post {0} eksisterer ikke
 DocType: Account,Account Name,Brukernavn
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Sanksjonert lånebeløp eksisterer allerede for {0} mot selskap {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Fra dato ikke kan være større enn To Date
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} mengde {1} kan ikke være en brøkdel
 DocType: Pricing Rule,Apply Discount on Rate,Bruk rabatt på pris
@@ -2938,6 +2979,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Netto fortjeneste
 DocType: Purchase Invoice,Eligibility For ITC,Kvalifisering for ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Customer Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto endring i leverandørgjeld
@@ -2949,6 +2991,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Oppmøte enhets-ID (biometrisk / RF-tag-ID)
 DocType: Quotation,Term Details,Term Detaljer
 DocType: Item,Over Delivery/Receipt Allowance (%),Overlevering / kvitteringsgodtgjørelse (%)
+DocType: Appointment Letter,Appointment Letter Template,Avtalebrevmal
 DocType: Employee Incentive,Employee Incentive,Ansattes incitament
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Totalt (uten skatt)
@@ -2972,6 +3015,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Oppheve koblingen Betaling ved kansellering av faktura
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Prosess Lån Renteopptjening
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Nåværende Kilometerstand inngått bør være større enn første Vehicle Teller {0}
 ,Purchase Order Items To Be Received or Billed,Innkjøpsordrer som skal mottas eller faktureres
 DocType: Restaurant Reservation,No Show,Uteblivelse
@@ -3058,6 +3102,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Det kreves kostnadssted for &#39;resultat&#39; konto {2}. Sett opp en standardkostnadssted for selskapet.
 DocType: Payment Schedule,Payment Term,Betalingsperiode
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,En kundegruppe eksisterer med samme navn kan du endre Kundens navn eller endre navn på Kundegruppe
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Sluttdatoen for opptaket skal være større enn startdato for opptaket.
 DocType: Location,Area,Område
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Ny kontakt
 DocType: Company,Company Description,foretaksbeskrivelse
@@ -3132,6 +3177,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappedata
 DocType: Purchase Order Item,Warehouse and Reference,Warehouse og Reference
 DocType: Payroll Period Date,Payroll Period Date,Lønn Periode Dato
+DocType: Loan Disbursement,Against Loan,Mot lån
 DocType: Supplier,Statutory info and other general information about your Supplier,Lovfestet info og annen generell informasjon om din Leverandør
 DocType: Item,Serial Nos and Batches,Serienummer og partier
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Studentgruppestyrke
@@ -3198,6 +3244,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Velg et selskap
 DocType: Delivery Settings,Delivery Settings,Leveringsinnstillinger
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hent data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Kan ikke legge ut mer enn {0} antall {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimum permisjon tillatt i permisjonstypen {0} er {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publiser 1 vare
 DocType: SMS Center,Create Receiver List,Lag Receiver List
@@ -3346,6 +3393,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Grunnbeløp (Selskap Valuta)
 DocType: Purchase Invoice,Registered Regular,Registrert vanlig
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Råstoffer
+DocType: Plaid Settings,sandbox,Sandkasse
 DocType: Payment Reconciliation Payment,Reference Row,Referanse Row
 DocType: Installation Note,Installation Time,Installasjon Tid
 DocType: Sales Invoice,Accounting Details,Regnskap Detaljer
@@ -3358,12 +3406,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Transaksjonstype
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Akseptkriterier
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Fyll inn Material forespørsler i tabellen over
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Totalt betales beløpet
 DocType: Task,Expected Time (in hours),Forventet tid (i timer)
 DocType: Item Reorder,Check in (group),Sjekk inn (gruppe)
 DocType: Soil Texture,Silt,silt
@@ -3395,6 +3442,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Fradragsskatt for ikke-innvilget skattefrihetsbevis
 DocType: Volunteer,Anytime,Når som helst
 DocType: Bank Account,Bank Account No,Bankkonto nr
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Utbetaling og tilbakebetaling
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Skattefrihetsbevis for arbeidstakere
 DocType: Patient,Surgical History,Kirurgisk historie
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3459,6 +3507,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Opprett Lab Test (er) på salgsfaktura Send
 DocType: Serial No,Invoice Details,Fakturadetaljer
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Lønnsstruktur må leveres før innsendelse av skattefrihetserklæring
+DocType: Loan Application,Proposed Pledges,Forslag til pantsettelser
 DocType: Grant Application,Show on Website,Vis på nettstedet
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Start på
 DocType: Hub Tracked Item,Hub Category,Hub kategori
@@ -3470,7 +3519,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverandør Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},P {0}: stykk ikke funnet med Element {1}
 DocType: Contract Fulfilment Checklist,Requirement,Krav
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Sett inn ansattes navnsystem i menneskelige ressurser&gt; HR-innstillinger
 DocType: Journal Entry,Accounts Receivable,Kundefordringer
 DocType: Quality Goal,Objectives,Mål
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roll tillatt for å opprette backdated permisjon søknad
@@ -3483,6 +3531,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Inkluder forsonet Entries
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Det totale tildelte beløpet ({0}) er større enn det betalte beløpet ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuere Kostnader Based On
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Betalt beløp kan ikke være mindre enn {0}
 DocType: Projects Settings,Timesheets,Timelister
 DocType: HR Settings,HR Settings,HR-innstillinger
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Regnskapsførere
@@ -3628,6 +3677,7 @@
 DocType: Employee,Health Insurance,Helseforsikring
 DocType: Asset Repair,Manufacturing Manager,Produksjonssjef
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serial No {0} er under garanti opptil {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Lånebeløpet overstiger det maksimale lånebeløpet på {0} som per foreslåtte verdipapirer
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minste tillatte verdi
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Bruker {0} eksisterer allerede
 apps/erpnext/erpnext/hooks.py,Shipments,Forsendelser
@@ -3672,7 +3722,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Type virksomhet
 DocType: Sales Invoice,Consumer,forbruker~~POS=TRUNC
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vennligst velg avsatt beløp, fakturatype og fakturanummer i minst én rad"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Angi Naming Series for {0} via Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostnad for nye kjøp
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Salgsordre kreves for Element {0}
 DocType: Grant Application,Grant Description,Grant Beskrivelse
@@ -3681,6 +3730,7 @@
 DocType: Subscription,Discounts,rabatter
 DocType: Bank Transaction,Unallocated Amount,uallokert Beløp
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Vennligst aktiver gjeldende på innkjøpsordre og gjeldende ved bestilling av faktiske kostnader
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} er ikke en bankkonto
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Kan ikke finne en matchende element. Vennligst velg en annen verdi for {0}.
 DocType: POS Profile,Taxes and Charges,Skatter og avgifter
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Et produkt eller en tjeneste som er kjøpt, solgt eller holdes på lager."
@@ -3731,6 +3781,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Gyldig fra dato må være mindre enn gyldig utløpsdato.
 DocType: Employee Skill,Evaluation Date,Evalueringsdato
 DocType: Quotation Item,Stock Balance,Stock Balance
+DocType: Loan Security Pledge,Total Security Value,Total sikkerhetsverdi
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Salgsordre til betaling
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,administrerende direktør
 DocType: Purchase Invoice,With Payment of Tax,Med betaling av skatt
@@ -3743,6 +3794,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Konto {0} eksisterer ikke i oversiktsdiagrammet {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Vis variantattributter
@@ -3824,6 +3876,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Nåværende Verdivurdering Rate
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Antall rotkontoer kan ikke være mindre enn 4
 DocType: Training Event,Advance,Avansere
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Mot lån:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless betalings gateway innstillinger
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Valutagevinst / tap
 DocType: Opportunity,Lost Reason,Mistet Reason
@@ -3908,8 +3961,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Velg batchnummer
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Ugyldig {0}: {1}
 ,GSTR-1,GSTR-en
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Rad {0}: Søsken fødselsdato kan ikke være større enn i dag.
 DocType: Fee Validity,Reference Inv,Referanse Inv
 DocType: Sales Invoice Advance,Advance Amount,Forskuddsbeløp
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Straffrente (%) per dag
 DocType: Manufacturing Settings,Capacity Planning,Kapasitetsplanlegging
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Avrundingsjustering (Bedriftsvaluta
 DocType: Asset,Policy number,Politikk nummer
@@ -3925,7 +3980,9 @@
 DocType: Normal Test Items,Require Result Value,Krever resultatverdi
 DocType: Purchase Invoice,Pricing Rules,Prisregler
 DocType: Item,Show a slideshow at the top of the page,Vis en lysbildeserie på toppen av siden
+DocType: Appointment Letter,Body,Kropp
 DocType: Tax Withholding Rate,Tax Withholding Rate,Skattefradrag
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Startdato for tilbakebetaling er obligatorisk for terminlån
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Butikker
@@ -3945,7 +4002,7 @@
 DocType: Call Log,Received By,Mottatt av
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Avtaletid (i løpet av minutter)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kontantstrøm kartlegging detaljer
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lånestyring
+DocType: Loan,Loan Management,Lånestyring
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Spor separat inntekter og kostnader for produkt vertikaler eller divisjoner.
 DocType: Rename Tool,Rename Tool,Rename Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Oppdater Cost
@@ -3953,6 +4010,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Transportmiddel
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Vis Lønn Slip
+DocType: Loan,Is Term Loan,Er terminlån
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfer Material
 DocType: Fees,Send Payment Request,Send betalingsforespørsel
 DocType: Travel Request,Any other details,Eventuelle andre detaljer
@@ -3970,6 +4028,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Kontantstrøm fra finansierings
 DocType: Budget Account,Budget Account,budsjett konto
 DocType: Quality Inspection,Verified By,Verified by
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Legg til lånesikkerhet
 DocType: Travel Request,Name of Organizer,Navn på arrangør
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kan ikke endre selskapets standardvaluta, fordi det er eksisterende transaksjoner. Transaksjoner må avbestilles å endre valgt valuta."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Er skatt på inntektsskatt
@@ -4020,6 +4079,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Nødvendig På
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Hvis det er merket, skjuler og deaktiverer du avrundet totalfelt i lønnsslipper"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dette er standard forskyvningen (dager) for leveringsdatoen i salgsordrer. Tilbakeførsel er 7 dager fra bestillingsdato.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Angi nummereringsserier for Oppmøte via Oppsett&gt; Nummereringsserier
 DocType: Rename Tool,File to Rename,Filen til Rename
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Vennligst velg BOM for Element i Rad {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Hent abonnementsoppdateringer
@@ -4032,6 +4092,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serienumre opprettet
 DocType: POS Profile,Applicable for Users,Gjelder for brukere
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Fra dato og til dato er obligatorisk
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Vil du stille prosjekt og alle oppgaver til status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Angi fremskritt og tilordne (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Ingen arbeidsordre opprettet
@@ -4041,6 +4102,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artikler etter
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kostnad for kjøpte varer
 DocType: Employee Separation,Employee Separation Template,Medarbeider separasjonsmal
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Null mengde på {0} pantsatt mot lån {0}
 DocType: Selling Settings,Sales Order Required,Salgsordre Påkrevd
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Bli en selger
 ,Procurement Tracker,Anskaffelsesspor
@@ -4138,11 +4200,12 @@
 ,Minutes to First Response for Opportunity,Minutter til First Response for Opportunity
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Total Fraværende
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Element eller Warehouse for rad {0} samsvarer ikke Material Request
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Betalbart beløp
+DocType: Loan Repayment,Payable Amount,Betalbart beløp
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Opportunity
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maks styrke kan ikke være mindre enn null.
 DocType: Options,Option,Alternativ
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Du kan ikke opprette regnskapsposter i den lukkede regnskapsperioden {0}
 DocType: Operation,Default Workstation,Standard arbeidsstasjon
@@ -4184,6 +4247,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Rentebeløp er obligatorisk
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Neste skritt
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Lagrede elementer
@@ -4235,8 +4299,6 @@
 DocType: Grant Application,Grant Application Details ,Gi søknadsdetaljer
 DocType: Employee Separation,Employee Separation,Ansattes separasjon
 DocType: BOM Item,Original Item,Originalelement
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Slett ansatt <a href=""#Form/Employee/{0}"">{0}</a> \ for å avbryte dette dokumentet"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dok dato
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Laget - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategori konto
@@ -4272,6 +4334,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Lab-testelement {0} eksisterer allerede
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} er en firmas ferie
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturerbare timer
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Straffrente pålegges daglig det pågående rentebeløpet i tilfelle forsinket tilbakebetaling
+DocType: Appointment Letter content,Appointment Letter content,Avtalebrev innhold
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Oppgi statusmelding
 DocType: Patient Appointment,Procedure Prescription,Prosedyre Forskrift
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Møbler og inventar
@@ -4291,7 +4355,7 @@
 DocType: Opportunity,Customer / Lead Name,Kunde / Lead navn
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Klaring Dato ikke nevnt
 DocType: Payroll Period,Taxable Salary Slabs,Skattepliktig lønnsplater
-DocType: Job Card,Production,Produksjon
+DocType: Plaid Settings,Production,Produksjon
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ugyldig GSTIN! Innspillet du har skrevet stemmer ikke overens med formatet til GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Kontoverdi
 DocType: Guardian,Occupation,Okkupasjon
@@ -4437,6 +4501,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojalitetsprogram samling
 DocType: Stock Entry Detail,Subcontracted Item,Underleverandør
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Student {0} tilhører ikke gruppe {1}
+DocType: Appointment Letter,Appointment Date,Avtaledato
 DocType: Budget,Cost Center,Kostnadssted
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Kupong #
 DocType: Tax Rule,Shipping Country,Shipping Land
@@ -4507,6 +4572,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Regnskapsdimensjon
 ,Profit and Loss Statement,Resultatregnskap
 DocType: Bank Reconciliation Detail,Cheque Number,Sjekk Antall
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Betalt beløp kan ikke være null
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Varen som er referert til av {0} - {1} er allerede fakturert
 ,Sales Browser,Salg Browser
 DocType: Journal Entry,Total Credit,Total Credit
@@ -4611,6 +4677,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Legg til / rediger kupongbetingelser
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / Difference konto ({0}) må være en &quot;resultatet&quot; konto
 DocType: Stock Entry Detail,Stock Entry Child,Lagerinngangsbarn
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Loan Security Pledge Company og Loan Company må være det samme
 DocType: Project,Copied From,Kopiert fra
 DocType: Project,Copied From,Kopiert fra
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura som allerede er opprettet for alle faktureringstimer
@@ -4619,6 +4686,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Er finansieringskostnad
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Oppmøte for arbeidstaker {0} er allerede merket
 DocType: Packing Slip,If more than one package of the same type (for print),Hvis mer enn en pakke av samme type (for print)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vennligst konfigurer Instruktør Namning System i Utdanning&gt; Utdanningsinnstillinger
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Vennligst sett standardkunden i Restaurantinnstillinger
 ,Salary Register,lønn Register
 DocType: Company,Default warehouse for Sales Return,Standard lager for salgsavkastning
@@ -4663,7 +4731,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Gjeldende serienr
 DocType: Employee,Attendance and Leave Details,Oppmøte og permisjon detaljer
 ,BOM Comparison Tool,BOM-sammenligningsverktøy
-,Requested,Spurt
+DocType: Loan Security Pledge,Requested,Spurt
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4675,7 +4743,6 @@
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Service Level,Support and Resolution,Støtte og oppløsning
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Gratis varekode er ikke valgt
-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
@@ -4709,6 +4776,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Du har allerede vurdert for vurderingskriteriene {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Mangelbeløp
 DocType: Vehicle Service,Engine Oil,Motorolje
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Arbeidsordre opprettet: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Angi en e-post-id for Lead {0}
@@ -4727,6 +4795,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Kontoen er ikke angitt for dashborddiagrammet {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Påfør Ytterligere rabatt på
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Velg type ...
+DocType: Loan Interest Accrual,Amounts,beløp
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Dine billetter
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO
@@ -4734,6 +4803,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Kan ikke returnere mer enn {1} for Element {2}
 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: Loan Security Price,Loan Security Price,Lånesikkerhetspris
 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,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rad {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Detaljhandel
@@ -4874,6 +4944,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch er obligatorisk i rad {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch er obligatorisk i rad {0}
 DocType: Company,Default Buying Terms,Standard kjøpsbetingelser
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Lånutbetaling
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Kvitteringen Sak Leveres
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktiver Planlagt synkronisering
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Til Datetime
@@ -4902,6 +4973,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Angi verdien mellom {0} og {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Skriv inn navnet på kampanjen hvis kilden til henvendelsen er kampanje
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Avis Publishers
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Ingen gyldig <b>pris</b> for lånesikkerhet funnet for {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Fremtidige datoer ikke tillatt
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Forventet leveringsdato bør være etter salgsordre
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Omgjøre nivå
@@ -4968,6 +5040,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Forslag / pris sitat
 DocType: Antibiotic,Healthcare,Helsetjenester
 DocType: Target Detail,Target Detail,Target Detalj
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Låneprosesser
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Enkelt variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,alle jobber
 DocType: Sales Order,% of materials billed against this Sales Order,% Av materialer fakturert mot denne kundeordre
@@ -5031,7 +5104,7 @@
 DocType: Item,Reorder level based on Warehouse,Omgjøre nivå basert på Warehouse
 DocType: Activity Cost,Billing Rate,Billing Rate
 ,Qty to Deliver,Antall å levere
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Opprett utbetalingsoppføring
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Opprett utbetalingsoppføring
 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,Operations cannot be left blank,Operasjoner kan ikke være tomt
@@ -5065,6 +5138,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Fjern koblingen til eksterne integrasjoner
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Velg en tilsvarende betaling
 DocType: Pricing Rule,Item Code,Sak Kode
+DocType: Loan Disbursement,Pending Amount For Disbursal,Ventende beløp for utbetaling
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Velg studenter manuelt for aktivitetsbasert gruppe
@@ -5089,6 +5163,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Antall totalt
 DocType: Landed Cost Item,Receipt Document,kvittering Document
 DocType: Employee Education,School/University,Skole / universitet
+DocType: Loan Security Pledge,Loan  Details,Lånedetaljer
 DocType: Sales Invoice Item,Available Qty at Warehouse,Tilgjengelig Antall på Warehouse
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Fakturert beløp
 DocType: Share Transfer,(including),(gjelder også)
@@ -5112,6 +5187,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupper
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupper etter Account
 DocType: Purchase Invoice,Hold Invoice,Hold faktura
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Pantestatus
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Vennligst velg Medarbeider
 DocType: Sales Order,Fully Delivered,Fullt Leveres
 DocType: Promotional Scheme Price Discount,Min Amount,Min beløp
@@ -5121,7 +5197,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Utbetalt Mengde kan ikke være større enn låne beløpet {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} # Tilordnet mengde {1} kan ikke være større enn uanmeldt beløp {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Innkjøpsordrenummeret som kreves for Element {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Videresendte Løv
@@ -5149,6 +5224,7 @@
 DocType: Pick List Item,Serial No and Batch,Serial No og Batch
 DocType: Warranty Claim,From Company,Fra Company
 DocType: GSTR 3B Report,January,januar
+DocType: Loan Repayment,Principal Amount Paid,Hovedbeløp betalt
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summen av Resultater av vurderingskriterier må være {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Vennligst sett Antall Avskrivninger bestilt
 DocType: Supplier Scorecard Period,Calculations,beregninger
@@ -5174,6 +5250,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Om firmaet ditt
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Vis lagringsalderingsdata
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kreditt til kontoen må være en balansekonto
+DocType: Loan Repayment,Penalty Amount,Straffebeløp
 DocType: Donor,Donor,donor
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Oppdater skatter for varer
 DocType: Global Defaults,Disable In Words,Deaktiver I Ord
@@ -5204,6 +5281,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostnadssenter og budsjettering
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Åpningsbalanse Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Delvis betalt oppføring
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Angi betalingsplanen
 DocType: Pick List,Items under this warehouse will be suggested,Varer under dette lageret vil bli foreslått
 DocType: Purchase Invoice,N,N
@@ -5237,7 +5315,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ikke funnet for element {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Verdien må være mellom {0} og {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Vis inklusiv skatt i utskrift
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Melding Sendt
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Konto med barnet noder kan ikke settes som hovedbok
 DocType: C-Form,II,II
@@ -5251,6 +5328,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Aktiver automatisk nybestilling
 DocType: Stock Settings,Item Naming By,Sak Naming Av
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},En annen periode Closing Entry {0} har blitt gjort etter {1}
+DocType: Proposed Pledge,Proposed Pledge,Foreslått pant
 DocType: Work Order,Material Transferred for Manufacturing,Materialet Overført for Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Konto {0} ikke eksisterer
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Velg Lojalitetsprogram
@@ -5261,7 +5339,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Innstilling Hendelser til {0}, siden den ansatte knyttet til under selgerne ikke har en bruker-ID {1}"
 DocType: Timesheet,Billing Details,Fakturadetaljer
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kilde og mål lageret må være annerledes
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Sett inn ansattes navnsystem i menneskelige ressurser&gt; HR-innstillinger
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betalingen feilet. Vennligst sjekk din GoCardless-konto for mer informasjon
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ikke lov til å oppdatere lagertransaksjoner eldre enn {0}
 DocType: Stock Entry,Inspection Required,Inspeksjon påkrevd
@@ -5274,6 +5351,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Levering lager nødvendig for lagervare {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Totalvekten av pakken. Vanligvis nettovekt + emballasjematerialet vekt. (For utskrift)
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Mot pant
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Brukere med denne rollen har lov til å sette frosne kontoer og lage / endre regnskapspostene mot frosne kontoer
 DocType: Plaid Settings,Plaid Environment,Pleddmiljø
 ,Project Billing Summary,Prosjekt faktureringssammendrag
@@ -5326,6 +5404,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,batcher
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Antall dager avtaler kan bestilles på forhånd
 DocType: Article,LMS User,LMS-bruker
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Lånesikkerhetspant er obligatorisk for sikret lån
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Leveringssted (delstat / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Stock målenheter
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Purchase Order {0} ikke er sendt
@@ -5401,6 +5480,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Lag jobbkort
 DocType: Quotation,Referral Sales Partner,Henvisning Salgspartner
 DocType: Quality Procedure Process,Process Description,Prosess beskrivelse
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Kan ikke avløses, sikkerhetsverdien på lån er større enn det tilbakebetalte beløpet"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kunden {0} er opprettet.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5421,7 +5501,7 @@
 DocType: Asset,Insurance Details,forsikring Detaljer
 DocType: Account,Payable,Betales
 DocType: Share Balance,Share Type,Del Type
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Fyll inn nedbetalingstid
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Fyll inn nedbetalingstid
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Skyldnere ({0})
 DocType: Pricing Rule,Margin,Margin
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nye kunder
@@ -5430,6 +5510,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Muligheter ved blykilde
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Endre POS-profil
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Antall eller beløp er mandatroy for lån sikkerhet
 DocType: Bank Reconciliation Detail,Clearance Date,Klaring Dato
 DocType: Delivery Settings,Dispatch Notification Template,Forsendelsesvarslingsmal
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Vurderingsrapport
@@ -5465,6 +5546,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Del Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Salgsfaktura {0} opprettet
 DocType: Employee,Confirmation Date,Bekreftelse Dato
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Slett ansatt <a href=""#Form/Employee/{0}"">{0}</a> \ for å avbryte dette dokumentet"
 DocType: Inpatient Occupancy,Check Out,Sjekk ut
 DocType: C-Form,Total Invoiced Amount,Total Fakturert beløp
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Antall kan ikke være større enn Max Antall
@@ -5478,7 +5561,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbook Company ID
 DocType: Travel Request,Travel Funding,Reisefinansiering
 DocType: Employee Skill,Proficiency,ferdighet
-DocType: Loan Application,Required by Date,Kreves av Dato
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Kjøpskvitteringsdetalj
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,En kobling til alle stedene hvor beskjæringen vokser
 DocType: Lead,Lead Owner,Lead Eier
@@ -5497,7 +5579,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Nåværende BOM og New BOM kan ikke være det samme
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Lønn Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensjoneringstidspunktet må være større enn tidspunktet for inntreden
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverandør&gt; Leverandørtype
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Flere variasjoner
 DocType: Sales Invoice,Against Income Account,Mot Inntekt konto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Leveres
@@ -5530,7 +5611,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Verdsettelse typen kostnader kan ikke merket som Inclusive
 DocType: POS Profile,Update Stock,Oppdater Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Betalingsinformasjon
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Leser opplastet fil
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Stoppet arbeidsordre kan ikke kanselleres, Unstop det først for å avbryte"
@@ -5566,6 +5647,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maksimal utlånsverdi
 ,Stock Ledger,Stock Ledger
 DocType: Company,Exchange Gain / Loss Account,Valutagevinst / tap-konto
 DocType: Amazon MWS Settings,MWS Credentials,MWS legitimasjon
@@ -5573,6 +5655,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Hensikten må være en av {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Fyll ut skjemaet og lagre det
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Community Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Ingen blader tildelt ansatt: {0} for permisjonstype: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Faktisk antall på lager
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Faktisk antall på lager
 DocType: Homepage,"URL for ""All Products""",URL for &quot;Alle produkter&quot;
@@ -5675,7 +5758,6 @@
 DocType: Fee Schedule,Fee Schedule,Prisliste
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Kolonnetiketter:
 DocType: Bank Transaction,Settled,Bosatte seg
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Utbetalingsdato kan ikke være etter startdato for tilbakebetaling av lån
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,parametere
 DocType: Company,Create Chart Of Accounts Based On,Opprett kontoplan basert på
@@ -5695,6 +5777,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kredittgrense og betalingsbetingelser
 DocType: Loyalty Program,Collection Rules,Innsamlingsregler
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Sak 3
+DocType: Loan Security Shortfall,Shortfall Time,Mangel på tid
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Bestillingsinngang
 DocType: Purchase Order,Customer Contact Email,Kundekontakt E-post
 DocType: Warranty Claim,Item and Warranty Details,Element og Garanti Detaljer
@@ -5714,12 +5797,14 @@
 DocType: Sales Person,Sales Person Name,Sales Person Name
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Skriv inn atleast en faktura i tabellen
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Ingen labtest opprettet
+DocType: Loan Security Shortfall,Security Value ,Sikkerhetsverdi
 DocType: POS Item Group,Item Group,Varegruppe
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentgruppe:
 DocType: Depreciation Schedule,Finance Book Id,Finans bok ID
 DocType: Item,Safety Stock,Safety Stock
 DocType: Healthcare Settings,Healthcare Settings,Helseinstitusjoner
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Totalt tildelte blad
+DocType: Appointment Letter,Appointment Letter,Avtalebrev
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Progress% for en oppgave kan ikke være mer enn 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Før avstemming
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Til {0}
@@ -5775,6 +5860,7 @@
 DocType: Stock Entry,From BOM,Fra BOM
 DocType: Assessment Code,Assessment Code,Assessment Kode
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grunnleggende
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Låneapplikasjoner fra kunder og ansatte.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Lagertransaksjoner før {0} er frosset
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Vennligst klikk på &quot;Generer Schedule &#39;
 DocType: Job Card,Current Time,Nåværende tid
@@ -5801,7 +5887,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Stipend
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ingen studentgrupper opprettet.
 DocType: Purchase Invoice Item,Serial No,Serial No
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig nedbetaling beløpet kan ikke være større enn Lånebeløp
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig nedbetaling beløpet kan ikke være større enn Lånebeløp
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Skriv inn maintaince detaljer Første
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rute # {0}: Forventet leveringsdato kan ikke være før innkjøpsordrenes dato
 DocType: Purchase Invoice,Print Language,Print Språk
@@ -5815,6 +5901,7 @@
 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,All Territories,Alle Territories
+DocType: Plaid Settings,development,utvikling
 DocType: Lost Reason Detail,Lost Reason Detail,Lost Reason Detail
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ugyldig ordreordre for den valgte kunden og varen
@@ -5879,12 +5966,14 @@
 DocType: Staffing Plan Detail,Current Openings,Nåværende åpninger
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kontantstrøm fra driften
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST beløp
+DocType: Vehicle Log,Current Odometer value ,Gjeldende kilometertellerverdi
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Lag student
 DocType: Asset Movement Item,Asset Movement Item,Varebevegelseselement
 DocType: Purchase Invoice,Shipping Rule,Shipping Rule
 DocType: Patient Relation,Spouse,Ektefelle
 DocType: Lab Test Groups,Add Test,Legg til test
 DocType: Manufacturer,Limited to 12 characters,Begrenset til 12 tegn
+DocType: Appointment Letter,Closing Notes,Avslutningsnotater
 DocType: Journal Entry,Print Heading,Print Overskrift
 DocType: Quality Action Table,Quality Action Table,Tiltak for kvalitet
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totalt kan ikke være null
@@ -5952,6 +6041,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Vennligst identifiser / opprett konto (gruppe) for typen - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entertainment &amp; Leisure
+DocType: Loan Security,Loan Security,Lånesikkerhet
 ,Item Variant Details,Varevarianter Detaljer
 DocType: Quality Inspection,Item Serial No,Sak Serial No
 DocType: Payment Request,Is a Subscription,Er en abonnement
@@ -5964,7 +6054,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Siste alder
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planlagte og innlagte datoer kan ikke være mindre enn i dag
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Overføre materialet til Leverandør
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial No kan ikke ha Warehouse. Warehouse må settes av Stock Entry eller Kjøpskvittering
 DocType: Lead,Lead Type,Lead Type
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Lag sitat
@@ -5982,7 +6071,6 @@
 DocType: Leave Allocation,Leave Period,Permisjonstid
 DocType: Item,Default Material Request Type,Standard Material Request Type
 DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Ukjent
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbeidsordre er ikke opprettet
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6068,7 +6156,8 @@
 ,Customer-wise Item Price,Kundemessig varepris
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Kontantstrømoppstilling
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ingen materiell forespørsel opprettet
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløp kan ikke overstige maksimalt lånebeløp på {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløp kan ikke overstige maksimalt lånebeløp på {0}
+DocType: Loan,Loan Security Pledge,Lånesikkerhetspant
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Tillatelse
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6086,6 +6175,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Prisrabattordning
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Vedlikeholdsstatus må avbrytes eller fullføres for å sende inn
 DocType: Amazon MWS Settings,US,OSS
+DocType: Loan Security Pledge,Pledged,lovet
 DocType: Holiday List,Add Weekly Holidays,Legg til ukesferier
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Rapporter varen
 DocType: Staffing Plan Detail,Vacancies,Ledige stillinger
@@ -6104,7 +6194,6 @@
 DocType: Production Plan Item,Planned Start Date,Planlagt startdato
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Vennligst velg en BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Benyttet ITC Integrated Tax
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Lag tilbakebetaling
 DocType: Purchase Order Item,Blanket Order Rate,Blanket Bestillingsfrekvens
 ,Customer Ledger Summary,Sammendrag av kundehovedbok
 apps/erpnext/erpnext/hooks.py,Certification,sertifisering
@@ -6125,6 +6214,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Appraisal Mal Tittel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial
 DocType: Patient,Alcohol Current Use,Alkoholstrømbruk
+DocType: Loan,Loan Closure Requested,Låneavslutning bedt om
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Husleie Betalingsbeløp
 DocType: Student Admission Program,Student Admission Program,Studentopptaksprogram
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Skattefritakskategori
@@ -6148,6 +6238,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Salgs
 DocType: Stock Entry Detail,Basic Amount,Grunnbeløp
 DocType: Training Event,Exam,Eksamen
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Prosess Lånsikkerhetsmangel
 DocType: Email Campaign,Email Campaign,E-postkampanje
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Markedsplassfeil
 DocType: Complaint,Complaint,Klage
@@ -6227,6 +6318,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Send inn dette for å skape medarbeideroppføringen
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Lånesikkerhetspris som overlapper med {0}
 DocType: Item Default,Item Default,Element Standard
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Innenstatlige forsyninger
 DocType: Chapter Member,Leave Reason,Legg igjen grunn
@@ -6254,6 +6346,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Kupongen som brukes er {1}. Tillatt mengde er oppbrukt
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ønsker du å sende inn materialforespørselen
 DocType: Job Offer,Awaiting Response,Venter på svar
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Lån er obligatorisk
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Fremfor
 DocType: Support Search Source,Link Options,Linkalternativer
@@ -6266,6 +6359,7 @@
 DocType: Training Event Employee,Optional,Valgfri
 DocType: Salary Slip,Earning & Deduction,Tjene &amp; Fradrag
 DocType: Agriculture Analysis Criteria,Water Analysis,Vannanalyse
+DocType: Pledge,Post Haircut Amount,Legg inn hårklippsbeløp
 DocType: Sales Order,Skip Delivery Note,Hopp over leveringsmerknad
 DocType: Price List,Price Not UOM Dependent,Pris ikke UOM-avhengig
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} varianter opprettet.
@@ -6292,6 +6386,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Få Elementer fra Produkt Bundle
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Tilbakebetalingsmetode er obligatorisk for lån
 DocType: Asset,Straight Line,Rett linje
 DocType: Project User,Project User,prosjekt Bruker
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Dele
@@ -6340,7 +6435,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle lov til å sette Frosne Kontoer og Rediger Frosne Entries
 DocType: Supplier Scorecard Scoring Variable,Path,Sti
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Kan ikke konvertere kostnadssted til hovedbok som den har barnet noder
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konverteringsfaktor ({0} -&gt; {1}) ikke funnet for varen: {2}
 DocType: Production Plan,Total Planned Qty,Totalt planlagt antall
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaksjoner er allerede gjenopprettet fra uttalelsen
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,åpning Verdi
@@ -6349,11 +6443,8 @@
 DocType: Material Request Plan Item,Required Quantity,Nødvendig mengde
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Regnskapsperioden overlapper med {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverandør&gt; Leverandørtype
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Salgskonto
 DocType: Purchase Invoice Item,Total Weight,Total vekt
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Slett ansatt <a href=""#Form/Employee/{0}"">{0}</a> \ for å avbryte dette dokumentet"
 DocType: Pick List Item,Pick List Item,Velg listevare
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provisjon på salg
 DocType: Job Offer Term,Value / Description,Verdi / beskrivelse
@@ -6400,6 +6491,7 @@
 DocType: Patient Encounter,Encounter Date,Encounter Date
 DocType: Work Order,Update Consumed Material Cost In Project,Oppdater forbruksmaterialekostnader i prosjektet
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: {1} kan ikke velges
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Lån gitt til kunder og ansatte.
 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
@@ -6468,7 +6560,6 @@
 DocType: Contract,Signed On,Signert på
 DocType: Bank Account,Party Type,Partiet Type
 DocType: Discounted Invoice,Discounted Invoice,Rabattert faktura
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk oppmøte som <b></b>
 DocType: Payment Schedule,Payment Schedule,Nedbetalingsplan
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ingen ansatte funnet for den gitte ansattes feltverdi. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Forkortelse
@@ -6540,6 +6631,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditorer
 DocType: Assessment Plan,Assessment Name,Assessment Name
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial No er obligatorisk
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Mengden {0} er nødvendig for lånets nedleggelse
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Sak Wise Skatt Detalj
 DocType: Employee Onboarding,Job Offer,Jobbtilbud
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute forkortelse
@@ -6564,7 +6656,6 @@
 DocType: Purchase Order,To Receive,Å Motta
 DocType: Leave Period,Holiday List for Optional Leave,Ferieliste for valgfritt permisjon
 DocType: Item Tax Template,Tax Rates,Skattesatser
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Varekode&gt; Varegruppe&gt; Merke
 DocType: Asset,Asset Owner,Asset Eier
 DocType: Item,Website Content,Innhold på nettstedet
 DocType: Bank Account,Integration ID,Integrasjons-ID
@@ -6580,6 +6671,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synkroniseringsordrer
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Bestillinger frigitt for produksjon.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Velg regnskapsår ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Velg lånetype for selskapet {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profile nødvendig å foreta POS Entry
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6608,6 +6700,7 @@
 DocType: Customer,Mention if non-standard receivable account,Nevn hvis ikke-standard fordring konto
 DocType: Bank,Plaid Access Token,Token for rutet tilgang
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Vennligst legg til de resterende fordelene {0} til en eksisterende komponent
+DocType: Bank Account,Is Default Account,Er standardkonto
 DocType: Journal Entry Account,If Income or Expense,Dersom inntekt eller kostnad
 DocType: Course Topic,Course Topic,Kursemne
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher alreday eksisterer i {0} mellom dato {1} og {2}
@@ -6620,7 +6713,7 @@
 DocType: Disease,Treatment Task,Behandlingsoppgave
 DocType: Payment Order Reference,Bank Account Details,Detaljer om bankkonto
 DocType: Purchase Order Item,Blanket Order,Teppe ordre
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Tilbakebetaling Beløpet må være større enn
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Tilbakebetaling Beløpet må være større enn
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Skattefordel
 DocType: BOM Item,BOM No,BOM Nei
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Oppdater detaljer
@@ -6676,6 +6769,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce-produkter
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Syntaksfeil i formelen eller tilstand: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Element {0} ignorert siden det ikke er en lagervare
+,Loan Security Status,Lånesikkerhetsstatus
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Hvis du ikke vil bruke Prissetting regel i en bestemt transaksjon, bør alle gjeldende reglene for prissetting deaktiveres."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dag (er) etter slutten av faktura måneden
 DocType: Assessment Group,Parent Assessment Group,Parent Assessment Group
@@ -6690,7 +6784,6 @@
 DocType: Stock Entry Detail,Additional Cost,Tilleggs Cost
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Kan ikke filtrere basert på Voucher Nei, hvis gruppert etter Voucher"
 DocType: Quality Inspection,Incoming,Innkommende
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Angi nummereringsserier for Oppmøte via Oppsett&gt; Nummereringsserier
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standard skattemaler for salg og kjøp opprettes.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Vurderingsresultatrekord {0} eksisterer allerede.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Eksempel: ABCD. #####. Hvis serier er satt og Batch nr ikke er nevnt i transaksjoner, vil automatisk batchnummer bli opprettet basert på denne serien. Hvis du alltid vil uttrykkelig nevne Batch nr for dette elementet, la dette være tomt. Merk: Denne innstillingen vil ha prioritet i forhold til Naming Series Prefix i lagerinnstillinger."
@@ -6701,8 +6794,10 @@
 DocType: Contract,Party User,Festbruker
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Eiendeler ikke opprettet for <b>{0}</b> . Du må opprette aktiva manuelt.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Vennligst sett Company filter blank hvis Group By er &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Publiseringsdato kan ikke være fremtidig dato
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} samsvarer ikke med {2} {3}
+DocType: Loan Repayment,Interest Payable,Betalbar rente
 DocType: Stock Entry,Target Warehouse Address,Mållageradresse
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual La
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Tiden før skiftets starttidspunkt hvor ansattes innsjekking vurderes for oppmøte.
@@ -6831,6 +6926,7 @@
 DocType: Issue,Reset Service Level Agreement,Tilbakestill servicenivåavtale
 ,Sales Person-wise Transaction Summary,Transaksjons Oppsummering Sales Person-messig
 DocType: Training Event,Contact Number,Kontakt nummer
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Lånebeløp er obligatorisk
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6879,6 +6975,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balanse Antall
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Betingelsene vil bli brukt på alle valgte elementer kombinert.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Mål kan ikke være tomt
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Feil lager
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Registrering av studenter
 DocType: Item Group,Parent Item Group,Parent varegruppe
 DocType: Appointment Type,Appointment Type,Avtale Type
@@ -6932,10 +7029,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gjennomsnittlig rente
 DocType: Appointment,Appointment With,Avtale med
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totalt betalingsbeløp i betalingsplan må være lik Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk oppmøte som <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Kunden gitt varen&quot; kan ikke ha verdsettelsesgrad
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Kontoutskrift balanse pr hovedbok
-DocType: Job Applicant,Applicant Name,Søkerens navn
+DocType: Appointment Letter,Applicant Name,Søkerens navn
 DocType: Authorization Rule,Customer / Item Name,Kunde / Navn
 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**. 
 
@@ -6979,11 +7077,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribusjon
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Ansattestatus kan ikke settes til &#39;Venstre&#39; ettersom følgende ansatte for tiden rapporterer til denne ansatte:
-DocType: Journal Entry Account,Loan,Låne
+DocType: Loan Repayment,Amount Paid,Beløpet Betalt
+DocType: Loan Security Shortfall,Loan,Låne
 DocType: Expense Claim Advance,Expense Claim Advance,Kostnadskrav Advance
 DocType: Lab Test,Report Preference,Rapportpreferanse
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Frivillig informasjon.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Prosjektleder
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Gruppe etter kunde
 ,Quoted Item Comparison,Sitert Element Sammenligning
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Overlappe i scoring mellom {0} og {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Dispatch
@@ -7003,6 +7103,7 @@
 DocType: Material Request Plan Item,Material Issue,Material Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratis varen er ikke angitt i prisregelen {0}
 DocType: Employee Education,Qualification,Kvalifisering
+DocType: Loan Security Shortfall,Loan Security Shortfall,Lånesikkerhetsmangel
 DocType: Item Price,Item Price,Sak Pris
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Såpe og vaskemiddel
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Ansatt {0} tilhører ikke selskapet {1}
@@ -7025,6 +7126,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Avtaledetaljer
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Ferdig produkt
 DocType: Warehouse,Warehouse Name,Warehouse Name
+DocType: Loan Security Pledge,Pledge Time,Pantetid
 DocType: Naming Series,Select Transaction,Velg Transaksjons
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Skriv inn Godkjenne Rolle eller Godkjenne User
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Servicenivåavtale med enhetstype {0} og enhet {1} eksisterer allerede.
@@ -7032,7 +7134,6 @@
 DocType: BOM,Rate Of Materials Based On,Valuta materialer basert på
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Hvis aktivert, vil feltet faglig semester være obligatorisk i programopptakingsverktøyet."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Verdier av unntatte, ikke-klassifiserte og ikke-GST-innforsyninger"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kunde&gt; Kundegruppe&gt; Territorium
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Selskapet</b> er et obligatorisk filter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Fjern haken ved alle
 DocType: Purchase Taxes and Charges,On Item Quantity,På varemengde
@@ -7077,7 +7178,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Mangel Antall
 DocType: Purchase Invoice,Input Service Distributor,Distributør for inndata
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Sak variant {0} finnes med samme attributtene
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vennligst konfigurer Instruktør Namning System i Utdanning&gt; Utdanningsinnstillinger
 DocType: Loan,Repay from Salary,Smelle fra Lønn
 DocType: Exotel Settings,API Token,API-token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Ber om betaling mot {0} {1} for mengden {2}
@@ -7097,6 +7197,7 @@
 DocType: Salary Slip,Total Interest Amount,Totalt rentebeløp
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Foreldede dager
 DocType: Travel Itinerary,Arrival Datetime,Ankomst Datetime
 DocType: Tax Rule,Billing Zipcode,Fakturering Postnummer
@@ -7283,6 +7384,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Timer
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},En ny avtale er opprettet for deg med {0}
 DocType: Project,Expected Start Date,Tiltredelse
+DocType: Work Order,This is a location where raw materials are available.,Dette er et sted hvor råvarer er tilgjengelige.
 DocType: Purchase Invoice,04-Correction in Invoice,04-korreksjon i faktura
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Arbeidsordre som allerede er opprettet for alle elementer med BOM
 DocType: Bank Account,Party Details,Festdetaljer
@@ -7301,6 +7403,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,sitater:
 DocType: Contract,Partially Fulfilled,Delvis oppfylt
 DocType: Maintenance Visit,Fully Completed,Fullt Fullført
+DocType: Loan Security,Loan Security Name,Lånesikkerhetsnavn
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Spesialtegn unntatt &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Og &quot;}&quot; ikke tillatt i navneserier"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Er ikke vurdert eller unntatt
 DocType: Employee,Educational Qualification,Pedagogiske Kvalifikasjoner
@@ -7357,6 +7460,7 @@
 DocType: Program,Is Featured,Er omtalt
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Henter...
 DocType: Agriculture Analysis Criteria,Agriculture User,Landbruker Bruker
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Gyldig til dato kan ikke være før transaksjonsdato
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7434,8 +7538,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Ansatt {0} er på permisjon på {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Ingen tilbakebetalinger valgt for Journal Entry
 DocType: Purchase Invoice,GST Category,GST-kategori
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Foreslåtte pantsettelser er obligatoriske for sikrede lån
 DocType: Payment Reconciliation,From Invoice Date,Fra Fakturadato
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budsjetter
 DocType: Invoice Discounting,Disbursed,utbetalt
@@ -7493,14 +7597,13 @@
 DocType: Restaurant,Active Menu,Aktiv meny
 DocType: Accounting Dimension Detail,Default Dimension,Standard dimensjon
 DocType: Target Detail,Target Qty,Target Antall
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Mot lån: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Kasse Innstillinger
 DocType: Student Attendance,Present,Present
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Levering Note {0} må ikke sendes inn
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Lønnsslippen som sendes til den ansatte vil være passordbeskyttet, passordet vil bli generert basert på passordpolitikken."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Kilometerteller
 DocType: Production Plan Item,Ordered Qty,Bestilte Antall
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Element {0} er deaktivert
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Opp
@@ -7559,7 +7662,6 @@
 DocType: Serial No,Delivery Document Type,Levering dokumenttype
 DocType: Sales Order,Partly Delivered,Delvis Leveres
 DocType: Item Variant Settings,Do not update variants on save,Ikke oppdater varianter på lagre
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,Fordringer
 DocType: Lead Source,Lead Source,Lead Source
 DocType: Customer,Additional information regarding the customer.,Ytterligere informasjon om kunden.
@@ -7656,6 +7758,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Faktiske
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Restaurantsjef
+DocType: Loan,Penalty Income Account,Straffinntektsregnskap
 DocType: Call Log,Call Log,Ring logg
 DocType: Authorization Rule,Customerwise Discount,Customerwise Rabatt
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timeregistrering for oppgaver.
@@ -7744,6 +7847,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Produktrabattordning
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ingen spørsmål har blitt reist av innringeren.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Gruppe etter leverandør
 DocType: Restaurant Reservation,Waitlisted,ventelisten
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Fritakskategori
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7754,7 +7858,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Basert på prisliste
 DocType: Customer Group,Parent Customer Group,Parent Kundegruppe
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan bare genereres fra salgsfaktura
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maksimale forsøk for denne quizen nådd!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Avgiftskapasitet venter
@@ -7772,6 +7875,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Forebyggende vedlikehold
 DocType: Delivery Note Item,Against Sales Invoice,Mot Salg Faktura
 DocType: Purchase Invoice,07-Others,07-Andre
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Sitatbeløp
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Vennligst skriv inn serienumre for serialisert element
 DocType: Bin,Reserved Qty for Production,Reservert Antall for produksjon
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,La være ukontrollert hvis du ikke vil vurdere batch mens du lager kursbaserte grupper.
@@ -7883,6 +7987,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Betaling Kvittering Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Lag materiell forespørsel
+DocType: Loan Interest Accrual,Pending Principal Amount,Venter på hovedbeløp
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Start- og sluttdatoer som ikke er i en gyldig lønnsperiode, kan ikke beregne {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7926,6 +8031,7 @@
 											to fullfill Sales Order {2}",Kan ikke levere serienummeret {0} av elementet {1} som det er reservert \ for å fullføre salgsordren {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Leverandør sitat {0} er opprettet
+DocType: Loan Security Unpledge,Unpledge Type,Unpedge Type
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Slutt År kan ikke være før start År
 DocType: Employee Benefit Application,Employee Benefits,Ytelser til ansatte
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Ansatt ID
@@ -8008,6 +8114,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Bankkode:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Skriv inn Expense konto
 DocType: Quality Action Resolution,Problem,Problem
+DocType: Loan Security Type,Loan To Value Ratio,Utlån til verdi
 DocType: Account,Stock,Lager
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8025,6 +8132,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankkonto Transaksjonsoppføring
 DocType: Sales Invoice Item,Discount and Margin,Rabatt og Margin
 DocType: Lab Test,Prescription,Resept
+DocType: Process Loan Security Shortfall,Update Time,Oppdateringstid
 DocType: Import Supplier Invoice,Upload XML Invoices,Last opp XML-fakturaer
 DocType: Company,Default Deferred Revenue Account,Standard Utsatt Inntektskonto
 DocType: Project,Second Email,Andre e-post
@@ -8038,7 +8146,7 @@
 DocType: Quality Action,Preventive,Forebyggende
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Leveranser til uregistrerte personer
 DocType: Company,Date of Incorporation,Stiftelsesdato
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Skatte
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total Skatte
 DocType: Manufacturing Settings,Default Scrap Warehouse,Standard skrapelager
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Siste innkjøpspris
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,For Mengde (Produsert Stk) er obligatorisk
@@ -8057,6 +8165,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Angi standard betalingsmåte
 DocType: Stock Entry Detail,Against Stock Entry,Mot aksjeoppføring
 DocType: Grant Application,Withdrawn,Tilbaketrukket
+DocType: Loan Repayment,Regular Payment,Vanlig betaling
 DocType: Support Search Source,Support Search Source,Støtte søkekilde
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,chargeble
 DocType: Project,Gross Margin %,Bruttomargin%
@@ -8070,8 +8179,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Uten betaling av skatt
 DocType: BOM Operation,BOM Operation,BOM Operation
 DocType: Purchase Taxes and Charges,On Previous Row Amount,På Forrige Row Beløp
+DocType: Student,Home Address,Hjemmeadresse
 DocType: Options,Is Correct,Er korrekt
 DocType: Item,Has Expiry Date,Har utløpsdato
+DocType: Loan Repayment,Paid Accrual Entries,Betalte periodiseringsoppføringer
+DocType: Loan Security,Loan Security Type,Lånesikkerhetstype
 apps/erpnext/erpnext/config/support.py,Issue Type.,Utgavetype.
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Aktivitetsnavn
@@ -8083,6 +8195,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sesong for å sette budsjetter, mål etc."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Ingen verdier
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabelt navn
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Velg bankkontoen du vil forene.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Element {0} er en mal, kan du velge en av variantene"
 DocType: Purchase Invoice Item,Deferred Expense,Utsatt kostnad
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Tilbake til Meldinger
@@ -8134,7 +8247,6 @@
 DocType: GL Entry,To Rename,Å gi nytt navn
 DocType: Stock Entry,Repack,Pakk
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Velg å legge til serienummer.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vennligst konfigurer Instruktør Namning System i Utdanning&gt; Utdanningsinnstillinger
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Angi fiskal kode for kunden &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vennligst velg selskapet først
 DocType: Item Attribute,Numeric Values,Numeriske verdier
@@ -8158,6 +8270,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Hent basert på FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root kan ikke redigeres.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Lånesikkerhetsverdi
 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
@@ -8204,6 +8317,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Vennligst første velg kategori
 apps/erpnext/erpnext/config/projects.py,Project master.,Prosjektet mester.
 DocType: Contract,Contract Terms,Kontraktsbetingelser
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sanksjonert beløpsgrense
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Fortsett konfigurasjonen
 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,Maximum benefit amount of component {0} exceeds {1},Maksimal ytelsesbeløp for komponent {0} overstiger {1}
@@ -8236,6 +8350,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Vis anropslogg
 DocType: BOM Operation,Operating Cost(Company Currency),Driftskostnader (Selskap Valuta)
 DocType: Loan Application,Rate of Interest,Rente
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Lånesikkerhets pantsettelse allerede pantsatt mot lån {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Sanksjonert Beløp
 DocType: Item,Shelf Life In Days,Holdbarhet i dager
 DocType: GL Entry,Is Opening,Er Åpnings
@@ -8249,3 +8364,4 @@
 DocType: Account,Cash,Kontanter
 DocType: Sales Invoice,Unpaid and Discounted,Ubetalt og rabattert
 DocType: Employee,Short biography for website and other publications.,Kort biografi for hjemmeside og andre publikasjoner.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Rad # {0}: Kan ikke velge leverandørlager mens råstoffene tildeles underleverandøren
diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv
index a05934b..897be54 100644
--- a/erpnext/translations/pl.csv
+++ b/erpnext/translations/pl.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Możliwość utracona z powodu
 DocType: Patient Appointment,Check availability,Sprawdź dostępność
 DocType: Retention Bonus,Bonus Payment Date,Data wypłaty bonusu
-DocType: Employee,Job Applicant,Aplikujący o pracę
+DocType: Appointment Letter,Job Applicant,Aplikujący o pracę
 DocType: Job Card,Total Time in Mins,Całkowity czas w minutach
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,"Wykres oparty na operacjach związanych z dostawcą. Sprawdź poniżej oś czasu, aby uzyskać więcej szczegółów."
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Nadwyżka produkcyjna Procent zamówienia na pracę
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Informacje kontaktowe
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Wyszukaj cokolwiek ...
 ,Stock and Account Value Comparison,Porównanie wartości zapasów i konta
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Kwota wypłacona nie może być większa niż kwota pożyczki
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Jestem zainteresowany
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Otwarcie
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Ważny od czasu musi być mniejszy niż Ważny do godziny.
 DocType: Item,Copy From Item Group,Skopiuj z Grupy Przedmiotów
 DocType: Journal Entry,Opening Entry,Wpis początkowy
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Tylko płatne konto
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Stopień
 DocType: Restaurant Table,No of Seats,Liczba miejsc
+DocType: Loan Type,Grace Period in Days,Okres karencji w dniach
 DocType: Sales Invoice,Overdue and Discounted,Zaległe i zdyskontowane
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Zasób {0} nie należy do depozytariusza {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Zadzwoń Rozłączony
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Zalecane procedury
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Pokaż tylko POS
 DocType: Supplier Group,Supplier Group Name,Nazwa grupy dostawcy
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Oznacz obecność jako <b></b>
 DocType: Driver,Driving License Categories,Kategorie prawa jazdy
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Proszę podać datę doręczenia
 DocType: Depreciation Schedule,Make Depreciation Entry,Bądź Amortyzacja Entry
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Szczegóły dotyczące przeprowadzonych operacji.
 DocType: Asset Maintenance Log,Maintenance Status,Status Konserwacji
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Pozycja Kwota podatku zawarta w wartości
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Zabezpieczenie pożyczki Unpledge
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Dane dotyczące członkostwa
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Dostawca jest wymagany w odniesieniu do konta z możliwością opłacenia {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Produkty i cennik
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Całkowita liczba godzin: {0}
+DocType: Loan,Loan Manager,Menedżer pożyczek
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"""Data od"" powinna być w tym roku podatkowym. Przyjmując Datę od = {0}"
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Interwał
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',"Aktualizowana przez ""Czas Zaloguj"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Wybierz klienta lub dostawcę.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kod kraju w pliku nie zgadza się z kodem kraju skonfigurowanym w systemie
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Konto {0} nie jest przypisane do Firmy {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Wybierz tylko jeden priorytet jako domyślny.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Urlop Zablokowany
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Operacje bankowe
-DocType: Customer,Is Internal Customer,Jest klientem wewnętrznym
+DocType: Sales Invoice,Is Internal Customer,Jest klientem wewnętrznym
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Zamówienie produktu
 DocType: Bank Reconciliation,Update Clearance Date,Aktualizacja daty rozliczenia
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Ilość paczek
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Nie można utworzyć pożyczki, dopóki wniosek nie zostanie zatwierdzony"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Poprawny
 DocType: Student Guardian,Mother,Mama
 DocType: Restaurant Reservation,Reservation End Time,Rezerwacja Koniec czasu
+DocType: Salary Slip Loan,Loan Repayment Entry,Wpis spłaty kredytu
 DocType: Crop,Biennial,Dwuletni
 ,BOM Variance Report,Raport wariancji BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Potwierdzone zamówienia od klientów
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Płatność przed {0} {1} nie może być większa niż kwota kredytu pozostała {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Wszystkie jednostki służby zdrowia
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,O możliwościach konwersji
+DocType: Loan,Total Principal Paid,Łącznie wypłacone główne zlecenie
 DocType: Bank Account,Address HTML,Adres HTML
 DocType: Lead,Mobile No.,Nr tel. Komórkowego
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Tryb płatności
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Saldo w walucie podstawowej
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Maks. wynik
 DocType: Email Digest,New Quotations,Nowa oferta
+DocType: Loan Interest Accrual,Loan Interest Accrual,Narosłe odsetki od pożyczki
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Obecność nie została przesłana do {0} jako {1} podczas nieobecności.
 DocType: Journal Entry,Payment Order,Zlecenie płatnicze
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,zweryfikuj adres e-mail
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Dochód z innych źródeł
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Jeśli puste, macierzyste konto magazynowe lub domyślne przedsiębiorstwo zostaną uwzględnione"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emaile wynagrodzenia poślizgu pracownikowi na podstawie wybranego w korzystnej email Pracownika
+DocType: Work Order,This is a location where operations are executed.,"Jest to miejsce, w którym wykonywane są operacje."
 DocType: Tax Rule,Shipping County,Dostawa County
 DocType: Currency Exchange,For Selling,Do sprzedania
 apps/erpnext/erpnext/config/desktop.py,Learn,Samouczek
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Zastosowany kod kuponu
 DocType: Asset,Next Depreciation Date,Następny Amortyzacja Data
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Koszt aktywność na pracownika
+DocType: Loan Security,Haircut %,Strzyżenie%
 DocType: Accounts Settings,Settings for Accounts,Ustawienia Konta
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Dostawca Faktura Nie istnieje faktura zakupu {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Zarządzaj Drzewem Sprzedawców
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ustaw stawkę hotelową na {}
 DocType: Journal Entry,Multi Currency,Wielowalutowy
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktury
+DocType: Loan,Loan Security Details,Szczegóły bezpieczeństwa pożyczki
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Ważny od daty musi być krótszy niż data ważności
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Wystąpił wyjątek podczas uzgadniania {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Ustaw przyjęty magazyn
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Wymagaj zatwierdzenia testu laboratoryjnego
 DocType: Attendance,Working Hours,Godziny pracy
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Outstanding
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Nie znaleziono współczynnika konwersji UOM ({0} -&gt; {1}) dla elementu: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Zmień początkowy / obecny numer seryjny istniejącej serii.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procent, za który możesz zapłacić więcej w stosunku do zamówionej kwoty. Na przykład: Jeśli wartość zamówienia wynosi 100 USD dla przedmiotu, a tolerancja jest ustawiona na 10%, możesz wystawić rachunek za 110 USD."
 DocType: Dosage Strength,Strength,Wytrzymałość
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Pojazd Data
 DocType: Campaign Email Schedule,Campaign Email Schedule,Harmonogram e-mailu kampanii
 DocType: Student Log,Medical,Medyczny
+DocType: Work Order,This is a location where scraped materials are stored.,"Jest to miejsce, w którym przechowywane są zeskrobane materiały."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Proszę wybrać lek
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Ołów Właściciel nie może być taka sama jak Lead
 DocType: Announcement,Receiver,Odbiorca
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,Dotyczy zewnętrznego sterownika
 DocType: Sales Order Item,Used for Production Plan,Używane do Planu Produkcji
 DocType: BOM,Total Cost (Company Currency),Koszt całkowity (waluta firmy)
-DocType: Loan,Total Payment,Całkowita płatność
+DocType: Repayment Schedule,Total Payment,Całkowita płatność
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,Zamówienie zostało już utworzone dla wszystkich zamówień sprzedaży
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Ostrzegaj Zamówienia Zakupu
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Wynajmowane od daty
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Wystarczające elementy do budowy
+DocType: Loan Security,Loan Security Code,Kod bezpieczeństwa pożyczki
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Zapisz najpierw
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Przedmioty są wymagane do wyciągnięcia związanych z nimi surowców.
 DocType: POS Profile User,POS Profile User,Użytkownik profilu POS
@@ -976,6 +989,7 @@
 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,Stock Entries already created for Work Order ,Wpisy magazynowe już utworzone dla zlecenia pracy
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod pozycji&gt; Grupa produktów&gt; Marka
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Zobacz poprzednie zamówienia
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} rozmów
 DocType: Vital Signs,Respiratory rate,Oddechowy
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,Usuń Transakcje Spółki
 DocType: Production Plan Item,Quantity and Description,Ilość i opis
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Numer referencyjny i data jest obowiązkowe dla transakcji Banku
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ustaw Serie nazw dla {0} poprzez Ustawienia&gt; Ustawienia&gt; Serie nazw
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,
 DocType: Payment Entry Reference,Supplier Invoice No,Nr faktury dostawcy
 DocType: Territory,For reference,Dla referencji
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Rachunek potrącenia podatku u źródła
 DocType: Pricing Rule,Sales Partner,Partner Sprzedaży
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Wszystkie karty oceny dostawcy.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Kwota zamówienia
+DocType: Loan,Disbursed Amount,Kwota wypłacona
 DocType: Buying Settings,Purchase Receipt Required,Wymagane potwierdzenie zakupu
 DocType: Sales Invoice,Rail,Szyna
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Aktualna cena
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Połączony z QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Zidentyfikuj / utwórz konto (księga) dla typu - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Konto płatności
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,"Konto jest obowiązkowe, aby uzyskać wpisy 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,Half Day Date is mandatory,Data półdniowa jest obowiązkowa
 DocType: Sales Order,Billing and Delivery Status,Fakturowanie i status dostawy
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,Rozliczona Ilość
 DocType: Training Result Employee,Training Result Employee,Wynik szkolenia pracowników
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Logiczny Magazyn przeciwny do zapisów.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Główna kwota
+DocType: Repayment Schedule,Principal Amount,Główna kwota
 DocType: Loan Application,Total Payable Interest,Całkowita zapłata odsetek
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Całkowity stan: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otwarty kontakt
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Wystąpił błąd podczas procesu aktualizacji
 DocType: Restaurant Reservation,Restaurant Reservation,Rezerwacja restauracji
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Twoje przedmioty
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dostawca&gt; Rodzaj dostawcy
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pisanie Wniosku
 DocType: Payment Entry Deduction,Payment Entry Deduction,Płatność Wejście Odliczenie
 DocType: Service Level Priority,Service Level Priority,Priorytet poziomu usług
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Tworzenie grup studentów
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Tworzenie grup studentów
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway konta nie jest tworzony, należy utworzyć ręcznie."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Magazyny grupowe nie mogą być używane w transakcjach. Zmień wartość {0}
 DocType: Supplier Scorecard,Per Year,Na rok
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nie kwalifikuje się do przyjęcia w tym programie zgodnie z DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Wiersz # {0}: Nie można usunąć elementu {1}, który jest przypisany do zamówienia zakupu klienta."
@@ -1289,7 +1307,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",Podczas tworzenia konta dla firmy podrzędnej {0} nie znaleziono konta nadrzędnego {1}. Utwórz konto nadrzędne w odpowiednim COA
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Podziel problem
 DocType: Student Attendance,Student Attendance,Obecność Studenta
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Brak danych do eksportu
 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
@@ -1302,6 +1319,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Rzeczywista data dostawy
 DocType: Lab Test,Test Template,Szablon testu
+DocType: Loan Security Pledge,Securities,Papiery wartościowe
 DocType: Restaurant Order Entry Item,Served,Serwowane
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informacje o rozdziale.
 DocType: Account,Accounts,Księgowość
@@ -1396,6 +1414,7 @@
 DocType: Inpatient Record,O Negative,O negatywne
 DocType: Work Order Operation,Planned End Time,Planowany czas zakończenia
 DocType: POS Profile,Only show Items from these Item Groups,Pokazuj tylko przedmioty z tych grup przedmiotów
+DocType: Loan,Is Secured Loan,Jest zabezpieczona pożyczka
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Szczegóły typu memebership
 DocType: Delivery Note,Customer's Purchase Order No,Numer Zamówienia Zakupu Klienta
@@ -1432,6 +1451,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Uzyskaj od spotkania pacjenta
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Nie znaleziono współczynnika konwersji UOM ({0} -&gt; {1}) dla elementu: {2}
 DocType: Subscriber,Subscriber,Abonent
 DocType: Item Attribute Value,Item Attribute Value,Pozycja wartość atrybutu
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Wymiana walut musi dotyczyć Kupowania lub Sprzedaży.
@@ -1530,6 +1550,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Brak uprawnień
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lista kontrolna realizacji kontraktu
 DocType: Vital Signs,Heart Rate / Pulse,Częstość tętna / impuls
+DocType: Customer,Default Company Bank Account,Domyślne firmowe konto bankowe
 DocType: Supplier,Default Bank Account,Domyślne konto bankowe
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Aby filtrować na podstawie partii, wybierz Party Wpisz pierwsze"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"'Aktualizuj Stan' nie może być zaznaczone, ponieważ elementy nie są dostarczane przez {0}"
@@ -1648,7 +1669,6 @@
 DocType: Sales Team,Incentives,
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Wartości niezsynchronizowane
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Różnica wartości
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Skonfiguruj serie numeracji dla frekwencji poprzez Ustawienia&gt; Serie numeracji
 DocType: SMS Log,Requested Numbers,Wymagane numery
 DocType: Volunteer,Evening,Wieczór
 DocType: Quiz,Quiz Configuration,Konfiguracja quizu
@@ -1668,6 +1688,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,
 DocType: Purchase Invoice Item,Rejected Qty,odrzucony szt
 DocType: Setup Progress Action,Action Field,Pole działania
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Rodzaj pożyczki na odsetki i kary pieniężne
 DocType: Healthcare Settings,Manage Customer,Zarządzaj klientem
 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
@@ -1679,6 +1700,7 @@
 ,Final Assessment Grades,Oceny końcowe
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Nazwa firmy / organizacji dla której uruchamiasz niniejszy system.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Dolicz święta do całkowitej liczby dni pracujących
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Ogólnej sumy
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Skonfiguruj swój Instytut w ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza roślin
 DocType: Task,Timeline,Oś czasu
@@ -1686,9 +1708,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatywna pozycja
 DocType: Shopify Log,Request Data,Żądaj danych
 DocType: Employee,Date of Joining,Data Wstąpienia
+DocType: Delivery Note,Inter Company Reference,Referencje między firmami
 DocType: Naming Series,Update Series,Zaktualizuj Serię
 DocType: Supplier Quotation,Is Subcontracted,Czy zlecony
 DocType: Restaurant Table,Minimum Seating,Minimalne miejsce siedzące
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Pytanie nie może być duplikowane
 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,Purchase Receipt,Potwierdzenie zakupu
@@ -1790,6 +1814,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synchronizacja Offline Faktury
 DocType: Payment Request,Paid,Zapłacono
 DocType: Service Level,Default Priority,Domyślny priorytet
+DocType: Pledge,Pledge,Zastaw
 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."
@@ -1803,6 +1828,7 @@
 DocType: Guardian,Guardian Name,Nazwa Stróża
 DocType: Cheque Print Template,Has Print Format,Ma format wydruku
 DocType: Support Settings,Get Started Sections,Pierwsze kroki
+,Loan Repayment and Closure,Spłata i zamknięcie pożyczki
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.RRRR.-
 DocType: Invoice Discounting,Sanctioned,usankcjonowane
 ,Base Amount,Podstawowa kwota
@@ -1813,10 +1839,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Z miejsca
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Kwota pożyczki nie może być większa niż {0}
 DocType: Student Admission,Publish on website,Opublikuj na stronie internetowej
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Faktura dostawca Data nie może być większe niż Data publikacji
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod pozycji&gt; Grupa produktów&gt; Marka
 DocType: Subscription,Cancelation Date,Data Anulowania
 DocType: Purchase Invoice Item,Purchase Order Item,Przedmiot Zamówienia Kupna
 DocType: Agriculture Task,Agriculture Task,Zadanie rolnicze
@@ -1835,7 +1861,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Dodatkowy rabat procentowy
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Zobacz listę wszystkich filmów pomocy
 DocType: Agriculture Analysis Criteria,Soil Texture,Tekstura gleby
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Pozwól użytkownikowi edytować stawkę cennika w transakcjach
 DocType: Pricing Rule,Max Qty,Maks. Ilość
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Wydrukuj kartę raportu
@@ -1970,7 +1995,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Po ustawieniu faktura ta będzie zawieszona do wyznaczonej daty
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Kwota sprzedaży
-DocType: Repayment Schedule,Interest Amount,Kwota procentowa
+DocType: Loan Interest Accrual,Interest Amount,Kwota procentowa
 DocType: Job Card,Time Logs,Logi czasu
 DocType: Sales Invoice,Loyalty Amount,Kwota lojalności
 DocType: Employee Transfer,Employee Transfer Detail,Dane dotyczące przeniesienia pracownika
@@ -1985,6 +2010,7 @@
 DocType: Cashier Closing,Returns,zwroty
 DocType: Job Card,WIP Warehouse,WIP Magazyn
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Nr seryjny {0} w ramach umowy serwisowej do {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Przekroczono limit kwoty usankcjonowanej dla {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Rekrutacja
 DocType: Lead,Organization Name,Nazwa organizacji
 DocType: Support Settings,Show Latest Forum Posts,Pokaż najnowsze posty na forum
@@ -2011,7 +2037,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Przedmioty zamówienia przeterminowane
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Kod pocztowy
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Zamówienie sprzedaży jest {0} {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Wybierz rachunek odsetkowy w banku {0}
 DocType: Opportunity,Contact Info,Dane kontaktowe
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Dokonywanie stockowe Wpisy
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Nie można promować pracownika z pozostawionym statusem
@@ -2096,7 +2121,6 @@
 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,Start Year,Rok rozpoczęcia
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Utwórz pożyczkę
 DocType: Purchase Invoice,Start date of current invoice's period,Początek okresu rozliczeniowego dla faktury
 DocType: Shift Type,Process Attendance After,Uczestnictwo w procesie po
 ,IRS 1099,IRS 1099
@@ -2117,6 +2141,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Wybierz swoje domeny
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Dostawca
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Faktury z płatności
+DocType: Repayment Schedule,Is Accrued,Jest naliczony
 DocType: Payroll Entry,Employee Details,
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Przetwarzanie plików XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2148,6 +2173,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Punkt lojalnościowy
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Domyślna grupa elementów
+DocType: Loan,Partially Disbursed,częściowo wypłacona
 DocType: Job Card Time Log,Time In Mins,Czas w minutach
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Udziel informacji.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ta czynność spowoduje odłączenie tego konta od dowolnej usługi zewnętrznej integrującej ERPNext z kontami bankowymi. Nie można tego cofnąć. Czy jesteś pewien ?
@@ -2163,6 +2189,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Zamknięcie pożyczki
 DocType: Call Log,Lead,Potencjalny klient
 DocType: Email Digest,Payables,Zobowiązania
 DocType: Amazon MWS Settings,MWS Auth Token,MWh Auth Token
@@ -2196,6 +2223,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Podatek i świadczenia pracownicze
 DocType: Bank Guarantee,Validity in Days,Ważność w dniach
 DocType: Bank Guarantee,Validity in Days,Ważność w dniach
+DocType: Unpledge,Haircut,Ostrzyżenie
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-forma nie ma zastosowania do faktury: {0}
 DocType: Certified Consultant,Name of Consultant,Imię i nazwisko konsultanta
 DocType: Payment Reconciliation,Unreconciled Payment Details,Szczegóły płatności nieuzgodnione
@@ -2249,7 +2277,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Reszta świata
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Element {0} nie może mieć Batch
 DocType: Crop,Yield UOM,Wydajność UOM
+DocType: Loan Security Pledge,Partially Pledged,Częściowo obiecane
 ,Budget Variance Report,Raport z weryfikacji budżetu
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Kwota udzielonej sankcji
 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,Get Items from Healthcare Services,Pobierz przedmioty z usług opieki zdrowotnej
@@ -2284,6 +2314,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nowa procedura jakości
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Bilans dla Konta {0} zawsze powinien wynosić {1}
 DocType: Patient Appointment,More Info,Więcej informacji
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Data urodzenia nie może być większa niż data przystąpienia.
 DocType: Supplier Scorecard,Scorecard Actions,Działania kartoteki
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dostawca {0} nie został znaleziony w {1}
 DocType: Purchase Invoice,Rejected Warehouse,Odrzucony Magazyn
@@ -2381,6 +2412,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Proszę najpierw ustawić kod pozycji
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Utworzono zastaw na zabezpieczeniu pożyczki: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Spotkania i spotkania z pacjentami
@@ -2436,6 +2468,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Liczba jednoczesnych spotkań
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Rozpoczęcie pracy
 DocType: Purchase Invoice,Taxes and Charges Calculation,Obliczanie podatków i opłat
+DocType: Loan Interest Accrual,Payable Principal Amount,Kwota główna do zapłaty
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatycznie wprowadź wartość księgowania depozytu księgowego aktywów
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatycznie wprowadź wartość księgowania depozytu księgowego aktywów
 DocType: BOM Operation,Workstation,Stacja robocza
@@ -2473,7 +2506,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Żywność
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Starzenie Zakres 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Szczegóły kuponu zamykającego POS
-DocType: Bank Account,Is the Default Account,Czy konto domyślne
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nie znaleziono komunikacji.
 DocType: Inpatient Occupancy,Check In,Zameldować się
@@ -2531,12 +2563,14 @@
 DocType: Sales Order Item,Planned Quantity,Planowana ilość
 DocType: Water Analysis,Water Analysis Criteria,Kryteria analizy wody
 DocType: Item,Maintain Stock,Utrzymanie Zapasów
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge Time
 DocType: Terms and Conditions,Applicable Modules,Odpowiednie moduły
 DocType: Employee,Prefered Email,Zalecany email
 DocType: Student Admission,Eligibility and Details,Kwalifikowalność i szczegóły
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Zawarte w zysku brutto
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Zmiana netto stanu trwałego
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Wymagana ilość
+DocType: Work Order,This is a location where final product stored.,"Jest to miejsce, w którym przechowywany jest produkt końcowy."
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od DateTime
@@ -2577,8 +2611,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Gwarancja / AMC Status
 ,Accounts Browser,Przeglądarka kont
 DocType: Procedure Prescription,Referral,Polecenie
+,Territory-wise Sales,Sprzedaż terytorialna
 DocType: Payment Entry Reference,Payment Entry Reference,Wejście Płatność referencyjny
 DocType: GL Entry,GL Entry,Wejście GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Wiersz # {0}: Magazyn zaakceptowany i magazyn dostawcy nie mogą być takie same
 DocType: Support Search Source,Response Options,Opcje odpowiedzi
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Zastosuj wiele zasad ustalania cen
 DocType: HR Settings,Employee Settings,Ustawienia pracownika
@@ -2639,6 +2675,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Rolnictwo (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,List przewozowy
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ustaw Serie nazw dla {0} poprzez Ustawienia&gt; Ustawienia&gt; Serie nazw
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Wydatki na wynajem
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Konfiguracja ustawień bramki SMS
 DocType: Disease,Common Name,Nazwa zwyczajowa
@@ -2655,6 +2692,7 @@
 DocType: Item,Sales Details,Szczegóły sprzedaży
 DocType: Coupon Code,Used,Używany
 DocType: Opportunity,With Items,Z przedmiotami
+DocType: Vehicle Log,last Odometer Value ,ostatnia wartość licznika przebiegu
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampania „{0}” już istnieje dla {1} ”{2}”
 DocType: Asset Maintenance,Maintenance Team,Zespół serwisowy
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Kolejność, w której sekcje powinny się pojawić. 0 jest pierwsze, 1 jest drugie i tak dalej."
@@ -2665,7 +2703,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Koszty roszczenie {0} już istnieje dla Zaloguj Pojazdów
 DocType: Asset Movement Item,Source Location,Lokalizacja źródła
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nazwa Instytutu
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Wpisz Kwota spłaty
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Wpisz Kwota spłaty
 DocType: Shift Type,Working Hours Threshold for Absent,Próg godzin pracy dla nieobecności
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Może istnieć wiele warstwowych współczynników zbierania w oparciu o całkowitą ilość wydanych pieniędzy. Jednak współczynnik konwersji dla umorzenia będzie zawsze taki sam dla wszystkich poziomów.
 apps/erpnext/erpnext/config/help.py,Item Variants,Warianty artykuł
@@ -2689,6 +2727,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} musi być mniejsze niż {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Najpierw wybierz typ wnioskodawcy
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Wybierz LM, ilość i magazyn"
 DocType: GST HSN Code,GST HSN Code,Kod GST HSN
 DocType: Employee External Work History,Total Experience,Całkowita kwota wydatków
@@ -2779,7 +2818,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Nie znaleziono aktywnego LM dla pozycji {0}. Nie można zapewnić dostawy przez \ Numer seryjny
 DocType: Sales Partner,Sales Partner Target,Cel Partnera Sprzedaży
-DocType: Loan Type,Maximum Loan Amount,Maksymalna kwota kredytu
+DocType: Loan Application,Maximum Loan Amount,Maksymalna kwota kredytu
 DocType: Coupon Code,Pricing Rule,Zasada ustalania cen
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplikat numeru rolki dla ucznia {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplikat numeru rolki dla ucznia {0}
@@ -2803,6 +2842,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Nieobecności Przedzielono z Powodzeniem dla {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Brak Przedmiotów do pakowania
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Aktualnie obsługiwane są tylko pliki .csv i .xlsx
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Skonfiguruj system nazewnictwa pracowników w dziale Zasoby ludzkie&gt; Ustawienia HR
 DocType: Shipping Rule Condition,From Value,Od wartości
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Ilość wyprodukowanych jest obowiązkowa
 DocType: Loan,Repayment Method,Sposób spłaty
@@ -2886,6 +2926,7 @@
 DocType: Customer,Customer POS Id,Identyfikator klienta klienta
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student z e-mailem {0} nie istnieje
 DocType: Account,Account Name,Nazwa konta
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Kwota sankcjonowanej pożyczki już istnieje dla {0} wobec firmy {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Data od - nie może być późniejsza niż Data do
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Nr seryjny {0} dla ilości {1} nie może być ułamkiem
 DocType: Pricing Rule,Apply Discount on Rate,Zastosuj zniżkę na stawkę
@@ -2957,6 +2998,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Zysk netto
 DocType: Purchase Invoice,Eligibility For ITC,Uprawnienia do ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.RRRR.-
+DocType: Loan Security Pledge,Unpledged,Niepowiązane
 DocType: Journal Entry,Entry Type,Rodzaj wpisu
 ,Customer Credit Balance,Saldo kredytowe klienta
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Zmiana netto stanu zobowiązań
@@ -2968,6 +3010,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Identyfikator urządzenia obecności (identyfikator biometryczny / RF)
 DocType: Quotation,Term Details,Szczegóły warunków
 DocType: Item,Over Delivery/Receipt Allowance (%),Over Delivery / Receipt Allowance (%)
+DocType: Appointment Letter,Appointment Letter Template,Szablon listu z terminami
 DocType: Employee Incentive,Employee Incentive,Zachęta dla pracowników
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Razem (bez podatku)
@@ -2991,6 +3034,7 @@
 					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 \"
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Odłączanie Przedpłata na Anulowanie faktury
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Przetwarzanie naliczonych odsetek od kredytu
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Aktualny stan licznika kilometrów wszedł powinien być większy niż początkowy stan licznika kilometrów {0}
 ,Purchase Order Items To Be Received or Billed,Zakup Zamów przedmioty do odebrania lub naliczenia
 DocType: Restaurant Reservation,No Show,Brak pokazu
@@ -3077,6 +3121,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Centrum kosztów jest wymagane dla rachunku ""Zyski i straty"" {2}. Proszę ustawić domyślne centrum kosztów dla firmy."
 DocType: Payment Schedule,Payment Term,Termin płatności
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Grupa Odbiorców posiada taką nazwę - wprowadź inną nazwę Odbiorcy lub zmień nazwę Grupy
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Data zakończenia przyjęcia powinna być większa niż data rozpoczęcia przyjęcia.
 DocType: Location,Area,Powierzchnia
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nowy kontakt
 DocType: Company,Company Description,Opis Firmy
@@ -3152,6 +3197,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Zmapowane dane
 DocType: Purchase Order Item,Warehouse and Reference,Magazyn i punkt odniesienia
 DocType: Payroll Period Date,Payroll Period Date,Okres listy płac
+DocType: Loan Disbursement,Against Loan,Przeciw pożyczce
 DocType: Supplier,Statutory info and other general information about your Supplier,Informacje prawne na temat dostawcy
 DocType: Item,Serial Nos and Batches,Numery seryjne i partie
 DocType: Item,Serial Nos and Batches,Numery seryjne i partie
@@ -3220,6 +3266,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Wybierz firmę
 DocType: Delivery Settings,Delivery Settings,Ustawienia dostawy
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Pobierz dane
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Nie można odpiąć więcej niż {0} sztuk {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksymalny dozwolony urlop w typie urlopu {0} to {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Opublikuj 1 przedmiot
 DocType: SMS Center,Create Receiver List,Stwórz listę odbiorców
@@ -3369,6 +3416,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Kwota bazowa (Waluta firmy)
 DocType: Purchase Invoice,Registered Regular,Registered Regular
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Surowy materiał
+DocType: Plaid Settings,sandbox,piaskownica
 DocType: Payment Reconciliation Payment,Reference Row,Odniesienie Row
 DocType: Installation Note,Installation Time,Czas instalacji
 DocType: Sales Invoice,Accounting Details,Dane księgowe
@@ -3381,12 +3429,11 @@
 DocType: Leave Ledger Entry,Transaction Type,typ transakcji
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kryteria akceptacji
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Prośbę materiału w powyższej tabeli
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Całkowita należna kwota
 DocType: Task,Expected Time (in hours),Oczekiwany czas (w godzinach)
 DocType: Item Reorder,Check in (group),Przyjazd (grupa)
 DocType: Soil Texture,Silt,Muł
@@ -3418,6 +3465,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Odliczanie podatku za nieprzedstawiony dowód zwolnienia podatkowego
 DocType: Volunteer,Anytime,W każdej chwili
 DocType: Bank Account,Bank Account No,Nr konta bankowego
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Wypłata i spłata
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Świadectwo zwolnienia podatkowego dla pracowników
 DocType: Patient,Surgical History,Historia chirurgiczna
 DocType: Bank Statement Settings Item,Mapped Header,Mapowany nagłówek
@@ -3482,6 +3530,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Utwórz test (y) laboratoryjny na stronie Przesłanie faktury sprzedaży
 DocType: Serial No,Invoice Details,Dane do faktury
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Struktura wynagrodzeń musi zostać złożona przed złożeniem deklaracji zwolnienia podatkowego
+DocType: Loan Application,Proposed Pledges,Proponowane zobowiązania
 DocType: Grant Application,Show on Website,Pokaż na stronie internetowej
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Zaczynaj na
 DocType: Hub Tracked Item,Hub Category,Kategoria koncentratora
@@ -3493,7 +3542,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Dostawca Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Wiersz {0}: Bill of Materials nie znaleziono Item {1}
 DocType: Contract Fulfilment Checklist,Requirement,Wymaganie
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Skonfiguruj system nazewnictwa pracowników w dziale Zasoby ludzkie&gt; Ustawienia HR
 DocType: Journal Entry,Accounts Receivable,Należności
 DocType: Quality Goal,Objectives,Cele
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rola dozwolona do utworzenia aplikacji urlopowej z datą wsteczną
@@ -3506,6 +3554,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Dołącz uzgodnione wpisy
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Łączna przydzielona kwota ({0}) jest przywitana niż wypłacona kwota ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Rozpowszechnianie opłat na podstawie
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Kwota wpłaty nie może być mniejsza niż {0}
 DocType: Projects Settings,Timesheets,ewidencja czasu pracy
 DocType: HR Settings,HR Settings,Ustawienia HR
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Mistrzowie rachunkowości
@@ -3651,6 +3700,7 @@
 DocType: Employee,Health Insurance,Ubezpieczenie zdrowotne
 DocType: Asset Repair,Manufacturing Manager,Kierownik Produkcji
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Nr seryjny {0} w ramach gwarancji do {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Kwota pożyczki przekracza maksymalną kwotę pożyczki w wysokości {0} zgodnie z proponowanymi papierami wartościowymi
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimalna dopuszczalna wartość
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Użytkownik {0} już istnieje
 apps/erpnext/erpnext/hooks.py,Shipments,Przesyłki
@@ -3695,7 +3745,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Rodzaj biznesu
 DocType: Sales Invoice,Consumer,Konsument
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Proszę wybrać Przyznana kwota, faktury i faktury Rodzaj numer w conajmniej jednym rzędzie"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ustaw Serie nazw dla {0} poprzez Ustawienia&gt; Ustawienia&gt; Serie nazw
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Koszt zakupu nowego
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Zlecenie Sprzedaży jest wymagane dla Elementu {0}
 DocType: Grant Application,Grant Description,Opis dotacji
@@ -3704,6 +3753,7 @@
 DocType: Subscription,Discounts,Rabaty
 DocType: Bank Transaction,Unallocated Amount,Kwota nieprzydzielone
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Włącz Włączone do zamówienia i obowiązujące przy rzeczywistych kosztach rezerwacji
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} nie jest firmowym kontem bankowym
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Nie możesz znaleźć pasujący element. Proszę wybrać jakąś inną wartość dla {0}.
 DocType: POS Profile,Taxes and Charges,Podatki i opłaty
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt lub usługa, która jest kupiona, sprzedana lub przechowywana w magazynie."
@@ -3754,6 +3804,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Ważny od daty musi być mniejszy niż ważna data w górę.
 DocType: Employee Skill,Evaluation Date,Data oceny
 DocType: Quotation Item,Stock Balance,Bilans zapasów
+DocType: Loan Security Pledge,Total Security Value,Całkowita wartość bezpieczeństwa
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Płatności do zamówienia sprzedaży
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Z zapłatą podatku
@@ -3766,6 +3817,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Konto {0} nie istnieje na schemacie deski rozdzielczej {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Pokaż atrybuty wariantu
@@ -3847,6 +3899,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktualny Wycena Cena
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Liczba kont root nie może być mniejsza niż 4
 DocType: Training Event,Advance,Zaliczka
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Przeciw pożyczce:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Ustawienia bramy płatności bez płatności
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Wymiana Zysk / Strata
 DocType: Opportunity,Lost Reason,Powód straty
@@ -3931,8 +3984,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Wybierz numer partii
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Nieprawidłowy {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Wiersz {0}: data urodzenia rodzeństwa nie może być większa niż dzisiaj.
 DocType: Fee Validity,Reference Inv,Referencja Inv
 DocType: Sales Invoice Advance,Advance Amount,Kwota Zaliczki
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Kara odsetkowa (%) dziennie
 DocType: Manufacturing Settings,Capacity Planning,Planowanie Pojemności
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Korekta zaokrągleń (waluta firmy
 DocType: Asset,Policy number,Numer polisy
@@ -3948,7 +4003,9 @@
 DocType: Normal Test Items,Require Result Value,Wymagaj wartości
 DocType: Purchase Invoice,Pricing Rules,Zasady ustalania cen
 DocType: Item,Show a slideshow at the top of the page,Pokazuj slideshow na górze strony
+DocType: Appointment Letter,Body,Ciało
 DocType: Tax Withholding Rate,Tax Withholding Rate,Podatek u źródła
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Data rozpoczęcia spłaty jest obowiązkowa w przypadku pożyczek terminowych
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Bomy
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Sklepy
@@ -3968,7 +4025,7 @@
 DocType: Call Log,Received By,Otrzymane przez
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Czas trwania spotkania (w minutach)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Szczegóły szablonu mapowania przepływu gotówki
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Zarządzanie kredytem
+DocType: Loan,Loan Management,Zarządzanie kredytem
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Śledź oddzielnie przychody i koszty dla branż produktowych lub oddziałów.
 DocType: Rename Tool,Rename Tool,Zmień nazwę narzędzia
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Zaktualizuj Koszt
@@ -3976,6 +4033,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,Formularz GSTR3B
 DocType: Sales Invoice,Mode of Transport,Tryb transportu
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Slip Pokaż Wynagrodzenie
+DocType: Loan,Is Term Loan,Jest pożyczką terminową
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfer materiału
 DocType: Fees,Send Payment Request,Wyślij żądanie płatności
 DocType: Travel Request,Any other details,Wszelkie inne szczegóły
@@ -3993,6 +4051,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Cash Flow z finansowania
 DocType: Budget Account,Budget Account,Budżet Konta
 DocType: Quality Inspection,Verified By,Zweryfikowane przez
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Dodaj zabezpieczenia pożyczki
 DocType: Travel Request,Name of Organizer,Nazwa organizatora
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nie można zmienić domyślnej waluty firmy, ponieważ istnieją przypisane do niej transakcje. Anuluj transakcje, aby zmienić domyślną walutę"
 DocType: Cash Flow Mapping,Is Income Tax Liability,Jest odpowiedzialnością z tytułu podatku dochodowego
@@ -4043,6 +4102,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Wymagane na
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jeśli zaznaczone, ukrywa i wyłącza pole Zaokrąglona suma w kuponach wynagrodzeń"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Jest to domyślne przesunięcie (dni) dla daty dostawy w zamówieniach sprzedaży. Przesunięcie awaryjne wynosi 7 dni od daty złożenia zamówienia.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Skonfiguruj serie numeracji dla frekwencji poprzez Ustawienia&gt; Serie numeracji
 DocType: Rename Tool,File to Rename,Plik to zmiany nazwy
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Proszę wybrać LM dla pozycji w wierszu {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Pobierz aktualizacje subskrypcji
@@ -4055,6 +4115,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Utworzono numery seryjne
 DocType: POS Profile,Applicable for Users,Dotyczy użytkowników
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.RRRR.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Od daty i daty są obowiązkowe
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Ustaw projekt i wszystkie zadania na status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Ustaw Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nie utworzono zleceń pracy
@@ -4064,6 +4125,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Produkty według
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Koszt zakupionych towarów
 DocType: Employee Separation,Employee Separation Template,Szablon separacji pracowników
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Zero ilości {0} zastawionych na pożyczce {0}
 DocType: Selling Settings,Sales Order Required,Wymagane Zamówienie Sprzedaży
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Zostań sprzedawcą
 ,Procurement Tracker,Śledzenie zamówień
@@ -4162,11 +4224,12 @@
 ,Minutes to First Response for Opportunity,Minutes to pierwsza odpowiedź na szansy
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Razem Nieobecny
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Kwota do zapłaty
+DocType: Loan Repayment,Payable Amount,Kwota do zapłaty
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Jednostka miary
 DocType: Fiscal Year,Year End Date,Data końca roku
 DocType: Task Depends On,Task Depends On,Zadanie zależne od
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Oferta
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maksymalna siła nie może być mniejsza niż zero.
 DocType: Options,Option,Opcja
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Nie można tworzyć zapisów księgowych w zamkniętym okresie rozliczeniowym {0}
 DocType: Operation,Default Workstation,Domyślne miejsce pracy
@@ -4208,6 +4271,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Kwota odsetek jest obowiązkowa
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Urlop bezpłatny nie jest zgodny z zatwierdzonymi rekordami Zgłoszeń Nieobecności
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Następne kroki
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Zapisane przedmioty
@@ -4279,8 +4343,6 @@
 DocType: Grant Application,Grant Application Details ,Przyznaj szczegóły aplikacji
 DocType: Employee Separation,Employee Separation,Separacja pracowników
 DocType: BOM Item,Original Item,Oryginalna pozycja
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Data
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Utworzono Records Fee - {0}
 DocType: Asset Category Account,Asset Category Account,Konto Aktywów Kategoria
@@ -4316,6 +4378,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Element testu laboratoryjnego {0} już istnieje
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} to święto firmowe
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Rozliczalne godziny
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Kara odsetkowa naliczana jest codziennie od oczekującej kwoty odsetek w przypadku opóźnionej spłaty
+DocType: Appointment Letter content,Appointment Letter content,Treść listu z terminem
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Powiadomienie o Statusie zgłoszonej Nieobecności
 DocType: Patient Appointment,Procedure Prescription,Procedura Recepta
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Meble i wyposażenie
@@ -4335,7 +4399,7 @@
 DocType: Opportunity,Customer / Lead Name,Nazwa Klienta / Tropu
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,
 DocType: Payroll Period,Taxable Salary Slabs,Podatki podlegające opodatkowaniu
-DocType: Job Card,Production,Produkcja
+DocType: Plaid Settings,Production,Produkcja
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Nieprawidłowy GSTIN! Wprowadzone dane nie pasują do formatu GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Wartość konta
 DocType: Guardian,Occupation,Zawód
@@ -4481,6 +4545,7 @@
 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,Student {0} does not belong to group {1},Student {0} nie należy do grupy {1}
+DocType: Appointment Letter,Appointment Date,Data spotkania
 DocType: Budget,Cost Center,Centrum kosztów
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Bon #
 DocType: Tax Rule,Shipping Country,Wysyłka Kraj
@@ -4551,6 +4616,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Wymiar księgowy
 ,Profit and Loss Statement,Rachunek zysków i strat
 DocType: Bank Reconciliation Detail,Cheque Number,Numer czeku
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Kwota wypłacona nie może wynosić zero
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Pozycja, do której odnosi się {0} - {1}, jest już zafakturowana"
 ,Sales Browser,Przeglądarka Sprzedaży
 DocType: Journal Entry,Total Credit,Całkowita kwota kredytu
@@ -4667,6 +4733,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Dodaj / edytuj warunki kuponu
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Konto koszty / Różnica ({0}) musi być kontem ""rachunek zysków i strat"""
 DocType: Stock Entry Detail,Stock Entry Child,Dziecko do wejścia na giełdę
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Firma zastawu bezpieczeństwa pożyczki i firma pożyczki muszą być takie same
 DocType: Project,Copied From,Skopiowano z
 DocType: Project,Copied From,Skopiowano z
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura została już utworzona dla wszystkich godzin rozliczeniowych
@@ -4675,6 +4742,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Koszt finansowy
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Frekwencja pracownika {0} jest już zaznaczona
 DocType: Packing Slip,If more than one package of the same type (for print),Jeśli więcej niż jedna paczka tego samego typu (do druku)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Skonfiguruj system nazewnictwa instruktorów w sekcji Edukacja&gt; Ustawienia edukacji
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ustaw domyślnego klienta w Ustawieniach restauracji
 ,Salary Register,wynagrodzenie Rejestracja
 DocType: Company,Default warehouse for Sales Return,Domyślny magazyn dla zwrotu sprzedaży
@@ -4719,7 +4787,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Aktualny numer seryjny
 DocType: Employee,Attendance and Leave Details,Frekwencja i szczegóły urlopu
 ,BOM Comparison Tool,Narzędzie do porównywania LM
-,Requested,Zamówiony
+DocType: Loan Security Pledge,Requested,Zamówiony
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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."
@@ -4731,7 +4799,6 @@
 DocType: Drug Prescription,Drug Prescription,Na receptę
 DocType: Service Level,Support and Resolution,Wsparcie i rozdzielczość
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Kod wolnego przedmiotu nie jest wybrany
-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
@@ -4765,6 +4832,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Oceniałeś już kryteria oceny {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Kwota niedoboru
 DocType: Vehicle Service,Engine Oil,Olej silnikowy
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Utworzono zlecenia pracy: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Ustaw identyfikator e-mail dla potencjalnego klienta {0}
@@ -4783,6 +4851,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Konto nie jest ustawione dla wykresu deski rozdzielczej {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Zastosuj dodatkowe zniżki na
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Wybierz typ ...
+DocType: Loan Interest Accrual,Amounts,Kwoty
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Twoje bilety
 DocType: Account,Root Type,Typ Root
 DocType: Item,FIFO,FIFO
@@ -4790,6 +4859,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Wiersz # {0}: Nie można wrócić więcej niż {1} dla pozycji {2}
 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: Loan Security Price,Loan Security Price,Cena zabezpieczenia pożyczki
 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,Target warehouse is mandatory for row {0},Magazyn docelowy jest obowiązkowy dla wiersza {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Operacje detaliczne
@@ -4930,6 +5000,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch jest obowiązkowy w rzędzie {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch jest obowiązkowy w rzędzie {0}
 DocType: Company,Default Buying Terms,Domyślne warunki zakupu
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Wypłata pożyczki
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Rachunek Kupna Zaopatrzenia
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Włącz zaplanowaną synchronizację
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Aby DateTime
@@ -4958,6 +5029,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Wpisz wartość między {0} a {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Wpisz nazwę przeprowadzanej kampanii jeżeli źródło pytania jest kampanią
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Wydawcy Gazet
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Nie znaleziono ważnej <b>ceny zabezpieczenia pożyczki</b> dla {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Przyszłe daty są niedozwolone
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Oczekiwana data dostarczenia powinna nastąpić po Dacie Zamówienia Sprzedaży
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Poziom Uporządkowania
@@ -5024,6 +5096,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Propozycja/Oferta cenowa
 DocType: Antibiotic,Healthcare,Opieka zdrowotna
 DocType: Target Detail,Target Detail,Szczegóły celu
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Procesy pożyczkowe
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Pojedynczy wariant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Wszystkie Oferty pracy
 DocType: Sales Order,% of materials billed against this Sales Order,% materiałów rozliczonych w ramach tego zlecenia sprzedaży
@@ -5087,7 +5160,7 @@
 DocType: Item,Reorder level based on Warehouse,Zmiana kolejności w oparciu o poziom Magazynu
 DocType: Activity Cost,Billing Rate,Kursy rozliczeniowe
 ,Qty to Deliver,Ilość do dostarczenia
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Utwórz wpis wypłaty
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Utwórz wpis wypłaty
 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,Operations cannot be left blank,Operacje nie może być puste
@@ -5121,6 +5194,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Rozłącz integracje zewnętrzne
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Wybierz odpowiednią płatność
 DocType: Pricing Rule,Item Code,Kod identyfikacyjny
+DocType: Loan Disbursement,Pending Amount For Disbursal,Kwota oczekująca na wypłatę
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.RRRR.-
 DocType: Serial No,Warranty / AMC Details,Gwarancja / AMC Szczegóły
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Wybierz uczniów ręcznie dla grupy działań
@@ -5146,6 +5220,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Ilość całkowita
 DocType: Landed Cost Item,Receipt Document,Otrzymanie dokumentu
 DocType: Employee Education,School/University,Szkoła/Uniwersytet
+DocType: Loan Security Pledge,Loan  Details,Szczegóły pożyczki
 DocType: Sales Invoice Item,Available Qty at Warehouse,Ilość dostępna w magazynie
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Ilość Rozliczenia
 DocType: Share Transfer,(including),(włącznie z)
@@ -5169,6 +5244,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupy
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupuj według konta
 DocType: Purchase Invoice,Hold Invoice,Hold Invoice
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Status zobowiązania
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Wybierz pracownika
 DocType: Sales Order,Fully Delivered,Całkowicie dostarczono
 DocType: Promotional Scheme Price Discount,Min Amount,Min. Kwota
@@ -5178,7 +5254,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Wypłacona kwota nie może być wyższa niż Kwota kredytu {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Wiersz {0} # Przydzielona kwota {1} nie może być większa od kwoty nieodebranej {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Numer Zamówienia Kupna wymagany do {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,
@@ -5206,6 +5281,7 @@
 DocType: Pick List Item,Serial No and Batch,Numer seryjny oraz Batch
 DocType: Warranty Claim,From Company,Od Firmy
 DocType: GSTR 3B Report,January,styczeń
+DocType: Loan Repayment,Principal Amount Paid,Kwota główna wypłacona
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma punktów kryteriów oceny musi być {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Proszę ustawić ilość amortyzacji zarezerwowano
 DocType: Supplier Scorecard Period,Calculations,Obliczenia
@@ -5232,6 +5308,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O twojej Firmie
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Pokaż dane dotyczące starzenia się zapasów
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredytowane konto powinno być kontem bilansowym
+DocType: Loan Repayment,Penalty Amount,Kwota kary
 DocType: Donor,Donor,Dawca
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Zaktualizuj podatki od przedmiotów
 DocType: Global Defaults,Disable In Words,Wyłącz w słowach
@@ -5262,6 +5339,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centrum kosztów i budżetowanie
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Bilans otwarcia Kapitału własnego
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Częściowe płatne wejście
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ustaw harmonogram płatności
 DocType: Pick List,Items under this warehouse will be suggested,Produkty w tym magazynie zostaną zasugerowane
 DocType: Purchase Invoice,N,N
@@ -5295,7 +5373,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nie został znaleziony dla elementu {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Wartość musi zawierać się między {0} a {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Pokaż płatny podatek w druku
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Wiadomość wysłana
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5309,6 +5386,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Włącz automatyczne ponowne zamówienie
 DocType: Stock Settings,Item Naming By,Element Nazwy przez
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Kolejny okres Zamknięcie Wejście {0} została wykonana po {1}
+DocType: Proposed Pledge,Proposed Pledge,Proponowane zobowiązanie
 DocType: Work Order,Material Transferred for Manufacturing,Materiał Przeniesiony do Produkowania
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Konto {0} nie istnieje
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Wybierz program lojalnościowy
@@ -5319,7 +5397,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ustawianie zdarzenia do {0}, ponieważ urzędnik dołączone do sprzedaży poniżej osób nie posiada identyfikator użytkownika {1}"
 DocType: Timesheet,Billing Details,Szczegóły płatności
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Źródło i magazyn docelowy musi być inna
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Skonfiguruj system nazewnictwa pracowników w dziale Zasoby ludzkie&gt; Ustawienia HR
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Płatność nie powiodła się. Sprawdź swoje konto bez karty, aby uzyskać więcej informacji"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Niedozwolona jest modyfikacja transakcji zapasów starszych niż {0}
 DocType: Stock Entry,Inspection Required,Wymagana kontrola
@@ -5332,6 +5409,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Dostawa wymagane dla magazynu pozycji magazynie {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Waga brutto opakowania. Zazwyczaj waga netto + waga materiału z jakiego jest wykonane opakowanie. (Do druku)
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Przeciw przyrzeczeniu
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Użytkownicy z tą rolą mogą ustawiać zamrożone konta i tworzyć / modyfikować wpisy księgowe dla zamrożonych kont
 DocType: Plaid Settings,Plaid Environment,Plaid Environment
 ,Project Billing Summary,Podsumowanie płatności za projekt
@@ -5383,6 +5461,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partie
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Liczbę dni można umawiać z wyprzedzeniem
 DocType: Article,LMS User,Użytkownik LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Zastaw zabezpieczenia pożyczki jest obowiązkowy dla pożyczki zabezpieczonej
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Miejsce zaopatrzenia (stan / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Jednostka
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Zamówienia Kupna {0} nie zostało wysłane
@@ -5458,6 +5537,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Utwórz kartę pracy
 DocType: Quotation,Referral Sales Partner,Polecony partner handlowy
 DocType: Quality Procedure Process,Process Description,Opis procesu
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Nie można odłączyć, wartość zabezpieczenia pożyczki jest większa niż spłacona kwota"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Utworzono klienta {0}.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5478,7 +5558,7 @@
 DocType: Asset,Insurance Details,Szczegóły ubezpieczenia
 DocType: Account,Payable,Płatność
 DocType: Share Balance,Share Type,Rodzaj udziału
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Proszę wprowadzić okresy spłaty
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Proszę wprowadzić okresy spłaty
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dłużnicy ({0})
 DocType: Pricing Rule,Margin,
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nowi klienci
@@ -5487,6 +5567,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Zmień profil POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Ilość lub Kwota jest mandatroy dla zabezpieczenia kredytu
 DocType: Bank Reconciliation Detail,Clearance Date,Data Czystki
 DocType: Delivery Settings,Dispatch Notification Template,Szablon powiadomienia o wysyłce
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Sprawozdanie z oceny
@@ -5522,6 +5603,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Udostępnij księgę
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Utworzono fakturę sprzedaży {0}
 DocType: Employee,Confirmation Date,Data potwierdzenia
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"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: Inpatient Occupancy,Check Out,Sprawdzić
 DocType: C-Form,Total Invoiced Amount,Całkowita zafakturowana kwota
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Minimalna ilość nie może być większa niż maksymalna Ilość
@@ -5535,7 +5618,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Identyfikator firmy
 DocType: Travel Request,Travel Funding,Finansowanie podróży
 DocType: Employee Skill,Proficiency,Biegłość
-DocType: Loan Application,Required by Date,Wymagane przez Data
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Szczegóły zakupu paragonu
 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"
 DocType: Lead,Lead Owner,Właściciel Tropu
@@ -5554,7 +5636,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Wynagrodzenie Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data przejścia na emeryturę musi być większa niż Data wstąpienia
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dostawca&gt; Rodzaj dostawcy
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Wiele wariantów
 DocType: Sales Invoice,Against Income Account,Konto przychodów
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% dostarczono
@@ -5587,7 +5668,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Opłaty typu Wycena nie oznaczone jako Inclusive
 DocType: POS Profile,Update Stock,Aktualizuj Stan
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Szczegóły płatności
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Kursy
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Odczyt przesłanego pliku
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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ć"
@@ -5623,6 +5704,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maksymalna wartość pożyczki
 ,Stock Ledger,Księga zapasów
 DocType: Company,Exchange Gain / Loss Account,Wymiana Zysk / strat
 DocType: Amazon MWS Settings,MWS Credentials,Poświadczenia MWS
@@ -5630,6 +5712,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Cel musi być jednym z {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Wypełnij formularz i zapisz
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Społeczność Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Brak urlopów przydzielonych pracownikowi: {0} dla typu urlopu: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Rzeczywista ilość w magazynie
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Rzeczywista ilość w magazynie
 DocType: Homepage,"URL for ""All Products""",URL do wszystkich produktów
@@ -5732,7 +5815,6 @@
 DocType: Fee Schedule,Fee Schedule,Harmonogram opłat
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Etykiety kolumn:
 DocType: Bank Transaction,Settled,Osiadły
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Data wypłaty nie może być późniejsza niż data rozpoczęcia spłaty pożyczki
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parametry
 DocType: Company,Create Chart Of Accounts Based On,Tworzenie planu kont w oparciu o
@@ -5752,6 +5834,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Limit kredytowy i warunki płatności
 DocType: Loyalty Program,Collection Rules,Zasady zbierania
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Pozycja 3
+DocType: Loan Security Shortfall,Shortfall Time,Czas niedoboru
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Wprowadzanie zamówień
 DocType: Purchase Order,Customer Contact Email,Kontakt z klientem e-mail
 DocType: Warranty Claim,Item and Warranty Details,Przedmiot i gwarancji Szczegóły
@@ -5771,12 +5854,14 @@
 DocType: Sales Person,Sales Person Name,Imię Sprzedawcy
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Wprowadź co najmniej jedną fakturę do tabelki
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nie utworzono testu laboratorium
+DocType: Loan Security Shortfall,Security Value ,Wartość bezpieczeństwa
 DocType: POS Item Group,Item Group,Kategoria
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupa studencka:
 DocType: Depreciation Schedule,Finance Book Id,Identyfikator książki finansowej
 DocType: Item,Safety Stock,Bezpieczeństwo Zdjęcie
 DocType: Healthcare Settings,Healthcare Settings,Ustawienia opieki zdrowotnej
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Całkowicie Przydzielone Nieobecności
+DocType: Appointment Letter,Appointment Letter,List z terminem spotkania
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Postęp% dla zadania nie może zawierać więcej niż 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Przed pojednania
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Do {0}
@@ -5832,6 +5917,7 @@
 DocType: Stock Entry,From BOM,Od BOM
 DocType: Assessment Code,Assessment Code,Kod Assessment
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Podstawowy
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Wnioski o pożyczkę od klientów i pracowników.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Operacje magazynowe przed {0} są zamrożone
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Proszę kliknąć na ""Wygeneruj Harmonogram"""
 DocType: Job Card,Current Time,Obecny czas
@@ -5858,7 +5944,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Dotacja
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Brak grup studenckich utworzony.
 DocType: Purchase Invoice Item,Serial No,Nr seryjny
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Miesięczna kwota spłaty nie może być większa niż Kwota kredytu
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Miesięczna kwota spłaty nie może być większa niż Kwota kredytu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Proszę wprowadzić szczegóły dotyczące konserwacji
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Wiersz # {0}: oczekiwana data dostarczenia nie może być poprzedzona datą zamówienia zakupu
 DocType: Purchase Invoice,Print Language,Język drukowania
@@ -5872,6 +5958,7 @@
 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,All Territories,Wszystkie obszary
+DocType: Plaid Settings,development,rozwój
 DocType: Lost Reason Detail,Lost Reason Detail,Szczegóły utraconego powodu
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Nieprawidłowe zamówienie zbiorcze dla wybranego klienta i przedmiotu
@@ -5936,12 +6023,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aktualne otwarcia
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,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,CGST Amount,CGST Kwota
+DocType: Vehicle Log,Current Odometer value ,Aktualna wartość licznika przebiegu
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Utwórz ucznia
 DocType: Asset Movement Item,Asset Movement Item,Element ruchu zasobu
 DocType: Purchase Invoice,Shipping Rule,Zasada dostawy
 DocType: Patient Relation,Spouse,Małżonka
 DocType: Lab Test Groups,Add Test,Dodaj test
 DocType: Manufacturer,Limited to 12 characters,Ograniczona do 12 znaków
+DocType: Appointment Letter,Closing Notes,Uwagi końcowe
 DocType: Journal Entry,Print Heading,Nagłówek do druku
 DocType: Quality Action Table,Quality Action Table,Tabela działania jakości
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Razem nie może być wartością zero
@@ -6009,6 +6098,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Razem (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Określ / utwórz konto (grupę) dla typu - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Rozrywka i relaks
+DocType: Loan Security,Loan Security,Zabezpieczenie pożyczki
 ,Item Variant Details,Szczegóły wariantu przedmiotu
 DocType: Quality Inspection,Item Serial No,Nr seryjny
 DocType: Payment Request,Is a Subscription,Jest subskrypcją
@@ -6021,7 +6111,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Późne stadium
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Zaplanowane i przyjęte terminy nie mogą być krótsze niż dzisiaj
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Przenieść materiał do dostawcy
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nowy nr seryjny nie może mieć Magazynu. Magazyn musi być ustawiona przez Zasoby lub  na podstawie Paragonu Zakupu
 DocType: Lead,Lead Type,Typ Tropu
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Utwórz ofertę
@@ -6039,7 +6128,6 @@
 DocType: Leave Allocation,Leave Period,Okres Nieobecności
 DocType: Item,Default Material Request Type,Domyślnie Materiał Typ żądania
 DocType: Supplier Scorecard,Evaluation Period,Okres próbny
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klient&gt; Grupa klientów&gt; Terytorium
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Nieznany
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Zamówienie pracy nie zostało utworzone
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6125,7 +6213,8 @@
 ,Customer-wise Item Price,Cena przedmiotu pod względem klienta
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Raport kasowy
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nie utworzono żadnego żadnego materialnego wniosku
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kwota kredytu nie może przekroczyć maksymalna kwota kredytu o {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kwota kredytu nie może przekroczyć maksymalna kwota kredytu o {0}
+DocType: Loan,Loan Security Pledge,Zobowiązanie do zabezpieczenia pożyczki
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licencja
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6143,6 +6232,7 @@
 DocType: Pricing Rule,Price Discount Scheme,System rabatów cenowych
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Stan konserwacji musi zostać anulowany lub uzupełniony do przesłania
 DocType: Amazon MWS Settings,US,NAS
+DocType: Loan Security Pledge,Pledged,Obiecał
 DocType: Holiday List,Add Weekly Holidays,Dodaj cotygodniowe święta
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Zgłoś przedmiot
 DocType: Staffing Plan Detail,Vacancies,Wakaty
@@ -6161,7 +6251,6 @@
 DocType: Production Plan Item,Planned Start Date,Planowana data rozpoczęcia
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Wybierz zestawienie materiałów
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Korzystał ze zintegrowanego podatku ITC
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Utwórz wpis spłaty
 DocType: Purchase Order Item,Blanket Order Rate,Ogólny koszt zamówienia
 ,Customer Ledger Summary,Podsumowanie księgi klienta
 apps/erpnext/erpnext/hooks.py,Certification,Orzecznictwo
@@ -6182,6 +6271,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Tytuł szablonu oceny
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Komercyjny
 DocType: Patient,Alcohol Current Use,Obecne stosowanie alkoholu
+DocType: Loan,Loan Closure Requested,Zażądano zamknięcia pożyczki
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Kwota do wypłaty do wynajęcia w domu
 DocType: Student Admission Program,Student Admission Program,Studencki program przyjęć
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Kategoria zwolnienia podatkowego
@@ -6205,6 +6295,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Sprzedaż
 DocType: Stock Entry Detail,Basic Amount,Kwota podstawowa
 DocType: Training Event,Exam,Egzamin
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Niedobór bezpieczeństwa pożyczki procesowej
 DocType: Email Campaign,Email Campaign,Kampania e-mailowa
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Błąd na rynku
 DocType: Complaint,Complaint,Skarga
@@ -6284,6 +6375,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Prześlij to, aby utworzyć rekord pracownika"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Cena zabezpieczenia kredytu pokrywająca się z {0}
 DocType: Item Default,Item Default,Domyślny produkt
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Materiały wewnątrzpaństwowe
 DocType: Chapter Member,Leave Reason,Powód Nieobecności
@@ -6311,6 +6403,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Wykorzystany kupon to {1}. Dozwolona ilość jest wyczerpana
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Czy chcesz przesłać żądanie materiałowe
 DocType: Job Offer,Awaiting Response,Oczekuje na Odpowiedź
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Pożyczka jest obowiązkowa
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.RRRR.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Powyżej
 DocType: Support Search Source,Link Options,Opcje linku
@@ -6323,6 +6416,7 @@
 DocType: Training Event Employee,Optional,Opcjonalny
 DocType: Salary Slip,Earning & Deduction,Dochód i Odliczenie
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza wody
+DocType: Pledge,Post Haircut Amount,Kwota po ostrzyżeniu
 DocType: Sales Order,Skip Delivery Note,Pomiń dowód dostawy
 DocType: Price List,Price Not UOM Dependent,Cena nie zależy od ceny
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,Utworzono wariantów {0}.
@@ -6349,6 +6443,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Elementy z Bundle produktu
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Metoda spłaty jest obowiązkowa w przypadku pożyczek terminowych
 DocType: Asset,Straight Line,Linia prosta
 DocType: Project User,Project User,Użytkownik projektu
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Rozdzielać
@@ -6397,7 +6492,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rola Zezwalająca na Zamrażanie Kont i Edycję Zamrożonych Wpisów
 DocType: Supplier Scorecard Scoring Variable,Path,Ścieżka
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nie można przekonwertować centrum kosztów do księgi głównej, jak to ma węzły potomne"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Nie znaleziono współczynnika konwersji UOM ({0} -&gt; {1}) dla elementu: {2}
 DocType: Production Plan,Total Planned Qty,Całkowita planowana ilość
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcje już wycofane z wyciągu
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Wartość otwarcia
@@ -6406,11 +6500,8 @@
 DocType: Material Request Plan Item,Required Quantity,Wymagana ilość
 DocType: Lab Test Template,Lab Test Template,Szablon testu laboratoryjnego
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Okres rozliczeniowy pokrywa się z {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dostawca&gt; Rodzaj dostawcy
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Konto sprzedaży
 DocType: Purchase Invoice Item,Total Weight,Waga całkowita
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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: Pick List Item,Pick List Item,Wybierz element listy
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Prowizja od sprzedaży
 DocType: Job Offer Term,Value / Description,Wartość / Opis
@@ -6457,6 +6548,7 @@
 DocType: Patient Encounter,Encounter Date,Data spotkania
 DocType: Work Order,Update Consumed Material Cost In Project,Zaktualizuj zużyty koszt materiałowy w projekcie
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} z waluty: nie można wybrać {1}
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Pożyczki udzielone klientom i pracownikom.
 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
@@ -6525,7 +6617,6 @@
 DocType: Contract,Signed On,Podpisano
 DocType: Bank Account,Party Type,Typ grupy
 DocType: Discounted Invoice,Discounted Invoice,Zniżka na fakturze
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Oznacz obecność jako <b></b>
 DocType: Payment Schedule,Payment Schedule,Harmonogram płatności
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nie znaleziono pracownika dla danej wartości pola pracownika. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Skrót
@@ -6597,6 +6688,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Wierzyciele
 DocType: Assessment Plan,Assessment Name,Nazwa ocena
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Wiersz # {0}: Numer seryjny jest obowiązkowe
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Kwota {0} jest wymagana do zamknięcia pożyczki
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,
 DocType: Employee Onboarding,Job Offer,Oferta pracy
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instytut Skrót
@@ -6621,7 +6713,6 @@
 DocType: Purchase Order,To Receive,Otrzymać
 DocType: Leave Period,Holiday List for Optional Leave,Lista urlopowa dla Opcjonalnej Nieobecności
 DocType: Item Tax Template,Tax Rates,Wysokość podatków
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kod pozycji&gt; Grupa produktów&gt; Marka
 DocType: Asset,Asset Owner,Właściciel zasobu
 DocType: Item,Website Content,Zawartość strony internetowej
 DocType: Bank Account,Integration ID,Identyfikator integracji
@@ -6638,6 +6729,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Zlecenia synchronizacji
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Zamówienia puszczone do produkcji.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Wybierz rok finansowy ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Wybierz typ pożyczki dla firmy {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6666,6 +6758,7 @@
 DocType: Customer,Mention if non-standard receivable account,"Wskazać, jeśli niestandardowe konto należności"
 DocType: Bank,Plaid Access Token,Token dostępu do kratki
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Dodaj pozostałe korzyści {0} do dowolnego z istniejących komponentów
+DocType: Bank Account,Is Default Account,Jest kontem domyślnym
 DocType: Journal Entry Account,If Income or Expense,Jeśli przychód lub koszt
 DocType: Course Topic,Course Topic,Temat kursu
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Kupon zamknięcia POS istnieje już od {0} między datą {1} a {2}
@@ -6678,7 +6771,7 @@
 DocType: Disease,Treatment Task,Zadanie leczenia
 DocType: Payment Order Reference,Bank Account Details,Szczegóły konta bankowego
 DocType: Purchase Order Item,Blanket Order,Formularz zamówienia
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Kwota spłaty musi być większa niż
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Kwota spłaty musi być większa niż
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Podatek należny (zwrot)
 DocType: BOM Item,BOM No,Nr zestawienia materiałowego
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Zaktualizuj szczegóły
@@ -6735,6 +6828,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Produkty WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Błąd składni we wzorze lub stanu: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Element {0} jest ignorowany od momentu, kiedy nie ma go w magazynie"
+,Loan Security Status,Status zabezpieczenia pożyczki
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Cennik nie stosuje regułę w danej transakcji, wszystkie obowiązujące przepisy dotyczące cen powinny być wyłączone."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dzień (dni) po zakończeniu miesiąca faktury
 DocType: Assessment Group,Parent Assessment Group,Rodzic Assesment Group
@@ -6749,7 +6843,6 @@
 DocType: Stock Entry Detail,Additional Cost,Dodatkowy koszt
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nie można przefiltrować wg Podstawy, jeśli pogrupowano z użyciem Podstawy"
 DocType: Quality Inspection,Incoming,Przychodzące
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Skonfiguruj serie numeracji dla frekwencji poprzez Ustawienia&gt; Serie numeracji
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Definiowane są domyślne szablony podatkowe dla sprzedaży i zakupu.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Wynik Wynik {0} już istnieje.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Przykład: ABCD. #####. Jeśli seria jest ustawiona, a numer partii nie jest wymieniony w transakcjach, na podstawie tej serii zostanie utworzony automatyczny numer partii. Jeśli zawsze chcesz wyraźnie podać numer partii dla tego produktu, pozostaw to pole puste. Uwaga: to ustawienie ma pierwszeństwo przed prefiksem serii nazw w Ustawieniach fotografii."
@@ -6760,8 +6853,10 @@
 DocType: Contract,Party User,Użytkownik strony
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Zasoby nie zostały utworzone dla <b>{0}</b> . Będziesz musiał utworzyć zasób ręcznie.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Proszę wyłączyć filtr firmy, jeśli Group By jest &quot;Company&quot;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klient&gt; Grupa klientów&gt; Terytorium
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Data publikacji nie może być datą przyszłą
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Wiersz # {0}: Numer seryjny: {1} nie jest zgodny z {2} {3}
+DocType: Loan Repayment,Interest Payable,Odsetki płatne
 DocType: Stock Entry,Target Warehouse Address,Docelowy adres hurtowni
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Urlop okolicznościowy
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Czas przed rozpoczęciem zmiany, podczas którego odprawa pracownicza jest brana pod uwagę przy uczestnictwie."
@@ -6890,6 +6985,7 @@
 DocType: Issue,Reset Service Level Agreement,Zresetuj umowę o poziomie usług
 ,Sales Person-wise Transaction Summary,
 DocType: Training Event,Contact Number,Numer kontaktowy
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Kwota pożyczki jest obowiązkowa
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6938,6 +7034,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Ilość bilansu
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Warunki zostaną zastosowane do wszystkich wybranych elementów łącznie.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Cele nie mogą być puste
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Niepoprawny magazyn
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Zapisywanie studentów
 DocType: Item Group,Parent Item Group,Grupa Elementu nadrzędnego
 DocType: Appointment Type,Appointment Type,Typ spotkania
@@ -6993,10 +7090,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Średnia Stawka
 DocType: Appointment,Appointment With,Spotkanie z
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Całkowita kwota płatności w harmonogramie płatności musi być równa sumie całkowitej / zaokrąglonej
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Oznacz obecność jako <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Element dostarczony przez klienta"" nie może mieć wskaźnika wyceny"
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bilans wyciągów bankowych wedle Księgi Głównej
-DocType: Job Applicant,Applicant Name,Imię Aplikanta
+DocType: Appointment Letter,Applicant Name,Imię Aplikanta
 DocType: Authorization Rule,Customer / Item Name,Klient / Nazwa Przedmiotu
 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**. 
 
@@ -7040,11 +7138,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Dystrybucja
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Statusu pracownika nie można ustawić na „Lewy”, ponieważ następujący pracownicy zgłaszają się do tego pracownika:"
-DocType: Journal Entry Account,Loan,Pożyczka
+DocType: Loan Repayment,Amount Paid,Kwota zapłacona
+DocType: Loan Security Shortfall,Loan,Pożyczka
 DocType: Expense Claim Advance,Expense Claim Advance,Advance Claim Advance
 DocType: Lab Test,Report Preference,Preferencje raportu
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informacje o wolontariuszu.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Menadżer Projektu
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grupuj według klienta
 ,Quoted Item Comparison,Porównanie cytowany Item
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Wyślij
@@ -7064,6 +7164,7 @@
 DocType: Material Request Plan Item,Material Issue,Wydanie materiałów
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Darmowy element nie jest ustawiony w regule cenowej {0}
 DocType: Employee Education,Qualification,Kwalifikacja
+DocType: Loan Security Shortfall,Loan Security Shortfall,Niedobór bezpieczeństwa pożyczki
 DocType: Item Price,Item Price,Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Środki czystości i Detergenty
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Pracownik {0} nie należy do firmy {1}
@@ -7086,6 +7187,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Szczegóły terminu
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Ukończony produkt
 DocType: Warehouse,Warehouse Name,Nazwa magazynu
+DocType: Loan Security Pledge,Pledge Time,Czas przyrzeczenia
 DocType: Naming Series,Select Transaction,Wybierz Transakcję
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Proszę wprowadzić Rolę osoby zatwierdzającej dla użytkownika zatwierdzającego
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Umowa o poziomie usług z typem podmiotu {0} i podmiotem {1} już istnieje.
@@ -7093,7 +7195,6 @@
 DocType: BOM,Rate Of Materials Based On,Stawka Materiałów Wzorowana na
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jeśli opcja jest włączona, pole Akademickie oznaczenie będzie obowiązkowe w narzędziu rejestrowania programu."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Wartości zwolnionych, zerowych i niezawierających GST dostaw wewnętrznych"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klient&gt; Grupa klientów&gt; Terytorium
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Firma</b> jest obowiązkowym filtrem.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Odznacz wszystkie
 DocType: Purchase Taxes and Charges,On Item Quantity,Na ilość przedmiotu
@@ -7139,7 +7240,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Niedobór szt
 DocType: Purchase Invoice,Input Service Distributor,Wprowadź dystrybutora usług
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Pozycja wariant {0} istnieje z samymi atrybutami
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Skonfiguruj system nazewnictwa instruktorów w sekcji Edukacja&gt; Ustawienia edukacji
 DocType: Loan,Repay from Salary,Spłaty z pensji
 DocType: Exotel Settings,API Token,Token API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Żądanie zapłatę przed {0} {1} w ilości {2}
@@ -7159,6 +7259,7 @@
 DocType: Salary Slip,Total Interest Amount,Łączna kwota odsetek
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale Dni
 DocType: Travel Itinerary,Arrival Datetime,Przybycie Datetime
 DocType: Tax Rule,Billing Zipcode,Kod pocztowy do rozliczeń
@@ -7345,6 +7446,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Godziny
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Utworzono dla ciebie nowe spotkanie z {0}
 DocType: Project,Expected Start Date,Spodziewana data startowa
+DocType: Work Order,This is a location where raw materials are available.,"Jest to miejsce, w którym dostępne są surowce."
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korekta na fakturze
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,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: Bank Account,Party Details,Strona Szczegóły
@@ -7363,6 +7465,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,cytaty:
 DocType: Contract,Partially Fulfilled,Częściowo zrealizowane
 DocType: Maintenance Visit,Fully Completed,Całkowicie ukończono
+DocType: Loan Security,Loan Security Name,Nazwa zabezpieczenia pożyczki
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Znaki specjalne z wyjątkiem „-”, „#”, „.”, „/”, „{” I „}” niedozwolone w serii nazw"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Jest zerowy lub zwolniony
 DocType: Employee,Educational Qualification,Kwalifikacje edukacyjne
@@ -7420,6 +7523,7 @@
 DocType: Program,Is Featured,Jest zawarty
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Ujmujący...
 DocType: Agriculture Analysis Criteria,Agriculture User,Użytkownik rolnictwa
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Data ważności nie może być poprzedzona datą transakcji
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7497,8 +7601,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Pracownik {0} jest Nieobecny w trybie {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Nie wybrano żadnych spłat za wpis do dziennika
 DocType: Purchase Invoice,GST Category,Kategoria GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Proponowane zastawy są obowiązkowe dla zabezpieczonych pożyczek
 DocType: Payment Reconciliation,From Invoice Date,Od daty faktury
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budżety
 DocType: Invoice Discounting,Disbursed,Wypłacony
@@ -7555,14 +7659,13 @@
 DocType: Restaurant,Active Menu,Aktywne menu
 DocType: Accounting Dimension Detail,Default Dimension,Domyślny wymiar
 DocType: Target Detail,Target Qty,Ilość docelowa
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Against Loan: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Zamówienie Ustawienia
 DocType: Student Attendance,Present,Obecny
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Dowód dostawy {0} nie może być wysłany
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Ślad wynagrodzenia przesłany pocztą elektroniczną do pracownika będzie chroniony hasłem, hasło zostanie wygenerowane na podstawie polityki haseł."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Drogomierz
 DocType: Production Plan Item,Ordered Qty,Ilość Zamówiona
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Element {0} jest wyłączony
 DocType: Stock Settings,Stock Frozen Upto,Zamroź zapasy do
@@ -7621,7 +7724,6 @@
 DocType: Serial No,Delivery Document Type,Typ dokumentu dostawy
 DocType: Sales Order,Partly Delivered,Częściowo Dostarczono
 DocType: Item Variant Settings,Do not update variants on save,Nie aktualizuj wariantów przy zapisie
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupa Custmer
 DocType: Email Digest,Receivables,Należności
 DocType: Lead Source,Lead Source,
 DocType: Customer,Additional information regarding the customer.,Dodatkowe informacje na temat klienta.
@@ -7720,6 +7822,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Właściwy
 DocType: Appointment,Skype ID,Nazwa Skype
 DocType: Restaurant Menu,Restaurant Manager,Menadżer restauracji
+DocType: Loan,Penalty Income Account,Rachunek dochodów z kar
 DocType: Call Log,Call Log,Rejestr połączeń
 DocType: Authorization Rule,Customerwise Discount,Zniżka dla klienta
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Grafiku zadań.
@@ -7808,6 +7911,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Program rabatów na produkty
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Dzwoniący nie podniósł żadnego problemu.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Grupuj według dostawcy
 DocType: Restaurant Reservation,Waitlisted,Na liście Oczekujących
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategoria zwolnienia
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7818,7 +7922,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Konsulting
 DocType: Subscription Plan,Based on price list,Na podstawie cennika
 DocType: Customer Group,Parent Customer Group,Nadrzędna Grupa Klientów
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON można wygenerować tylko z faktury sprzedaży
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Osiągnięto maksymalną liczbę prób tego quizu!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Subskrypcja
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Tworzenie opłat w toku
@@ -7836,6 +7939,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Konserwacja zapobiegawcza
 DocType: Delivery Note Item,Against Sales Invoice,Na podstawie faktury sprzedaży
 DocType: Purchase Invoice,07-Others,07-Inne
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Kwota oferty
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Wprowadź numery seryjne dla kolejnego elementu
 DocType: Bin,Reserved Qty for Production,Reserved Ilość Produkcji
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Pozostaw niezaznaczone, jeśli nie chcesz rozważyć partii przy jednoczesnym tworzeniu grup kursów."
@@ -7947,6 +8051,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Otrzymanie płatności Uwaga
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,"Wykres oparty na operacjach związanych z klientem. Sprawdź poniżej oś czasu, aby uzyskać więcej szczegółów."
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Utwórz żądanie materiałowe
+DocType: Loan Interest Accrual,Pending Principal Amount,Oczekująca kwota główna
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Daty rozpoczęcia i zakończenia nie w ważnym okresie płacowym, nie można obliczyć {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7990,6 +8095,7 @@
 											to fullfill Sales Order {2}","Nie można dostarczyć numeru seryjnego {0} elementu {1}, ponieważ jest on zarezerwowany \, aby wypełnić zamówienie sprzedaży {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.RRRR.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Dostawca notowań {0} tworzone
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge Type
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Koniec roku nie może być przed rozpoczęciem Roku
 DocType: Employee Benefit Application,Employee Benefits,Świadczenia pracownicze
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,numer identyfikacyjny pracownika
@@ -8072,6 +8178,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kod kursu:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Wprowadź konto Wydatków
 DocType: Quality Action Resolution,Problem,Problem
+DocType: Loan Security Type,Loan To Value Ratio,Wskaźnik pożyczki do wartości
 DocType: Account,Stock,Magazyn
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8089,6 +8196,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Wpis transakcji z wyciągu bankowego
 DocType: Sales Invoice Item,Discount and Margin,Rabat i marży
 DocType: Lab Test,Prescription,Recepta
+DocType: Process Loan Security Shortfall,Update Time,Czas aktualizacji
 DocType: Import Supplier Invoice,Upload XML Invoices,Prześlij faktury XML
 DocType: Company,Default Deferred Revenue Account,Domyślne konto odroczonego przychodu
 DocType: Project,Second Email,Drugi e-mail
@@ -8102,7 +8210,7 @@
 DocType: Quality Action,Preventive,Zapobiegawczy
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dostawy dla niezarejestrowanych osób
 DocType: Company,Date of Incorporation,Data przyłączenia
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Razem podatkowa
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Razem podatkowa
 DocType: Manufacturing Settings,Default Scrap Warehouse,Domyślny magazyn złomu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Ostatnia cena zakupu
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Do Ilość (Wyprodukowano kopie) są obowiązkowe
@@ -8121,6 +8229,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Ustaw domyślny tryb płatności
 DocType: Stock Entry Detail,Against Stock Entry,Przeciwko wprowadzeniu akcji
 DocType: Grant Application,Withdrawn,Zamknięty w sobie
+DocType: Loan Repayment,Regular Payment,Regularna płatność
 DocType: Support Search Source,Support Search Source,Wspieraj źródło wyszukiwania
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Marża brutto %
@@ -8134,8 +8243,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Bez zapłaty podatku
 DocType: BOM Operation,BOM Operation,BOM Operacja
 DocType: Purchase Taxes and Charges,On Previous Row Amount,
+DocType: Student,Home Address,Adres domowy
 DocType: Options,Is Correct,Jest poprawne
 DocType: Item,Has Expiry Date,Ma datę wygaśnięcia
+DocType: Loan Repayment,Paid Accrual Entries,Płatne rozliczenia międzyokresowe
+DocType: Loan Security,Loan Security Type,Rodzaj zabezpieczenia pożyczki
 apps/erpnext/erpnext/config/support.py,Issue Type.,Typ problemu.
 DocType: POS Profile,POS Profile,POS profilu
 DocType: Training Event,Event Name,Nazwa wydarzenia
@@ -8147,6 +8259,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonowość ustalania budżetów, cele itd."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Brak wartości
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nazwa zmiennej
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Wybierz konto bankowe do uzgodnienia.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Element {0} jest szablon, należy wybrać jedną z jego odmian"
 DocType: Purchase Invoice Item,Deferred Expense,Odroczony koszt
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Powrót do wiadomości
@@ -8198,7 +8311,6 @@
 DocType: GL Entry,To Rename,Aby zmienić nazwę
 DocType: Stock Entry,Repack,Przepakowanie
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Wybierz, aby dodać numer seryjny."
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Skonfiguruj system nazewnictwa instruktorów w sekcji Edukacja&gt; Ustawienia edukacji
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ustaw kod fiskalny dla klienta „% s”
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najpierw wybierz firmę
 DocType: Item Attribute,Numeric Values,Wartości liczbowe
@@ -8222,6 +8334,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Pobierz na podstawie FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root nie może być edytowany
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Wartość zabezpieczenia pożyczki
 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
@@ -8268,6 +8381,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Proszę najpierw wybrać kategorię
 apps/erpnext/erpnext/config/projects.py,Project master.,Dyrektor projektu
 DocType: Contract,Contract Terms,Warunki kontraktu
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sankcjonowany limit kwoty
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Kontynuuj konfigurację
 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,Maximum benefit amount of component {0} exceeds {1},Maksymalna kwota świadczenia komponentu {0} przekracza {1}
@@ -8300,6 +8414,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Wyświetl dziennik połączeń
 DocType: BOM Operation,Operating Cost(Company Currency),Koszty operacyjne (Spółka waluty)
 DocType: Loan Application,Rate of Interest,Stopa procentowa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Zastaw zabezpieczenia pożyczki już zastawiony na pożyczce {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Zatwierdzona Kwota
 DocType: Item,Shelf Life In Days,Okres przydatności do spożycia w dniach
 DocType: GL Entry,Is Opening,Otwiera się
@@ -8313,3 +8428,4 @@
 DocType: Account,Cash,Gotówka
 DocType: Sales Invoice,Unpaid and Discounted,Nieopłacone i zniżki
 DocType: Employee,Short biography for website and other publications.,Krótka notka na stronę i do innych publikacji
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Wiersz # {0}: nie można wybrać magazynu dostawcy podczas dostarczania surowców do podwykonawcy
diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv
index 7bd2199..027a917 100644
--- a/erpnext/translations/ps.csv
+++ b/erpnext/translations/ps.csv
@@ -50,7 +50,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,فرصت له لاسه وتلی دلیل
 DocType: Patient Appointment,Check availability,د لاسرسي کتنه
 DocType: Retention Bonus,Bonus Payment Date,د بونس تادیاتو نیټه
-DocType: Employee,Job Applicant,دنده متقاضي
+DocType: Appointment Letter,Job Applicant,دنده متقاضي
 DocType: Job Card,Total Time in Mins,په کانونو کې ټول وخت
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,دا په دې عرضه په وړاندې د معاملو پر بنسټ. د تفصیلاتو لپاره په لاندی مهال ویش وګورئ
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,د کار د نظم لپاره د سلنې زیاتوالی
@@ -181,6 +181,7 @@
 DocType: Delivery Stop,Contact Information,د اړیکې معلومات
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,د هرڅه لپاره لټون ...
 ,Stock and Account Value Comparison,د سټاک او حساب ارزښت پرتله کول
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,ورکړل شوې پیسې د پور مقدار څخه نشي کیدی
 DocType: Company,Phone No,تيليفون نه
 DocType: Delivery Trip,Initial Email Notification Sent,د بریښناليک بریښنالیک لیږل
 DocType: Bank Statement Settings,Statement Header Mapping,د بیان سرلیک نقشې
@@ -285,6 +286,7 @@
 DocType: Lead,Interested,علاقمند
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,د پرانستلو
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,پروګرام:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,د وخت څخه اعتبار باید تر وخت څخه لږ وي.
 DocType: Item,Copy From Item Group,کاپي له قالب ګروپ
 DocType: Journal Entry,Opening Entry,د پرانستلو په انفاذ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,حساب د معاشونو يوازې
@@ -332,6 +334,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,ټولګي
 DocType: Restaurant Table,No of Seats,د څوکیو شمیر
+DocType: Loan Type,Grace Period in Days,په ورځو کې د فضل موده
 DocType: Sales Invoice,Overdue and Discounted,ډیرښت او تخفیف
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},شتمني {0} د ساتونکي سره تړاو نلري {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,اړیکه قطع شوه
@@ -384,7 +387,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,ټاکل شوي کړنلارې
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,یواځې POS ښودل
 DocType: Supplier Group,Supplier Group Name,د سپلویزی ګروپ نوم
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,د شتون په توګه نښه کول د <b></b>
 DocType: Driver,Driving License Categories,د موټر چلولو جوازونو کټګوري
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,مهرباني وکړئ د سپارلو نېټه ولیکئ
 DocType: Depreciation Schedule,Make Depreciation Entry,د استهالک د داخلولو د کمکیانو لپاره
@@ -401,10 +403,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,د عملیاتو په بشپړه توګه کتل ترسره.
 DocType: Asset Maintenance Log,Maintenance Status,د ساتنې حالت
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,د توکو مالیه مقدار په ارزښت کې شامل دی
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,د پور امنیت نه مني
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,د غړیتوب تفصیلات
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} د {1}: عرضه ده د راتلوونکې ګڼون په وړاندې د اړتيا {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,توکي او د بیې ټاکل
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total ساعتونو: {0}
+DocType: Loan,Loan Manager,د پور مدیر
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},له نېټه بايد د مالي کال په چوکاټ کې وي. فرض له نېټه = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR -YYYY-
 DocType: Drug Prescription,Interval,انټرالول
@@ -463,6 +467,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',روز &#39;د وخت څېره&#39; له لارې
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,پیرودونکي یا عرضه کوونکي غوره کړئ.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,په دوسیه کې د هیواد کوډ په سیسټم کې ترتیب شوي هیواد کوډ سره سمون نه خوري
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},ګڼون {0} کوي چې د دې شرکت سره تړاو نه لري {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,د لومړني په توګه یوازې یو لومړیتوب غوره کړئ.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},پرمختللی اندازه نه شي کولای څخه ډيره وي {0} د {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",د وخت سلایټ ټوپ شوی، سلایډ {0} څخه {1} د اضافي سلایډ {2} څخه {3}
@@ -540,7 +545,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,د وتو بنديز لګېدلی
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{0} د قالب په خپلو د ژوند پای ته ورسېدئ {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,بانک توکي
-DocType: Customer,Is Internal Customer,داخلي پیرودونکي دي
+DocType: Sales Invoice,Is Internal Customer,داخلي پیرودونکي دي
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,خرڅلاو صورتحساب نه
@@ -564,6 +569,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,د موادو غوښتنه
 DocType: Bank Reconciliation,Update Clearance Date,تازه چاڼېزو نېټه
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,د بنډل مقدار
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,پور نشي رامینځته کولی ترڅو غوښتنلیک تصویب شي
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},د قالب {0} په خام مواد &#39;جدول په اخستلو امر ونه موندل {1}
 DocType: Salary Slip,Total Principal Amount,ټول اصلي مقدار
@@ -571,6 +577,7 @@
 DocType: Quiz Result,Correct,درست
 DocType: Student Guardian,Mother,مور
 DocType: Restaurant Reservation,Reservation End Time,د خوندیتوب پای وخت
+DocType: Salary Slip Loan,Loan Repayment Entry,د پور بیرته تادیه کول
 DocType: Crop,Biennial,دوه کلن
 ,BOM Variance Report,د بام متفاوت راپور
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,له پېرودونکي تاييد امر.
@@ -591,6 +598,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},په وړاندې د پیسو {0} د {1} نه شي وتلي مقدار څخه ډيره وي {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,د روغتیا ټولو خدماتو واحدونه
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,د فرصت په بدلولو باندې
+DocType: Loan,Total Principal Paid,بشپړه پرنسپل ورکړې
 DocType: Bank Account,Address HTML,پته د HTML
 DocType: Lead,Mobile No.,د موبايل په شمیره
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,د تادیاتو موډل
@@ -609,12 +617,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,بیلانس په اساس په اسعارو کې
 DocType: Supplier Scorecard Scoring Standing,Max Grade,لوړې درجې
 DocType: Email Digest,New Quotations,نوي Quotations
+DocType: Loan Interest Accrual,Loan Interest Accrual,د پور د ګټې ګټې
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,حاضری د {1} په توګه د تګ په حیث د {1} لپاره ندی ورکړل شوی.
 DocType: Journal Entry,Payment Order,د تادیې امر
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,بریښنالیک تایید کړئ
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,د نورو سرچینو څخه عاید
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",که خالي ، اصلي پلورنځي ګ Accountون یا د شرکت ډیفالټ به په پام کې ونیول شي
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,د کارکوونکو د برېښناليک معاش ټوټه پر بنسټ د خوښې ایمیل کې د کارګر ټاکل
+DocType: Work Order,This is a location where operations are executed.,دا یو داسې ځای دی چیرې چې عملیات اجرا کیږي.
 DocType: Tax Rule,Shipping County,انتقال County
 DocType: Currency Exchange,For Selling,د پلورلو لپاره
 apps/erpnext/erpnext/config/desktop.py,Learn,وکړئ
@@ -623,6 +633,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,نافذ کوپن کوډ
 DocType: Asset,Next Depreciation Date,بل د استهالک نېټه
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,فعالیت لګښت په سلو کې د کارګر
+DocType: Loan Security,Haircut %,ویښتان
 DocType: Accounts Settings,Settings for Accounts,لپاره حسابونه امستنې
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},په رانيول صورتحساب عرضه صورتحساب شتون نه لري {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Manage خرڅلاو شخص د ونو.
@@ -661,6 +672,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},مهرباني وکړئ د هوټل روم شرح په {}
 DocType: Journal Entry,Multi Currency,څو د اسعارو
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,صورتحساب ډول
+DocType: Loan,Loan Security Details,د پور د امنیت توضیحات
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,د نیټې څخه اعتبار باید تر نیټې نیټې د اعتبار څخه لږ وي
 DocType: Purchase Invoice,Set Accepted Warehouse,منل شوی ګودام تنظیم کړئ
 DocType: Employee Benefit Claim,Expense Proof,د پیسو لګښت
@@ -765,7 +777,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,د لابراتوار ازموینې ته اړتیا
 DocType: Attendance,Working Hours,کار ساعتونه
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,بشپړ شوی
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},د UOM د بدلون فاکتور ({0} -&gt; {1}) د توکي لپاره ونه موندل شو: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,د پیل / اوسني تسلسل کې د شته لړ شمېر کې بدلون راولي.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,سلنه تاسو ته اجازه درکول شوې چې د غوښتل شوې اندازې په مقابل کې نور بیلونه ورکړئ. د مثال په توګه: که چیرې د آرډر ارزښت د یو توکي لپاره $ 100 دی او زغم د 10 as په توګه ټاکل شوی وي نو بیا تاسو ته د. 110 ډالرو بیل کولو اجازه درکول کیږي.
 DocType: Dosage Strength,Strength,ځواک
@@ -782,6 +793,7 @@
 DocType: Purchase Receipt,Vehicle Date,موټر نېټه
 DocType: Campaign Email Schedule,Campaign Email Schedule,د کمپاین بریښنالیک مهال ویش
 DocType: Student Log,Medical,د طب
+DocType: Work Order,This is a location where scraped materials are stored.,دا یو داسې ځای دی چیرې چې سکریپ شوي توکي زیرمه شوي.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,مهرباني وکړئ د مخدره توکو انتخاب وکړئ
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,سرب د خاوند نه شي کولی چې په غاړه په توګه ورته وي
 DocType: Announcement,Receiver,د اخيستونکي
@@ -874,7 +886,7 @@
 DocType: Driver,Applicable for external driver,د بهرني ډرایور لپاره د تطبیق وړ
 DocType: Sales Order Item,Used for Production Plan,د تولید پلان لپاره کارول کيږي
 DocType: BOM,Total Cost (Company Currency),ټول لګښت (د شرکت اسعارو)
-DocType: Loan,Total Payment,ټول تاديه
+DocType: Repayment Schedule,Total Payment,ټول تاديه
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,پو د مخه د ټولو پلورونو د امر توکو لپاره جوړ شوی
@@ -898,6 +910,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,د پیرودونکو لارښوونه وڅېړئ
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,له نېټه څخه کرایه شوی
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,بس برخي د جوړولو
+DocType: Loan Security,Loan Security Code,د پور امنیت کوډ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,مهرباني وکړئ لومړی خوندي کړئ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,توکي د خامو موادو د ایستلو لپاره اړین دي کوم چې ورسره تړاو لري.
 DocType: POS Profile User,POS Profile User,د پی ایس پی پی ایل کارن
@@ -955,6 +968,7 @@
 DocType: Patient,Risk Factors,د خطر فکتورونه
 DocType: Patient,Occupational Hazards and Environmental Factors,مسلکی خطرونه او چاپیریال عوامل
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,د استخراج اسنادونه د مخه د کار امر لپاره جوړ شوي
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,د توکي کوډ&gt; د توکي ګروپ&gt; نښه
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,تیرې سپارښتنې وګورئ
 DocType: Vital Signs,Respiratory rate,د تناسب کچه
 apps/erpnext/erpnext/config/help.py,Managing Subcontracting,د اداره کولو په ټیکه
@@ -1016,6 +1030,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,د مالیه ورکوونکي مالیه حساب
 DocType: Pricing Rule,Sales Partner,خرڅلاو همکار
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,د ټولو سپلویر کټګورډونه.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,د مقدار مقدار
+DocType: Loan,Disbursed Amount,ورکړل شوې پیسې
 DocType: Buying Settings,Purchase Receipt Required,رانيول رسيد اړین
 DocType: Sales Invoice,Rail,رېل
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,اصل لګښت
@@ -1054,6 +1070,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,د بکس بکسونو سره پيوستون
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},مهرباني وکړئ د ډول لپاره حساب (لیجر) وپیژنئ / جوړ کړئ - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,د تادیې وړ حساب
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,حساب د تادیې ننوتلو ترلاسه کولو لپاره لازمي دی
 DocType: Payment Entry,Type of Payment,د تادیاتو ډول
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,د نیمایي نیټه لازمي ده
 DocType: Sales Order,Billing and Delivery Status,د بیلونو او د محصول سپارل حالت
@@ -1092,7 +1109,7 @@
 DocType: Purchase Order Item,Billed Amt,د بلونو د نننیو
 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,Principal Amount,د مدیر مقدار
+DocType: Repayment Schedule,Principal Amount,د مدیر مقدار
 DocType: Loan Application,Total Payable Interest,ټول د راتلوونکې په زړه پوری
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ټول ټاکل شوي: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,اړیکه پرانیستل
@@ -1106,6 +1123,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,د اوسمهال د پروسې په ترڅ کې یوه تېروتنه رامنځته شوه
 DocType: Restaurant Reservation,Restaurant Reservation,د رستورانت ساتنه
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ستاسو توکي
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,عرضه کونکي&gt; عرضه کونکي ډول
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,د پروپوزل ليکلو
 DocType: Payment Entry Deduction,Payment Entry Deduction,د پیسو د داخلولو Deduction
 DocType: Service Level Priority,Service Level Priority,د خدمت کچې لومړیتوب
@@ -1139,6 +1157,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,د زده کوونکو د ډلو جوړول
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,د زده کوونکو د ډلو جوړول
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",د پیسو ليدونکی حساب نه جوړ، لطفا په لاسي يوه د جوړولو.
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},د ګروپ ګودامونه په معاملاتو کې نشي کارول کیدی. مهرباني وکړئ د {0} ارزښت بدل کړئ
 DocType: Supplier Scorecard,Per Year,په کال کې
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,په دې پروګرام کې د داخلیدو لپاره د DOB مطابق
 DocType: Sales Invoice,Sales Taxes and Charges,خرڅلاو مالیات او په تور
@@ -1260,7 +1279,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),اساسي کچه (د شرکت د اسعارو)
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,سپکاوی ټکی
 DocType: Student Attendance,Student Attendance,د زده کوونکو د حاضرۍ
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,د صادرولو لپاره هیڅ معلومات نشته
 DocType: Sales Invoice Timesheet,Time Sheet,د وخت پاڼه
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush خام مواد پر بنسټ
 DocType: Sales Invoice,Port Code,پورت کوډ
@@ -1273,6 +1291,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,د تحویلي واقعیت تاریخ
 DocType: Lab Test,Test Template,ټسټ ټکي
+DocType: Loan Security Pledge,Securities,امنیتونه
 DocType: Restaurant Order Entry Item,Served,خدمت شوی
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,د فصل فصل.
 DocType: Account,Accounts,حسابونه
@@ -1366,6 +1385,7 @@
 DocType: Inpatient Record,O Negative,اې منفي
 DocType: Work Order Operation,Planned End Time,پلان د پاي وخت
 DocType: POS Profile,Only show Items from these Item Groups,یوازې د دې توکو ډلو څخه توکي ښودل
+DocType: Loan,Is Secured Loan,خوندي پور دی
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,سره د موجوده د راکړې ورکړې په پام بدل نه شي چې د پنډو
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,د یادښت ډولونه
 DocType: Delivery Note,Customer's Purchase Order No,پيرودونکو د اخستلو امر نه
@@ -1402,6 +1422,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,مهرباني وکړئ د شرکتونو او لیکنو نیټه وټاکئ تر څو ثبتات ترلاسه کړي
 DocType: Asset,Maintenance,د ساتنې او
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,د ناروغۍ له لارې ترلاسه کړئ
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},د UOM د بدلون فاکتور ({0} -&gt; {1}) د توکي لپاره ونه موندل شو: {2}
 DocType: Subscriber,Subscriber,ګډون کوونکي
 DocType: Item Attribute Value,Item Attribute Value,د قالب ځانتیا ارزښت
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,د پیسو تبادله باید د اخیستلو یا خرڅلاو لپاره تطبیق شي.
@@ -1480,6 +1501,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,نه د اجازې د
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,د قرارداد د بشپړتیا چک لست
 DocType: Vital Signs,Heart Rate / Pulse,د زړه درجه / پلس
+DocType: Customer,Default Company Bank Account,د شرکت اصلي بانک حساب
 DocType: Supplier,Default Bank Account,Default بانک حساب
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",پر بنسټ د ګوند چاڼ، غوره ګوند د لومړي ډول
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},&#39;تازه دحمل&#39; چک نه شي ځکه چې توکي له لارې ونه وېشل {0}
@@ -1597,7 +1619,6 @@
 DocType: Sales Team,Incentives,هڅوونکي
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,له همغږۍ وتلې ارزښتونه
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,د توپیر ارزښت
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ
 DocType: SMS Log,Requested Numbers,غوښتنه شميرې
 DocType: Volunteer,Evening,شاملیږي
 DocType: Quiz,Quiz Configuration,د کوز تشکیلات
@@ -1617,6 +1638,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,په تیره د کتارونو تر Total
 DocType: Purchase Invoice Item,Rejected Qty,رد Qty
 DocType: Setup Progress Action,Action Field,کاري ساحه
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,د سود او جریمې نرخونو لپاره پور پور
 DocType: Healthcare Settings,Manage Customer,د مشتریانو اداره کول
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,د سپارښتنو تفصیلات مطابقت کولو څخه دمخه تل خپل محصوالت د ایمیزون میګاواټ څخه سمبال کړئ
 DocType: Delivery Trip,Delivery Stops,د سپارلو موده
@@ -1628,6 +1650,7 @@
 ,Final Assessment Grades,د ارزونې ارزونه
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,د خپل شرکت نوم د کوم لپاره چې تاسو دا سيستم د جوړولو.
 DocType: HR Settings,Include holidays in Total no. of Working Days,په Total رخصتي شامل نه. د کاري ورځې
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,د لوی مجموعي
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,خپل انسټیټیوټ په ERPNext کې تنظیم کړئ
 DocType: Agriculture Analysis Criteria,Plant Analysis,د پلان شننه
 DocType: Task,Timeline,د وخت وخت
@@ -1635,9 +1658,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,بدیل توکي
 DocType: Shopify Log,Request Data,د ډاټا ډاټا
 DocType: Employee,Date of Joining,د داخلیدل نېټه
+DocType: Delivery Note,Inter Company Reference,د شرکت شرکت حواله
 DocType: Naming Series,Update Series,تازه لړۍ
 DocType: Supplier Quotation,Is Subcontracted,د دې لپاره قرارداد
 DocType: Restaurant Table,Minimum Seating,لږ تر لږه څوکۍ
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,پوښتنه نشي کیدی
 DocType: Item Attribute,Item Attribute Values,د قالب ځانتیا ارزښتونه
 DocType: Examination Result,Examination Result,د ازموینې د پایلو د
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,رانيول رسيد
@@ -1738,6 +1763,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب
 DocType: Payment Request,Paid,ورکړل
 DocType: Service Level,Default Priority,لومړیتوب لومړیتوب
+DocType: Pledge,Pledge,ژمنه
 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; میز بېرته راګرځوي. دا په ټولو بومونو کې تازه قیمتونه تازه کوي.
@@ -1751,6 +1777,7 @@
 DocType: Guardian,Guardian Name,ګارډین نوم
 DocType: Cheque Print Template,Has Print Format,لري چاپ شکل
 DocType: Support Settings,Get Started Sections,د پیل برخې برخه واخلئ
+,Loan Repayment and Closure,د پور بیرته تادیه کول او بندول
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD -YYYY-
 DocType: Invoice Discounting,Sanctioned,تحریم
 ,Base Amount,اساس رقم
@@ -1764,7 +1791,6 @@
 DocType: Student Admission,Publish on website,په ويب پاڼه د خپرېدو
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,عرضه صورتحساب نېټه نه شي کولای پست کوي نېټه څخه ډيره وي
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,د توکو کوډ&gt; د توکو ګروپ&gt; نښه
 DocType: Subscription,Cancelation Date,د تایید نیټه
 DocType: Purchase Invoice Item,Purchase Order Item,نظم د قالب پیري
 DocType: Agriculture Task,Agriculture Task,کرهنیز ټیم
@@ -1783,7 +1809,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,اضافي کمښت سلنه
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,ښکاره د په مرسته د ټولو ویډیوګانو يو لست
 DocType: Agriculture Analysis Criteria,Soil Texture,د خاوری جوړښت
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,د بانک انتخاب حساب مشر هلته پوستې شو امانت.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,اجازه د کارونکي چې په معاملو د بیې په لېست Rate د سمولو
 DocType: Pricing Rule,Max Qty,Max Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,د چاپ راپور کارت
@@ -1915,7 +1940,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",یو ځل بیا ټاکل شوی، دا رسید به د نیټې نیټه پورې تر سره شي
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,پلورل مقدار
-DocType: Repayment Schedule,Interest Amount,په زړه مقدار
+DocType: Loan Interest Accrual,Interest Amount,په زړه مقدار
 DocType: Job Card,Time Logs,وخت خبرتیاوې
 DocType: Sales Invoice,Loyalty Amount,د وفادارۍ مقدار
 DocType: Employee Transfer,Employee Transfer Detail,د کارموندنې لیږد تفصیل
@@ -1930,6 +1955,7 @@
 DocType: Cashier Closing,Returns,په راستنېدو
 DocType: Job Card,WIP Warehouse,WIP ګدام
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},شعبه {0} ترمړوندونو مراقبت د قرارداد په اساس دی {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},د ټاکل شوي مقدار حد د {0} {1} لپاره تجاوز شو
 apps/erpnext/erpnext/config/hr.py,Recruitment,د استخدام
 DocType: Lead,Organization Name,د ادارې نوم
 DocType: Support Settings,Show Latest Forum Posts,د وروستي فورمې لیکونه ښودل
@@ -2038,7 +2064,6 @@
 DocType: Salary Slip,Deductions,د مجرايي
 DocType: Setup Progress Action,Action Name,د عمل نوم
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,بیا کال
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,پور جوړ کړئ
 DocType: Purchase Invoice,Start date of current invoice's period,بیا د روان صورتحساب د مودې نېټه
 DocType: Shift Type,Process Attendance After,وروسته د پروسې ګډون
 ,IRS 1099,IRS 1099
@@ -2059,6 +2084,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,خپل ډومین انتخاب کړئ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,د پرچون پلورونکي عرضه کول
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,د تادیاتو انوونټ توکي
+DocType: Repayment Schedule,Is Accrued,مصرف شوی دی
 DocType: Payroll Entry,Employee Details,د کارکونکو تفصیلات
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,د XML فایلونو پروسس کول
 DocType: Amazon MWS Settings,CN,CN
@@ -2089,6 +2115,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,د وفادارۍ ټکي ننوتل
 DocType: Employee Checkin,Shift End,د شفټ پای
 DocType: Stock Settings,Default Item Group,Default د قالب ګروپ
+DocType: Loan,Partially Disbursed,په نسبی ډول مصرف
 DocType: Job Card Time Log,Time In Mins,وخت په وختونو کې
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,د مرستې معلومات.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,دا عمل به دا حساب د هر بهرني خدمت څخه ERPNext سره ستاسو د بانکي حسابونو سره مدغم کړي. دا نشي ورکول کیدی. ایا تاسو باوري یاست؟
@@ -2104,6 +2131,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,ورته توکی نه شي کولای شي د څو ځله ننوتل.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",لا حسابونو شي ډلو لاندې کړې، خو د زياتونې شي غیر ډلو په وړاندې د
+DocType: Loan Repayment,Loan Closure,د پور تړل
 DocType: Call Log,Lead,سرب د
 DocType: Email Digest,Payables,Payables
 DocType: Amazon MWS Settings,MWS Auth Token,د MWS ثبوت ټاټین
@@ -2136,6 +2164,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,د ای - ویز بل JSON یوازې د وړاندې شوي سند څخه رامینځته کیدی شي
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,د کارمند مالیات او ګټې
 DocType: Bank Guarantee,Validity in Days,د ورځو د اعتبار
+DocType: Unpledge,Haircut,ویښتان
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-فورمه صورتحساب د تطبيق وړ نه ده: {0}
 DocType: Certified Consultant,Name of Consultant,د مشاور نوم
 DocType: Payment Reconciliation,Unreconciled Payment Details,تطبیق د پیسو په بشپړه توګه کتل
@@ -2189,7 +2218,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,د نړۍ پاتې
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,د قالب {0} نه شي کولای دسته لري
 DocType: Crop,Yield UOM,د UOM ساتنه
+DocType: Loan Security Pledge,Partially Pledged,یو څه ژمنه شوې
 ,Budget Variance Report,د بودجې د توپیر راپور
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,د منل شوي پور مقدار
 DocType: Salary Slip,Gross Pay,Gross د معاشونو
 DocType: Item,Is Item from Hub,د هب څخه توکي دي
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,د روغتیایی خدمتونو څخه توکي ترلاسه کړئ
@@ -2224,6 +2255,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,د کیفیت نوی پروسیژر
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},د حساب انډول {0} بايد تل وي {1}
 DocType: Patient Appointment,More Info,نور معلومات
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,د زیږون نیټه د شمولیت له نیټې څخه لوی نشي.
 DocType: Supplier Scorecard,Scorecard Actions,د کوډ کارډ کړنې
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},عرضه کونکی {0} په {1} کې ونه موندل شو
 DocType: Purchase Invoice,Rejected Warehouse,رد ګدام
@@ -2320,6 +2352,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,مهرباني وکړئ لومړی د کوډ کوډ ولیکئ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,د ډاټا ډول
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},د پور د امنیت ژمنه جوړه شوه: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,ګمارل شوي او د ناروغانو مسؤلین
@@ -2374,6 +2407,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,د متقابلو ګمارنو شمیر
 apps/erpnext/erpnext/config/desktop.py,Getting Started,پیل کول
 DocType: Purchase Invoice,Taxes and Charges Calculation,مالیه او په تور محاسبه
+DocType: Loan Interest Accrual,Payable Principal Amount,د تادیې وړ پیسې
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب د شتمنیو د استهالک د داخلولو په خپلکارې
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب د شتمنیو د استهالک د داخلولو په خپلکارې
 DocType: BOM Operation,Workstation,Workstation
@@ -2410,7 +2444,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,د خوړو د
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing Range 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,د POS وتلو د سوغات تفصیلات
-DocType: Bank Account,Is the Default Account,اصلي ګ Accountون دی
 DocType: Shopify Log,Shopify Log,د پیرود لوګو
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,هیڅ اړیکه ونه موندل شوه.
 DocType: Inpatient Occupancy,Check In,کتل
@@ -2464,12 +2497,14 @@
 DocType: Sales Order Item,Planned Quantity,پلان شوي مقدار
 DocType: Water Analysis,Water Analysis Criteria,د اوبو تحلیل معیار
 DocType: Item,Maintain Stock,دحمل ساتل
+DocType: Loan Security Unpledge,Unpledge Time,د نه منلو وخت
 DocType: Terms and Conditions,Applicable Modules,د تطبیق وړ ماډلونه
 DocType: Employee,Prefered Email,prefered دبرېښنا ليک
 DocType: Student Admission,Eligibility and Details,وړتیا او تفصیلات
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,په ناخالصه ګټه کې شامل دي
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,په ثابته شتمني خالص د بدلون
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,ریق مقدار
+DocType: Work Order,This is a location where final product stored.,دا یو داسې ځای دی چیرې چې وروستی محصول ساتل شوی.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},اعظمي: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,له Datetime
@@ -2510,8 +2545,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,ګرنټی / AMC حالت
 ,Accounts Browser,حسابونه د لټووني
 DocType: Procedure Prescription,Referral,لیږل
+,Territory-wise Sales,د سیمې په لحاظ پلورل
 DocType: Payment Entry Reference,Payment Entry Reference,د پیسو د داخلولو ماخذ
 DocType: GL Entry,GL Entry,GL انفاذ
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,قطار # {0}: منل شوی ګودام او عرضه کوونکی ګودام یو شان نشي
 DocType: Support Search Source,Response Options,د غبرګون اختیارونه
 DocType: Pricing Rule,Apply Multiple Pricing Rules,د بیې ډیری مقررات پلي کړئ
 DocType: HR Settings,Employee Settings,د کارګر امستنې
@@ -2585,6 +2622,7 @@
 DocType: Item,Sales Details,د پلورنې په بشپړه توګه کتل
 DocType: Coupon Code,Used,کارول شوی
 DocType: Opportunity,With Items,د هغو اقلامو
+DocType: Vehicle Log,last Odometer Value ,د وروستۍ وچې ارزښت
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',کمپاین &#39;{0}&#39; دمخه د {1} &#39;{2}&#39; لپاره شتون لري
 DocType: Asset Maintenance,Maintenance Team,د ساتنی ټیم
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",امر وکړئ چې په کومو برخو کې باید څرګند شي. 0 لومړی دی ، 1 دوهم دی او داسې نور.
@@ -2595,7 +2633,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,اخراجاتو ادعا {0} لپاره د وسایطو د ننوتنه مخکې نه شتون لري
 DocType: Asset Movement Item,Source Location,سرچینه ځای
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,د انستیتوت نوم
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,لطفا د قسط اندازه ولیکۍ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,لطفا د قسط اندازه ولیکۍ
 DocType: Shift Type,Working Hours Threshold for Absent,د غیر حاضرۍ لپاره د کاري ساعتونو درشل
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,د ټول لګښتونو پر اساس شتون لري د جمعې ډلبندۍ ډیری فکتور وي. مګر د تل لپاره د بدلولو فکتور به تل د ټولو تیرو لپاره یو شان وي.
 apps/erpnext/erpnext/config/help.py,Item Variants,د قالب تانبه
@@ -2619,6 +2657,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},دا {0} د شخړو د {1} د {2} {3}
 DocType: Student Attendance Tool,Students HTML,زده کوونکو د HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} باید د {2} څخه لږ وي
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,مهرباني وکړئ لومړی د غوښتونکي ډول وټاکئ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse",BOM ، Qty او د ګودام لپاره غوره کړئ
 DocType: GST HSN Code,GST HSN Code,GST HSN کوډ
 DocType: Employee External Work History,Total Experience,Total تجربې
@@ -2706,7 +2745,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",د توکي {0} لپاره هیڅ فعال BOM ونه موندل شو. د \ سیریل لمبر لخوا تحویلي تضمین نشي کیدی
 DocType: Sales Partner,Sales Partner Target,خرڅلاو همکار هدف
-DocType: Loan Type,Maximum Loan Amount,اعظمي پور مقدار
+DocType: Loan Application,Maximum Loan Amount,اعظمي پور مقدار
 DocType: Coupon Code,Pricing Rule,د بیې د حاکمیت
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},د زده کوونکو د دوه ګونو رول شمېر {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},د زده کوونکو د دوه ګونو رول شمېر {0}
@@ -2730,6 +2769,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},د پاڼو په بریالیتوب سره ځانګړې {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,نه سامان ته واچوئ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,اوس مهال یوازې .csv او .xlsx فایلونه ملاتړ کیږي
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,مهرباني وکړئ د بشري سرچینو&gt; HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ
 DocType: Shipping Rule Condition,From Value,له ارزښت
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,دفابريکي مقدار الزامی دی
 DocType: Loan,Repayment Method,دبيرته طريقه
@@ -2880,6 +2920,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,خالصه ګټه
 DocType: Purchase Invoice,Eligibility For ITC,د آی.پی.سی لپاره وړتیا
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY-
+DocType: Loan Security Pledge,Unpledged,نه ژمنه شوې
 DocType: Journal Entry,Entry Type,د ننوتلو ډول
 ,Customer Credit Balance,پيرودونکو پور بیلانس
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,په حسابونه د راتلوونکې خالص د بدلون
@@ -2891,6 +2932,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),د حاضری کولو آله ID (بایومیټریک / RF ټاګ ID)
 DocType: Quotation,Term Details,اصطلاح په بشپړه توګه کتل
 DocType: Item,Over Delivery/Receipt Allowance (%),د تحویلۍ / ترالسه کولو تادیه
+DocType: Appointment Letter,Appointment Letter Template,د ګمارنې خط ټیمپلیټ
 DocType: Employee Incentive,Employee Incentive,د کارموندنې هڅول
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,په پرتله {0} د زده کوونکو لپاره له دغه زده ډلې نور شامل نه شي.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),ټول (د مالیې پرته)
@@ -2915,6 +2957,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",نشي کولی د سیریل نمبر لخوا د \ توکي {0} په حیث د انتقال تضمین او د سیریل نمبر
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,د صورتحساب د فسخ کولو د پیسو Unlink
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,د پروسې د پور سود لاسته راوړل
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},اوسني Odometer لوستلو ته ننوتل بايد لومړنۍ د موټرو Odometer څخه ډيره وي {0}
 ,Purchase Order Items To Be Received or Billed,د اخیستلو یا بل کولو لپاره د پیرود امر توکي
 DocType: Restaurant Reservation,No Show,نه ښکاره ول
@@ -2998,6 +3041,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} د {1}: لګښت مرکز د &#39;ګټه او زیان&#39; ګڼون اړتیا {2}. لطفا يو default لپاره د دې شرکت د لګښت مرکز جوړ.
 DocType: Payment Schedule,Payment Term,د تادیاتو موده
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A پيرودونکو ګروپ سره په همدې نوم موجود دی لطفا د پيرودونکو نوم بدل کړي او يا د مراجعينو د ګروپ نوم بدلولی شی
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,د داخلې پای نیټه باید د داخلې له پیل نیټې څخه لویه وي.
 DocType: Location,Area,سیمه
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,نوي سره اړيکي
 DocType: Company,Company Description,د شرکت تفصیل
@@ -3070,6 +3114,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,خراب شوی ډاټا
 DocType: Purchase Order Item,Warehouse and Reference,ګدام او ماخذ
 DocType: Payroll Period Date,Payroll Period Date,د پیسو د دورې نیټه
+DocType: Loan Disbursement,Against Loan,د پور په مقابل کې
 DocType: Supplier,Statutory info and other general information about your Supplier,قانوني معلومات او ستاسو د عرضه په هکله د نورو عمومي معلومات
 DocType: Item,Serial Nos and Batches,سریال وځيري او دستو
 DocType: Item,Serial Nos and Batches,سریال وځيري او دستو
@@ -3135,6 +3180,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,یو شرکت غوره کړئ
 DocType: Delivery Settings,Delivery Settings,د سپارلو ترتیبات
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ډاټا ترلاسه کړئ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},د {0} مقدار له {0} څخه زیات نشي لغو کولی
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},د لیږد ډول کې {1} {1} دی.
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 توکی خپور کړئ
 DocType: SMS Center,Create Receiver List,جوړول د اخيستونکي بشپړفهرست
@@ -3280,6 +3326,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),داساسی مبلغ (شرکت د اسعارو)
 DocType: Purchase Invoice,Registered Regular,منظم ثبت شوی
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,خام توکي
+DocType: Plaid Settings,sandbox,شګه بکس
 DocType: Payment Reconciliation Payment,Reference Row,ماخذ د کتارونو
 DocType: Installation Note,Installation Time,نصب او د وخت
 DocType: Sales Invoice,Accounting Details,د محاسبې په بشپړه توګه کتل
@@ -3292,12 +3339,11 @@
 DocType: Leave Ledger Entry,Transaction Type,د راکړې ورکړې ډول
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,د منلو وړ ټکي
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,مهرباني وکړی په پورته جدول د موادو غوښتنې ته ننوځي
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,ټول د راتلوونکې مقدار
 DocType: Task,Expected Time (in hours),د تمی د وخت (په ساعتونو)
 DocType: Item Reorder,Check in (group),په چک (ډله)
 DocType: Soil Texture,Silt,Silt
@@ -3329,6 +3375,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,د غیرقانوني مالیې معافیت ثبوت لپاره د محصول مالیه
 DocType: Volunteer,Anytime,هرکله
 DocType: Bank Account,Bank Account No,د بانک حساب حساب
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,توزیع او بیرته تادیه
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,د کارکونکو مالیې معافیت ثبوت وړاندې کول
 DocType: Patient,Surgical History,جراحي تاریخ
 DocType: Bank Statement Settings Item,Mapped Header,نقشه سرلیک
@@ -3389,6 +3436,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,د پلور انوائس جمعې په اړه د لابراتوار ازموینې جوړول
 DocType: Serial No,Invoice Details,صورتحساب نورولوله
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,د معاشاتو جوړښت باید د مالیې د معافیت اعالمیې وړاندې کولو دمخه وسپارل شي
+DocType: Loan Application,Proposed Pledges,وړاندیز شوې ژمنې
 DocType: Grant Application,Show on Website,په ویب پاڼه کې ښودل
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,پېل کول
 DocType: Hub Tracked Item,Hub Category,حب کټګوري
@@ -3400,7 +3448,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,د کټګورۍ د رایو کارډونه
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},د کتارونو تر {0}: د مواد بیل نه د سامان موندل {1}
 DocType: Contract Fulfilment Checklist,Requirement,اړتیاوې
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,مهرباني وکړئ د بشري سرچینو&gt; HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ
 DocType: Journal Entry,Accounts Receivable,حسابونه ترلاسه
 DocType: Quality Goal,Objectives,موخې
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,د پخوانۍ رخصتۍ غوښتنلیک جوړولو لپاره رول ته اجازه ورکړل شوې
@@ -3413,6 +3460,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,راوړې توکي شامل دي
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,ټول تخصیص شوي مقدار ({0}) د تادیه شوي مقدار ({1}) څخه لوړ شوی.
 DocType: Landed Cost Voucher,Distribute Charges Based On,په تور د وېشلو پر بنسټ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},ورکړل شوې اندازه له {0} څخه کم نه وي
 DocType: Projects Settings,Timesheets,دحاضري
 DocType: HR Settings,HR Settings,د بشري حقونو څانګې امستنې
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,د محاسبې ماسټرې
@@ -3555,6 +3603,7 @@
 DocType: Employee,Health Insurance,صحي بیمه
 DocType: Asset Repair,Manufacturing Manager,دفابريکي مدير
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},شعبه {0} لاندې ترمړوندونو تضمین دی {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,د پور مقدار د وړاندیز شوي تضمینونو سره سم د پور له حد څخه تر {0} ډیر دی
 DocType: Plant Analysis Criteria,Minimum Permissible Value,لږ تر لږه اجازه ورکول ارزښت
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,کارن {0} لا د مخه موجود دی
 apps/erpnext/erpnext/hooks.py,Shipments,مالونو
@@ -3607,6 +3656,7 @@
 DocType: Subscription,Discounts,رخصتۍ
 DocType: Bank Transaction,Unallocated Amount,Unallocated مقدار
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,مهرباني وکړئ د پیرودلو حقیقي لګښتونو په اړه د اخیستلو امر او د پلي کیدو وړ وړیا وړاندوینه وکړئ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} د شرکت بانک حساب نه دی
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,کولی کوم ساری توکی ونه موندل. لورينه وکړئ د {0} يو شمېر نورو ارزښت ټاکي.
 DocType: POS Profile,Taxes and Charges,مالیه او په تور
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",د تولید یا د خدمت دی چې اخيستي، پلورل او يا په ګدام کې وساتل.
@@ -3657,6 +3707,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,د نیټې څخه باید د نیټې څخه لږ وي.
 DocType: Employee Skill,Evaluation Date,د ارزونې نیټه
 DocType: Quotation Item,Stock Balance,دحمل بیلانس
+DocType: Loan Security Pledge,Total Security Value,د امنیت ټول ارزښت
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ته قطعا د خرڅلاو د ترتیب پر اساس
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,اجرايوي ريس
 DocType: Purchase Invoice,With Payment of Tax,د مالیې تادیه کولو سره
@@ -3669,6 +3720,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,لطفا صحيح حساب وټاکئ
 DocType: Salary Structure Assignment,Salary Structure Assignment,د تنخوا جوړښت جوړښت
 DocType: Purchase Invoice Item,Weight UOM,وزن UOM
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},اکاونټ {0} د ډشبورډ چارټ {1} کې شتون نلري
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,د فولیو شمېر سره د شته شریکانو لیست لیست
 DocType: Salary Structure Employee,Salary Structure Employee,معاش جوړښت د کارګر
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,مختلف ډولونه ښکاره کړئ
@@ -3749,6 +3801,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,اوسنی ارزښت Rate
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,د روټ حسابونو شمیره له 4 څخه کم نشي
 DocType: Training Event,Advance,پرمختګ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,د پور په مقابل کې:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,د ګیرډless بېې د پیرود امستنې
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,په بدل کې لاسته راغلې ګټه / له لاسه ورکول
 DocType: Opportunity,Lost Reason,له لاسه دلیل
@@ -3832,8 +3885,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,انتخاب دسته نه
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},باطلې {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,قطار {0}: د زیږون نیټه د نن ورځې څخه لوی نشي.
 DocType: Fee Validity,Reference Inv,حواله انو
 DocType: Sales Invoice Advance,Advance Amount,پرمختللی مقدار
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,په هره ورځ د جریمې د سود نرخ ())
 DocType: Manufacturing Settings,Capacity Planning,د ظرفیت پلان
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,د سمون تکرار (د شرکت پیسو
 DocType: Asset,Policy number,د پالیسۍ شمیره
@@ -3848,7 +3903,9 @@
 DocType: Normal Test Items,Require Result Value,د مطلوب پایلې ارزښت
 DocType: Purchase Invoice,Pricing Rules,د قیمت مقررات
 DocType: Item,Show a slideshow at the top of the page,د پاڼې په سر کې یو سلاید وښایاست
+DocType: Appointment Letter,Body,بدن
 DocType: Tax Withholding Rate,Tax Withholding Rate,د مالیاتو د وضع کولو کچه
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,د لنډمهاله پورونو لپاره د تادیې د پیل نیټه لازمي ده
 DocType: Pricing Rule,Max Amt,مکس امټ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,دوکانونه
@@ -3868,7 +3925,7 @@
 DocType: Call Log,Received By,ترلاسه شوی له خوا
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),د ګمارنې موده (دقیقو کې)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,د نغدو پیسو نقشې کولو نمونې تفصیلات
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,د پور مدیریت
+DocType: Loan,Loan Management,د پور مدیریت
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,جلا عايداتو وڅارئ او د محصول verticals یا اختلافات اخراجاتو.
 DocType: Rename Tool,Rename Tool,ونوموئ اوزار
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,تازه لګښت
@@ -3876,6 +3933,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,د GSTR3B- فورمه
 DocType: Sales Invoice,Mode of Transport,د ترانسپورت موډل
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,انکړپټه ښودل معاش ټوټه
+DocType: Loan,Is Term Loan,لنډمهاله پور دی
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,د انتقال د موادو
 DocType: Fees,Send Payment Request,د تادیاتو غوښتنه واستوئ
 DocType: Travel Request,Any other details,نور معلومات
@@ -3893,6 +3951,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,له مالي نقدو پیسو د جریان
 DocType: Budget Account,Budget Account,د بودجې د حساب
 DocType: Quality Inspection,Verified By,تایید شوي By
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,د پور امنیت اضافه کړئ
 DocType: Travel Request,Name of Organizer,د تنظیم کوونکی نوم
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,د عایداتو مالیه ده
@@ -3942,6 +4001,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,اړتیا ده
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",که چک شوی وي ، نو په معاشونو کې ټوټې ټوټې په بشپړ ډول پټ پټ پټوي او معلولوي
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,دا د پلور امرونو کې د تحویلي نیټې لپاره لومړنۍ آفسیټ (ورځې) دي. د فالباک آفسیټ د سپارلو له نیټې څخه days ورځې دی.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ
 DocType: Rename Tool,File to Rename,د نوم بدلول د دوتنې
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},لطفا په کتارونو لپاره د قالب هیښ غوره {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,د ترلاسه کولو تازه راپورونه
@@ -3954,6 +4014,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,سریال نمبر رامینځته شوی
 DocType: POS Profile,Applicable for Users,د کاروونکو لپاره کارول
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN -YYYY-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,له نیټې او نیټې نیټې لازمي دي
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),وده او تخصیص کړئ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,د کار سپارښتنې نه رامنځته شوې
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,د کارکوونکي معاش ټوټه {0} لا په دې موده کې جوړ
@@ -4056,11 +4117,12 @@
 ,Minutes to First Response for Opportunity,لپاره د فرصت د لومړی غبرګون دقيقو
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Total حاضر
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,د قالب یا ګدام لپاره چي په کتارونو {0} سمون نه خوري د موادو غوښتنه
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,د ورکړې وړ پیسې
+DocType: Loan Repayment,Payable Amount,د ورکړې وړ پیسې
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,فرصت
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,د اعظمي قوت له صفر څخه کم نشي.
 DocType: Options,Option,غوراوي
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},تاسو نشئ کولی د تړلي محاسبې دوره کې د محاسبې ننوتنې رامینځته کړئ {0}
 DocType: Operation,Default Workstation,default Workstation
@@ -4102,6 +4164,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,د سود مقدار لازمي دی
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,پرته د معاشونو د وتو سره تصويب اجازه کاریال اسنادو سمون نه خوري
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,نور ګامونه
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,خوندي شوي توکي
@@ -4153,8 +4216,6 @@
 DocType: Grant Application,Grant Application Details ,د غوښتنلیک توضیحات
 DocType: Employee Separation,Employee Separation,د کار کولو جلا کول
 DocType: BOM Item,Original Item,اصلي توکي
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند <a href=""#Form/Employee/{0}"">{0}</a> delete حذف کړئ"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,د ډاټا تاریخ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},فیس سوابق ايجاد - {0}
 DocType: Asset Category Account,Asset Category Account,د شتمنیو د حساب کټه ګورۍ
@@ -4188,6 +4249,8 @@
 DocType: Asset Maintenance Task,Calibration,تجاوز
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} د شرکت رخصتي ده
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,د ضمانت وړ ساعتونه
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,د جریمې د سود نرخ د پاتې تادیې په صورت کې هره ورځ د پاتې سود مقدار باندې وضع کیږي
+DocType: Appointment Letter content,Appointment Letter content,د ټاکلو لیک مینځپانګه
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,د حالت خبرتیا پریږدئ
 DocType: Patient Appointment,Procedure Prescription,د پروسیجر نسخه
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures او لامپ
@@ -4206,7 +4269,7 @@
 DocType: Opportunity,Customer / Lead Name,پيرودونکو / سوق نوم
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,بېلوګډو چاڼېزو نېټه نه ذکر
 DocType: Payroll Period,Taxable Salary Slabs,د مالیې وړ معاش تناسب
-DocType: Job Card,Production,تولید
+DocType: Plaid Settings,Production,تولید
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,ناسم GSTIN! هغه ننوتنه چې تاسو یې داخل کړې د GSTIN شکل سره سمون نه خوري.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ګ Accountون ارزښت
 DocType: Guardian,Occupation,وظيفه
@@ -4346,6 +4409,7 @@
 DocType: Healthcare Settings,Registration Fee,د نوم ليکنې فیس
 DocType: Loyalty Program Collection,Loyalty Program Collection,د وفاداري پروګرام ټولګه
 DocType: Stock Entry Detail,Subcontracted Item,فرعي قرارداد شوي توکي
+DocType: Appointment Letter,Appointment Date,د ګمارنې نیټه
 DocType: Budget,Cost Center,لګښت مرکز
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,ګټمنو #
 DocType: Tax Rule,Shipping Country,انتقال د هېواد
@@ -4416,6 +4480,7 @@
 DocType: Accounting Dimension,Accounting Dimension,د محاسبې ابعاد
 ,Profit and Loss Statement,ګټه او زیان اعلامیه
 DocType: Bank Reconciliation Detail,Cheque Number,آرډر شمېر
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,ورکړل شوې پیسې صفر نشي
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,هغه توکي چې د {0} - {1} لخوا وړاندې شوي دي دمخه لغوه شوی دی
 ,Sales Browser,خرڅلاو د لټووني
 DocType: Journal Entry,Total Credit,Total اعتبار
@@ -4520,6 +4585,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,د کوپن شرایط اضافه / ترمیم کړئ
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,اخراجاتو / بدلون حساب ({0}) باید یو &#39;ګټه یا زیان&#39; حساب وي
 DocType: Stock Entry Detail,Stock Entry Child,د سټاک ننوتۍ ماشوم
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,د پور امنیت ژمنه شرکت او د پور شرکت باید یوشان وي
 DocType: Project,Copied From,کاپي له
 DocType: Project,Copied From,کاپي له
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,رسید دمخه د ټولو بارو ساعتونو لپاره جوړ شوی
@@ -4528,6 +4594,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,د مالي لګښت دی
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,د {0} کارمند په ګډون لا د مخه په نښه
 DocType: Packing Slip,If more than one package of the same type (for print),که د همدې ډول له يوه څخه زيات بسته (د چاپي)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,مهرباني وکړئ د رستورانت ترتیباتو کې ډیزاین پیرود کړئ
 ,Salary Register,معاش د نوم ثبتول
 DocType: Company,Default warehouse for Sales Return,د پلور بیرته راتګ لپاره اصلي ګودام
@@ -4572,7 +4639,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,اوسنی سریال نمبر
 DocType: Employee,Attendance and Leave Details,د حاضرۍ او پریښودو توضیحات
 ,BOM Comparison Tool,د BOM پرتله کولو وسیله
-,Requested,غوښتنه
+DocType: Loan Security Pledge,Requested,غوښتنه
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,نه څرګندونې
 DocType: Asset,In Maintenance,په ساتنه کې
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,دا تڼۍ کلیک وکړئ ترڅو د ایمیزون میګاواټ څخه خپل د پلور آرډ ډاټا خلاص کړئ.
@@ -4584,7 +4651,6 @@
 DocType: Drug Prescription,Drug Prescription,د مخدره موادو نسخه
 DocType: Service Level,Support and Resolution,ملاتړ او پریکړه
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,د وړیا توکی کوډ نه دی غوره شوی
-DocType: Loan,Repaid/Closed,بیرته / تړل
 DocType: Amazon MWS Settings,CA,سي
 DocType: Item,Total Projected Qty,ټول پيشبيني Qty
 DocType: Monthly Distribution,Distribution Name,ویش نوم
@@ -4618,6 +4684,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,لپاره دحمل محاسبې انفاذ
 DocType: Lab Test,LabTest Approver,د لابراتوار تګلاره
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,تاسو مخکې د ارزونې معیارونه ارزول {}.
+DocType: Loan Security Shortfall,Shortfall Amount,د کمښت مقدار
 DocType: Vehicle Service,Engine Oil,د انجن د تیلو
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},د کار امرونه جوړ شوي: {0}
 DocType: Sales Invoice,Sales Team1,خرڅلاو Team1
@@ -4634,6 +4701,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,د اشغال حالت
 DocType: Purchase Invoice,Apply Additional Discount On,Apply اضافي کمښت د
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,ډول وټاکئ ...
+DocType: Loan Interest Accrual,Amounts,مقدارونه
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,ستاسو ټکټونه
 DocType: Account,Root Type,د ريښي ډول
 DocType: Item,FIFO,FIFO
@@ -4641,6 +4709,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},د کتارونو تر # {0}: بېرته نشي څخه زيات {1} لپاره د قالب {2}
 DocType: Item Group,Show this slideshow at the top of the page,د پاڼې په سر کې د دې سلاید وښایاست
 DocType: BOM,Item UOM,د قالب UOM
+DocType: Loan Security Price,Loan Security Price,د پور امنیت قیمت
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),د مالیې د مقدار کمښت مقدار وروسته (شرکت د اسعارو)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},هدف ګودام لپاره چي په کتارونو الزامی دی {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,پرچون عملیات
@@ -4777,6 +4846,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},batch په قطار الزامی دی {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},batch په قطار الزامی دی {0}
 DocType: Company,Default Buying Terms,د پیرودلو شرطونه
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,د پور توزیع
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,رانيول رسيد د قالب برابر شوي
 DocType: Amazon MWS Settings,Enable Scheduled Synch,لګول شوی ناباوره فعاله کړه
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,ته Datetime
@@ -4869,6 +4939,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,وړاندیز / د قیمت قیمت
 DocType: Antibiotic,Healthcare,روغتیایی پاملرنه
 DocType: Target Detail,Target Detail,هدف تفصیلي
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,د پور پروسې
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,یو واحد بڼه
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,ټول
 DocType: Sales Order,% of materials billed against this Sales Order,٪ د توکو د خرڅلاو د دې نظم په وړاندې د بلونو د
@@ -4931,7 +5002,7 @@
 DocType: Item,Reorder level based on Warehouse,ترمیمي په کچه د پر بنسټ د ګدام
 DocType: Activity Cost,Billing Rate,د بیلونو په کچه
 ,Qty to Deliver,Qty ته تحویل
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,د توزیع ننوتنه جوړه کړئ
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,د توزیع ننوتنه جوړه کړئ
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ایمیزون به د دې نیټې څخه وروسته د معلوماتو تازه کړی
 ,Stock Analytics,دحمل Analytics
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,عملیاتو په خالي نه شي پاتې کېدای
@@ -4965,6 +5036,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,د بهرني ادغام سره یوځای کړئ
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,ورته تادیه غوره کړئ
 DocType: Pricing Rule,Item Code,د قالب کوډ
+DocType: Loan Disbursement,Pending Amount For Disbursal,د توزیع لپاره پاتې پیسې
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU -YYYY.-
 DocType: Serial No,Warranty / AMC Details,ګرنټی / AMC نورولوله
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,د فعالیت پر بنسټ د ګروپ لپاره د انتخاب کوونکو لاسي
@@ -4990,6 +5062,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,مقدار کل
 DocType: Landed Cost Item,Receipt Document,د رسيد سند
 DocType: Employee Education,School/University,ښوونځی / پوهنتون
+DocType: Loan Security Pledge,Loan  Details,د پور توضیحات
 DocType: Sales Invoice Item,Available Qty at Warehouse,موجود Qty په ګدام
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,د بلونو د مقدار
 DocType: Share Transfer,(including),(په ګډون)
@@ -5013,6 +5086,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,ډلو
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,له خوا د حساب ګروپ
 DocType: Purchase Invoice,Hold Invoice,د انوائس ساتل
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,ژمن دریځ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,مهرباني وکړئ د کارمند غوره کول
 DocType: Sales Order,Fully Delivered,په بشپړه توګه وسپارل شول
 DocType: Promotional Scheme Price Discount,Min Amount,لږ مقدار
@@ -5022,7 +5096,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},ورکړل شوي مقدار نه شي کولای د پور مقدار زیات وي {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} تخصیص شوی رقم {1} د ناپیژندل شوی مقدار څخه ډیر نه وی. {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},نظم لپاره د قالب اړتیا پیري {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,وړاندې شوي پاvesې وړئ
@@ -5050,6 +5123,7 @@
 DocType: Pick List Item,Serial No and Batch,شعبه او دسته
 DocType: Warranty Claim,From Company,له شرکت
 DocType: GSTR 3B Report,January,جنوري
+DocType: Loan Repayment,Principal Amount Paid,پرنسپل تادیه تادیه شوې
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,د ارزونې معیارونه په لسګونو Sum ته اړتيا لري د {0} وي.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,مهرباني وکړئ ټاکل د Depreciations شمېر بک
 DocType: Supplier Scorecard Period,Calculations,حسابونه
@@ -5075,6 +5149,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ستاسو د شرکت په اړه
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,د سټاک زوړ ډیټا وښایاست
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,د حساب د پور باید د موازنې د پاڼه په پام کې وي
+DocType: Loan Repayment,Penalty Amount,د جریمې اندازه
 DocType: Donor,Donor,بسپنه ورکوونکی
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,د توکو لپاره تازه مالیه
 DocType: Global Defaults,Disable In Words,نافعال په وييکي
@@ -5104,6 +5179,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,د لګښت مرکز او بودیجه ورکول
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,د پرانستلو په انډول مساوات
 DocType: Appointment,CRM,دمراسمو
+DocType: Loan Repayment,Partial Paid Entry,د تادیې قسمت داخله
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,مهرباني وکړئ د تادیاتو مهالویش تنظیم کړئ
 DocType: Pick List,Items under this warehouse will be suggested,د دې ګودام لاندې توکي به وړاندیز شي
 DocType: Purchase Invoice,N,ن
@@ -5136,7 +5212,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} د توکي {1} لپاره ندی موندلی
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ارزښت باید د {0} او {1} تر منځ وي
 DocType: Accounts Settings,Show Inclusive Tax In Print,په چاپ کې انډول مالیه ښودل
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",د بانک حساب، د نیټې او نیټې نیټه معتبر دي
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,پيغام ته وليږدول شوه
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,سره د ماشومانو د غوټو حساب نه په توګه د پنډو جوړ شي
 DocType: C-Form,II,II
@@ -5150,6 +5225,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,د آٹو ری آرډر فعال کړئ
 DocType: Stock Settings,Item Naming By,د قالب نوم By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},وروسته يو بل د دورې په تړلو انفاذ {0} شوی دی {1}
+DocType: Proposed Pledge,Proposed Pledge,وړاندیز شوې ژمنه
 DocType: Work Order,Material Transferred for Manufacturing,د دفابريکي مواد سپارل
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,ګڼون {0} نه شتون
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,د وفادارۍ پروګرام غوره کړئ
@@ -5160,7 +5236,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",د خوښو ته پیښی {0}، ځکه چې د کارګر ته لاندې خرڅلاو هغه اشخاص چې د وصل يو کارن تذکرو نه لري {1}
 DocType: Timesheet,Billing Details,د بیلونو په بشپړه توګه کتل
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,سرچینه او هدف ګدام بايد توپير ولري
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,مهرباني وکړئ د بشري سرچینو&gt; HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,تادیات ناکام شول. مهرباني وکړئ د نورو جزیاتو لپاره د ګرمسیرless حساب وګورئ
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},اجازه نه سټاک معاملو د اوسمهالولو په پرتله د زړو {0}
 DocType: Stock Entry,Inspection Required,تفتیش مطلوب
@@ -5173,6 +5248,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,پروګرام
+DocType: Unpledge,Against Pledge,د ژمنې پر خلاف
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,سره د دغه رول د کاروونکو دي چې کنګل شوي حسابونه کنګل شوي حسابونه په وړاندې د محاسبې زياتونې جوړ او رامنځته / تعديلوي اجازه
 DocType: Plaid Settings,Plaid Environment,د الوتکې چاپیریال
 ,Project Billing Summary,د پروژې د بل بیلګه
@@ -5225,6 +5301,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,دستو
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,د ورځو ګمارنې وخت دمخه ثبت کیدی شي
 DocType: Article,LMS User,د LMS کارن
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,د خوندي امنیت لپاره د پور امنیتي ژمنه لازمي ده
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),د تحویلولو ځای (ایالت / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,دحمل UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,پیري نظم {0} نه سپارل
@@ -5297,6 +5374,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,دندې کارت جوړ کړئ
 DocType: Quotation,Referral Sales Partner,د ریفرل پلور شریک
 DocType: Quality Procedure Process,Process Description,د پروسې توضیحات
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",نه توب کولی شي ، د پور د امنیت ارزښت د بیرته تادیه شوي مقدار څخه ډیر دی
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,پیرودونکی {0} جوړ شوی.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,اوس مهال په کوم ګودام کې هیڅ ذخیره شتون نلري
 ,Payment Period Based On Invoice Date,د پیسو د دورې پر بنسټ د صورتحساب نېټه
@@ -5316,7 +5394,7 @@
 DocType: Asset,Insurance Details,د بیمې په بشپړه توګه کتل
 DocType: Account,Payable,د تادیې وړ
 DocType: Share Balance,Share Type,د شریک ډول
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,لطفا د پور بيرته پړاوونه داخل
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,لطفا د پور بيرته پړاوونه داخل
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),پوروړو ({0})
 DocType: Pricing Rule,Margin,څنډی
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,نوي پېرېدونکي
@@ -5325,6 +5403,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,د مشرې سرچینې لخوا فرصتونه
 DocType: Appraisal Goal,Weightage (%),Weightage)٪ (
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,د POS پېژندل بدل کړئ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,مقدار یا مقدار د پور د امنیت لپاره لازمه ده
 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,Assessment Report,د ارزونې راپور
@@ -5359,6 +5438,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,شریک لیجر
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,د پلور انوائس {0} جوړ شوی
 DocType: Employee,Confirmation Date,باوريينه نېټه
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند <a href=""#Form/Employee/{0}"">{0}</a> delete حذف کړئ"
 DocType: Inpatient Occupancy,Check Out,بشپړ ی وګوره
 DocType: C-Form,Total Invoiced Amount,Total رسیدونو د مقدار
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Qty نه شي کولای Max Qty څخه ډيره وي
@@ -5372,7 +5453,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,د ساکټونو شرکت ID
 DocType: Travel Request,Travel Funding,د سفر تمویل
 DocType: Employee Skill,Proficiency,مهارت
-DocType: Loan Application,Required by Date,د اړتیا له خوا نېټه
 DocType: Purchase Invoice Item,Purchase Receipt Detail,د پیرود رسید توضیحات
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,د ټولو هغه ځایونو لپاره چې په هغې کې کرهنه وده کوي
 DocType: Lead,Lead Owner,سرب د خاوند
@@ -5391,7 +5471,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,اوسني هیښ او نوي هیښ نه شي کولای ورته وي
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,معاش ټوټه ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,نېټه د تقاعد باید په پرتله د داخلیدل نېټه ډيره وي
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,عرضه کونکي&gt; عرضه کونکي ډول
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,ګڼ شمیر متغیرات
 DocType: Sales Invoice,Against Income Account,په وړاندې پر عايداتو باندې حساب
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ تحویلوونکی
@@ -5423,7 +5502,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,سنجي ډول تورونه نه په توګه د ټوليزې په نښه کولای شي
 DocType: POS Profile,Update Stock,تازه دحمل
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,د تاديې جزئيات
+DocType: Loan Repayment,Payment Details,د تاديې جزئيات
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,هیښ Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,د پورته شوې فایل لوستل
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",د کار امر بند شوی نشي تایید شوی، دا لومړی ځل وځنډول چې فسخه شي
@@ -5459,6 +5538,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,د پور ارزښت اعظمي ارزښت
 ,Stock Ledger,دحمل د پنډو
 DocType: Company,Exchange Gain / Loss Account,په بدل کې لاسته راغلې ګټه / زیان اکانټ
 DocType: Amazon MWS Settings,MWS Credentials,د MWS اعتبار وړاندوینه
@@ -5564,7 +5644,6 @@
 DocType: Fee Schedule,Fee Schedule,فیس مهال ويش
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,کالم لیبلونه:
 DocType: Bank Transaction,Settled,آباد شوی
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,د توزیع نیټه د پور بیرته تادیې نیټې څخه وروسته نشي کیدی
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,سیس
 DocType: Quality Feedback,Parameters,پیرامیټرې
 DocType: Company,Create Chart Of Accounts Based On,د حسابونو پر بنسټ چارت جوړول
@@ -5584,6 +5663,7 @@
 DocType: Customer,Credit Limit and Payment Terms,د کریډیټ محدودیت او د تادیاتو شرایط
 DocType: Loyalty Program,Collection Rules,د راټولولو قواعد
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,د قالب 3
+DocType: Loan Security Shortfall,Shortfall Time,کمښت وخت
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,د امان داخله
 DocType: Purchase Order,Customer Contact Email,پيرودونکو سره اړيکي دبرېښنا ليک
 DocType: Warranty Claim,Item and Warranty Details,د قالب او ګرنټی نورولوله
@@ -5603,12 +5683,14 @@
 DocType: Sales Person,Sales Person Name,خرڅلاو شخص نوم
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,مهرباني وکړی په جدول تيروخت 1 صورتحساب ته ننوځي
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,د لابراتوار ازموینه نه رامنځته شوه
+DocType: Loan Security Shortfall,Security Value ,امنیت ارزښت
 DocType: POS Item Group,Item Group,د قالب ګروپ
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,د زده کوونکو ګروپ:
 DocType: Depreciation Schedule,Finance Book Id,د مالي کتاب کتاب
 DocType: Item,Safety Stock,د خونديتوب دحمل
 DocType: Healthcare Settings,Healthcare Settings,د روغتیا پاملرنې ترتیبونه
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,ټول ټاکل شوي پاڼي
+DocType: Appointment Letter,Appointment Letter,د ګمارنې لیک
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},د {0}
@@ -5664,6 +5746,7 @@
 DocType: Stock Entry,From BOM,له هیښ
 DocType: Assessment Code,Assessment Code,ارزونه کوډ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,د اساسي
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,د پیرودونکو او کارمندانو څخه پور غوښتنې.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,مخکې {0} دي کنګل دحمل معاملو
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',مهرباني وکړی د &#39;تولید مهال ویش&#39; کیکاږۍ
 DocType: Job Card,Current Time,اوسنی وخت
@@ -5690,7 +5773,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,وړیا مرسته
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,نه د زده کوونکو ډلو جوړ.
 DocType: Purchase Invoice Item,Serial No,پر له پسې ګڼه
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,میاشتنی پور بيرته مقدار نه شي کولای د پور مقدار زیات شي
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,میاشتنی پور بيرته مقدار نه شي کولای د پور مقدار زیات شي
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,مهرباني وکړئ لومړی داخل Maintaince نورولوله
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: د تمویل شوي نیټه نیټه د اخیستلو د نیټې نه مخکې نشي کیدی
 DocType: Purchase Invoice,Print Language,چاپ ژبه
@@ -5704,6 +5787,7 @@
 DocType: Asset,Finance Books,مالي کتابونه
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,د کارمندانو د مالیې معافیت اعلامیه کټګوري
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,ټول سیمې
+DocType: Plaid Settings,development,پرمختګ
 DocType: Lost Reason Detail,Lost Reason Detail,د لاسه دليل تفصيل
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,مهرباني وکړئ د کارمند / درجې ریکارډ کې د کارمند {0} لپاره د رخصتۍ تګلاره تنظیم کړئ
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,د ټاکل شوې پیرودونکي او توکي لپاره د ناباوره پاکټ امر
@@ -5768,12 +5852,14 @@
 DocType: Staffing Plan Detail,Current Openings,اوسنۍ پرانيستې
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,له عملیاتو په نقدو پیسو د جریان
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,د CGST مقدار
+DocType: Vehicle Log,Current Odometer value ,د اوسني اوومیټر ارزښت
 apps/erpnext/erpnext/utilities/activation.py,Create Student,زده کونکی جوړ کړئ
 DocType: Asset Movement Item,Asset Movement Item,د شتمنۍ خوځښت توکی
 DocType: Purchase Invoice,Shipping Rule,انتقال حاکمیت
 DocType: Patient Relation,Spouse,ښځه
 DocType: Lab Test Groups,Add Test,ازموينه زياته کړئ
 DocType: Manufacturer,Limited to 12 characters,محدود تر 12 تورو
+DocType: Appointment Letter,Closing Notes,تړلو یادښتونه
 DocType: Journal Entry,Print Heading,چاپ Heading
 DocType: Quality Action Table,Quality Action Table,د کیفیت عمل جدول
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Total نه شي کولای صفر وي
@@ -5841,6 +5927,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (نننیو)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},مهرباني وکړئ د ډول لپاره حساب (ګروپ) وپیژنئ / جوړ کړئ - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,ساعتېري &amp; تفريح
+DocType: Loan Security,Loan Security,د پور امنیت
 ,Item Variant Details,د توکي ډول توکی
 DocType: Quality Inspection,Item Serial No,د قالب شعبه
 DocType: Payment Request,Is a Subscription,یو ګډون دی
@@ -5853,7 +5940,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,وروستی عمر
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,ټاکل شوې او منل شوې نیټې د نن ورځې څخه کم نشي
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,عرضه کونکي ته توکي لیږدول
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نوی شعبه نه شي ګدام لري. ګدام باید د سټاک انفاذ يا رانيول رسيد جوړ شي
 DocType: Lead,Lead Type,سرب د ډول
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,نرخونه ایښودل
@@ -5871,7 +5957,6 @@
 DocType: Leave Allocation,Leave Period,د پریښودلو موده
 DocType: Item,Default Material Request Type,Default د موادو غوښتنه ډول
 DocType: Supplier Scorecard,Evaluation Period,د ارزونې موده
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,پیرودونکي&gt; د پیرودونکي ګروپ&gt; سیمه
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,نامعلوم
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,د کار امر ندی جوړ شوی
 DocType: Shipping Rule,Shipping Rule Conditions,انتقال حاکمیت شرايط
@@ -5954,7 +6039,8 @@
 ,Customer-wise Item Price,د پیرودونکي په حساب د توکو قیمت
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,نقدو پیسو د جریان اعلامیه
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,د مادي غوښتنه نه جوړه شوې
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},د پور مقدار نه شي کولای د اعظمي پور مقدار زیات {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},د پور مقدار نه شي کولای د اعظمي پور مقدار زیات {0}
+DocType: Loan,Loan Security Pledge,د پور د امنیت ژمنه
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,منښتليک
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,مهرباني غوره مخ په وړاندې ترسره کړي که تاسو هم غواړي چې عبارت دي د تېر مالي کال د توازن د دې مالي کال ته روان شو
@@ -5971,6 +6057,7 @@
 DocType: Pricing Rule,Price Discount Scheme,د قیمت تخفیف سکیم
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,د ساتنې حالت باید فسخ شي یا بشپړ شي
 DocType: Amazon MWS Settings,US,امریکا
+DocType: Loan Security Pledge,Pledged,ژمنه شوې
 DocType: Holiday List,Add Weekly Holidays,د اوونۍ رخصتۍ اضافه کړئ
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,توکي راپور کړئ
 DocType: Staffing Plan Detail,Vacancies,خالی
@@ -5989,7 +6076,6 @@
 DocType: Production Plan Item,Planned Start Date,پلان د پیل نیټه
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,مهرباني وکړئ BOM غوره کړئ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,د آی ټي ټي انډول شوي مالیه ترلاسه کړه
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,د بیرته تادیه کول رامینځته کړئ
 DocType: Purchase Order Item,Blanket Order Rate,د بالقوه امر اندازه
 ,Customer Ledger Summary,د پیرودونکي لیجر لنډیز
 apps/erpnext/erpnext/hooks.py,Certification,تصدیق
@@ -6010,6 +6096,7 @@
 DocType: Appraisal Template,Appraisal Template Title,ارزونې کينډۍ عنوان
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,سوداګریز
 DocType: Patient,Alcohol Current Use,شرابو اوسنۍ استعمال
+DocType: Loan,Loan Closure Requested,د پور بندولو غوښتنه وشوه
 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,د مالیې معافې کټګورۍ
@@ -6033,6 +6120,7 @@
 DocType: Opening Invoice Creation Tool,Sales,خرڅلاو
 DocType: Stock Entry Detail,Basic Amount,اساسي مقدار
 DocType: Training Event,Exam,ازموينه
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,د پور پور امنیتي کمښت
 DocType: Email Campaign,Email Campaign,د بریښنالیک کمپاین
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,د بازار ځای تېروتنه
 DocType: Complaint,Complaint,شکایت
@@ -6135,6 +6223,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,استعمال شوي پاڼي
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,ایا تاسو غواړئ د موادو غوښتنه وړاندې کړئ
 DocType: Job Offer,Awaiting Response,په تمه غبرګون
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,پور لازمي دی
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH -YYYY-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,پورته
 DocType: Support Search Source,Link Options,د اړیکو اختیارونه
@@ -6147,6 +6236,7 @@
 DocType: Training Event Employee,Optional,اختیاري
 DocType: Salary Slip,Earning & Deduction,وټې &amp; Deduction
 DocType: Agriculture Analysis Criteria,Water Analysis,د اوبو تحلیل
+DocType: Pledge,Post Haircut Amount,د ویښتو کڅوړه وروسته پوسټ
 DocType: Sales Order,Skip Delivery Note,د سپارنې یادداشت پریږدئ
 DocType: Price List,Price Not UOM Dependent,قیمت د UOM پورې اړه نلري
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} ډولونه جوړ شوي.
@@ -6173,6 +6263,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,څخه د محصول د بنډل توکي ترلاسه کړئ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,د لنډمهاله پورونو لپاره د تادیې میتود لازمي دی
 DocType: Asset,Straight Line,سیده کرښه
 DocType: Project User,Project User,د پروژې د کارن
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,وېشل شوى
@@ -6221,7 +6312,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,رول اجازه ګنګل حسابونه ایډیټ ګنګل توکي ټاکل شوی
 DocType: Supplier Scorecard Scoring Variable,Path,پټه
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ته د پنډو لګښت مرکز بدلوي نشي کولای، ځکه دا د ماشوم غوټو لري
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},د UOM د بدلون فاکتور ({0} -&gt; {1}) د توکي لپاره ونه موندل شو: {2}
 DocType: Production Plan,Total Planned Qty,ټول پلان شوي مقدار
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,معاملې دمخه د بیان څخه بیرته اخیستل شوي
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,د پرانستلو په ارزښت
@@ -6229,11 +6319,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سریال #
 DocType: Material Request Plan Item,Required Quantity,اړین مقدار
 DocType: Lab Test Template,Lab Test Template,د لابراتوار ازموینه
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,عرضه کونکي&gt; عرضه کونکي ډول
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,د پلور حساب
 DocType: Purchase Invoice Item,Total Weight,ټول وزن
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند <a href=""#Form/Employee/{0}"">{0}</a> delete حذف کړئ"
 DocType: Pick List Item,Pick List Item,د لړ توکي غوره کړه
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,د کمیسیون په خرڅلاو
 DocType: Job Offer Term,Value / Description,د ارزښت / Description
@@ -6280,6 +6367,7 @@
 DocType: Patient Encounter,Encounter Date,د نیونې نیټه
 DocType: Work Order,Update Consumed Material Cost In Project,په پروژه کې مصرف شوي مادي لګښت تازه کول
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ګڼون: {0} سره اسعارو: {1} غوره نه شي
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,پیرودونکو او کارمندانو ته پورونه چمتو شوي.
 DocType: Bank Statement Transaction Settings Item,Bank Data,د بانک ډاټا
 DocType: Purchase Receipt Item,Sample Quantity,نمونې مقدار
 DocType: Bank Guarantee,Name of Beneficiary,د ګټه اخیستونکي نوم
@@ -6347,7 +6435,6 @@
 DocType: Contract,Signed On,لاسلیک شوی
 DocType: Bank Account,Party Type,ګوند ډول
 DocType: Discounted Invoice,Discounted Invoice,تخفیف انوائس
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,د شتون په توګه نښه کول د <b></b>
 DocType: Payment Schedule,Payment Schedule,د تادیاتو مهال ویش
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},د ورکړل شوي کارمند ساحې ارزښت لپاره هیڅ کارمند ونه موندل شو. &#39;{}&#39;:}
 DocType: Item Attribute Value,Abbreviation,لنډیزونه
@@ -6417,6 +6504,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,پور
 DocType: Assessment Plan,Assessment Name,ارزونه نوم
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,د کتارونو تر # {0}: شعبه الزامی دی
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,د پور بندولو لپاره د {0} مقدار اړین دی
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,د قالب تدبيراومصلحت سره د مالياتو د تفصیلي
 DocType: Employee Onboarding,Job Offer,دندې وړانديز
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,انستیتوت Abbreviation
@@ -6441,7 +6529,6 @@
 DocType: Purchase Order,To Receive,تر لاسه
 DocType: Leave Period,Holiday List for Optional Leave,د اختیاري لیږد لپاره د رخصتي لیست
 DocType: Item Tax Template,Tax Rates,د مالیې نرخونه
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,د توکو کوډ&gt; د توکو ګروپ&gt; نښه
 DocType: Asset,Asset Owner,د شتمنی مالک
 DocType: Item,Website Content,د ویب پا Contentې مینځپانګه
 DocType: Bank Account,Integration ID,د ادغام ID
@@ -6457,6 +6544,7 @@
 DocType: Amazon MWS Settings,Synch Orders,د مرکب امرونه
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,امر د تولید لپاره د خوشې شول.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,مالي کال لپاره وټاکه ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},مهرباني وکړئ د شرکت لپاره د پور ډول وټاکئ {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS د پېژندنې اړتيا ته POS انفاذ لپاره
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",د وفادارۍ ټکي به د مصرف شوي (د پلور انو له لارې) حساب شي، د راغونډولو فکتور په اساس به ذکر شي.
 DocType: Program Enrollment Tool,Enroll Students,زده کوونکي شامل کړي
@@ -6485,6 +6573,7 @@
 DocType: Customer,Mention if non-standard receivable account,یادونه که غیر معیاري ترلاسه حساب
 DocType: Bank,Plaid Access Token,د الوتکې لاسرسي ٹوکن
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,مهرباني وکړئ پاتې برخې ته {0} د اوسني برخې لپاره اضافه کړئ
+DocType: Bank Account,Is Default Account,اصلي ګ Accountون دی
 DocType: Journal Entry Account,If Income or Expense,که پر عايداتو او يا اخراجاتو
 DocType: Course Topic,Course Topic,د کورس موضوع
 DocType: Bank Statement Transaction Entry,Matching Invoices,د مباحثې انوګانې
@@ -6496,7 +6585,7 @@
 DocType: Disease,Treatment Task,د درملنې ټیم
 DocType: Payment Order Reference,Bank Account Details,د بانک د حساب توضیحات
 DocType: Purchase Order Item,Blanket Order,د پوسټ حکم
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,د mentayay mentmentment. Amount. must mustﺎ... than. greater. be وي
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,د mentayay mentmentment. Amount. must mustﺎ... than. greater. be وي
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,د مالياتو د جايدادونو د
 DocType: BOM Item,BOM No,هیښ نه
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,تازه معلومات
@@ -6552,6 +6641,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,د WooCommerce محصولات
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},په فورمول يا حالت العروض تېروتنه: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,د قالب {0} ځکه چې له پامه غورځول يوه سټاک توکی نه دی
+,Loan Security Status,د پور امنیت حالت
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",ته په یوه ځانګړی د راکړې ورکړې د بیو د حاکمیت د پلي کېدو وړ نه، ټولو تطبيقېدونکو د بیې اصول بايد نافعال شي.
 DocType: Payment Term,Day(s) after the end of the invoice month,د رسیدنې میاشتې پای ته ورسیدو ورځې
 DocType: Assessment Group,Parent Assessment Group,د موروپلار د ارزونې ګروپ
@@ -6566,7 +6656,6 @@
 DocType: Stock Entry Detail,Additional Cost,اضافي لګښت
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",نه ګټمنو نه پر بنسټ کولای شي Filter، که ګروپ له خوا د ګټمنو
 DocType: Quality Inspection,Incoming,راتلونکي
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,د پلور او اخیستلو لپاره د اصلي مالیې ټیکنالوژي جوړېږي.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,د ارزونې پایلې ریکارډ {0} لا د مخه وجود لري.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",بېلګه: ABCD. #####. که چیرې سلسله جوړه شي او بسته نه په لیږد کې ذکر شوي، نو د دې لړۍ پر بنسټ به د اتوماتیک بچ شمیره جوړه شي. که تاسو غواړئ چې په ښکاره توګه د دې شیدو لپاره د بچ نښې یادونه وکړئ، دا خالي کړئ. یادونه: دا ترتیب به د سټاک په سیسټمونو کې د نومونې سیریلیز انفکس په ترڅ کې لومړیتوب واخلي.
@@ -6577,8 +6666,10 @@
 DocType: Contract,Party User,د ګوند کارن
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,شتمني د <b>{0}</b> لپاره نده جوړه شوې. تاسو باید شتمني په لاسي ډول جوړه کړئ.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',لطفا جوړ شرکت چاڼ خالي که ډله په دی شرکت
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,پیرودونکي&gt; د پیرودونکي ګروپ&gt; سیمه
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,نوکرې نېټه نه شي کولای راتلونکې نیټه وي.
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},د کتارونو تر # {0}: شعبه {1} سره سمون نه خوري {2} {3}
+DocType: Loan Repayment,Interest Payable,سود ورکول
 DocType: Stock Entry,Target Warehouse Address,د ګودام ګودام پته
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,واله ته لاړل
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,د شفټ د پیل وخت څخه مخکې وخت په جریان کې د کارمند چیک اپ د حاضری لپاره ګ consideredل کیږي.
@@ -6706,6 +6797,7 @@
 DocType: Issue,Reset Service Level Agreement,د خدماتو کچې تړون بیا تنظیم کړئ
 ,Sales Person-wise Transaction Summary,خرڅلاو شخص-هوښيار معامالتو لنډيز
 DocType: Training Event,Contact Number,د اړیکې شمیره
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,د پور مقدار لازمي دی
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ګدام {0} نه شته
 DocType: Cashier Closing,Custody,تاوان
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,د کارمندانو د مالیې معافیت ثبوت وړاندې کول
@@ -6752,6 +6844,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,توازن Qty
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,شرایط به په ټولو انتخاب شویو توکو ګډ شي.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,موخې نه شي تش وي
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,غلط ګودام
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,د زده کونکو شمولیت
 DocType: Item Group,Parent Item Group,د موروپلار د قالب ګروپ
 DocType: Appointment Type,Appointment Type,د استوګنې ډول
@@ -6807,10 +6900,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,اوسط کچه
 DocType: Appointment,Appointment With,د سره ټاکل
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,د تادیاتو مهال ویش کې د مجموعي تادیاتو اندازه باید د ګردي / ګردي ګرد مجموعي سره مساوي وي
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,د حاضرۍ نښه په توګه <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;پیرودونکي چمتو شوي توکی&quot; نشي کولی د ارزښت نرخ ولري
 DocType: Subscription Plan Detail,Plan,پلان
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,بانک اعلامیه سلنه له بلونو په توګه انډول
-DocType: Job Applicant,Applicant Name,متقاضي نوم
+DocType: Appointment Letter,Applicant Name,متقاضي نوم
 DocType: Authorization Rule,Customer / Item Name,پيرودونکو / د قالب نوم
 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**. 
 
@@ -6854,11 +6948,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ګدام په توګه د دې ګودام سټاک د پنډو ننوتلو شتون نه ړنګ شي.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ویش
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,د کارمند وضعیت &#39;کی&#39; &#39;ته نشي ټاکل کیدی ځکه چې لاندې کارمندان اوس مهال دې کارمند ته راپور ورکوي:
-DocType: Journal Entry Account,Loan,پور
+DocType: Loan Repayment,Amount Paid,پيسې ورکړل شوې
+DocType: Loan Security Shortfall,Loan,پور
 DocType: Expense Claim Advance,Expense Claim Advance,د ادعا ادعا غوښتنه
 DocType: Lab Test,Report Preference,راپور غوره کول
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,رضاکار معلومات.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,پروژې سمبالګر
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,ډله د پیرودونکي په واسطه
 ,Quoted Item Comparison,له خولې د قالب پرتله
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},په {0} او {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,چلاونه د
@@ -6877,6 +6973,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time",د بادار د معلوماتو syncing، دا به يو څه وخت ونيسي
 DocType: Material Request Plan Item,Material Issue,مادي Issue
 DocType: Employee Education,Qualification,وړتوب
+DocType: Loan Security Shortfall,Loan Security Shortfall,د پور امنیت کمښت
 DocType: Item Price,Item Price,د قالب بیه
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap &amp; پاکونکو
 DocType: BOM,Show Items,خپرونه توکی
@@ -6897,6 +6994,7 @@
 DocType: Appointment Booking Settings,Appointment Details,د ګمارنې جزیات
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,بشپړ شوی محصول
 DocType: Warehouse,Warehouse Name,ګدام نوم
+DocType: Loan Security Pledge,Pledge Time,ژمن وخت
 DocType: Naming Series,Select Transaction,انتخاب معامالتو
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,لطفا رول تصويب يا تصويب کارن
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,د شرکت ډول {0} او شرکت {1} سره د خدماتي کچې تړون لا دمخه موجود دی.
@@ -6904,7 +7002,6 @@
 DocType: BOM,Rate Of Materials Based On,کچه د موادو پر بنسټ
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",که چیرې فعال شي، ساحه اکادمیکه اصطالح به د پروګرام په شمول کولو کې وسیله وي.
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",د معافیت ، نیل درج شوي او غیر جی ایس ټي داخلي تحویلیو ارزښتونه
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,پیرودونکي&gt; د پیرودونکي ګروپ&gt; سیمه
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>شرکت</b> لازمي فلټر دی.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,څلورڅنډی په ټولو
 DocType: Purchase Taxes and Charges,On Item Quantity,د توکو مقدار
@@ -6950,7 +7047,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,په کمښت کې Qty
 DocType: Purchase Invoice,Input Service Distributor,ننوت خدمت توزیع کونکی
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,د قالب variant {0} سره ورته صفاتو شتون
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ
 DocType: Loan,Repay from Salary,له معاش ورکول
 DocType: Exotel Settings,API Token,د API ټوکن
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},د غوښتنې په وړاندې د پیسو {0} د {1} لپاره د اندازه {2}
@@ -6970,6 +7066,7 @@
 DocType: Salary Slip,Total Interest Amount,د ګټو مجموعه
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو ګودامونه بدل نه شي چې د پنډو
 DocType: BOM,Manage cost of operations,اداره د عملیاتو لګښت
+DocType: Unpledge,Unpledge,بې هوښه کول
 DocType: Accounts Settings,Stale Days,ستوري ورځ
 DocType: Travel Itinerary,Arrival Datetime,د رسیدو نېټه
 DocType: Tax Rule,Billing Zipcode,د بلک زوډ کود
@@ -7151,6 +7248,7 @@
 DocType: Employee Transfer,Employee Transfer,د کار لیږدونکی
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ساعتونه
 DocType: Project,Expected Start Date,د تمی د پیل نیټه
+DocType: Work Order,This is a location where raw materials are available.,دا یو داسې ځای دی چیرې چې خام توکي شتون لري.
 DocType: Purchase Invoice,04-Correction in Invoice,04-په انوائس کې اصلاح
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,د کار امر مخکې له دې د BOM سره د ټولو شیانو لپاره جوړ شو
 DocType: Bank Account,Party Details,د ګوند تفصيلات
@@ -7169,6 +7267,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Quotations:
 DocType: Contract,Partially Fulfilled,په نسبي توګه بشپړ شوي
 DocType: Maintenance Visit,Fully Completed,په بشپړه توګه بشپړ شوي
+DocType: Loan Security,Loan Security Name,د پور امنیت نوم
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",ځانګړي نومونه د &quot;-&quot; ، &quot;#&quot; ، &quot;.&quot; ، &quot;/&quot; ، &quot;{&quot; او &quot;}&quot; نوم لیکلو کې اجازه نه لري
 DocType: Purchase Invoice Item,Is nil rated or exempted,ایا نرخ یا مستثنی نه دی
 DocType: Employee,Educational Qualification,د زده کړې شرایط
@@ -7226,6 +7325,7 @@
 DocType: Program,Is Featured,ب .ه شوی
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ترلاسه کول ...
 DocType: Agriculture Analysis Criteria,Agriculture User,کرهنیز کارن
+DocType: Loan Security Shortfall,America/New_York,امریکا / نیو یارک
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,اعتبار تر هغه وخته چې د لیږد نیټې څخه وړاندې نشي
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,د زده کوونکو کټه ګورۍ
@@ -7243,6 +7343,7 @@
 DocType: Education Settings,Enable LMS,LMS فعال کړئ
 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,دوه ګونو لپاره د عرضه
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,مهرباني وکړئ د بیا جوړولو یا نوي کولو لپاره راپور بیا خوندي کړئ
+apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,قطار # {0}: توکي {1} نشي ړنګولی چې دمخه ترلاسه شوی دی
 DocType: Service Level Agreement,Response and Resolution Time,د ځواب او هوارۍ وخت
 DocType: Asset,Custodian,کوسټډین
 apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-خرڅول پېژندنه
@@ -7301,8 +7402,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,تاسو د ګنګل ارزښت جوړ واک نه دي
 DocType: Payment Reconciliation,Get Unreconciled Entries,تطبیق توکي ترلاسه کړئ
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},کارمند {0} په {1} رخصت دی
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,د ژورنال ننوتلو لپاره هیڅ بیرته تادیه نه ده شوې
 DocType: Purchase Invoice,GST Category,د جی ایس ٹی کټګورۍ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,وړاندیز شوې ژمنې د خوندي پورونو لپاره لازمي دي
 DocType: Payment Reconciliation,From Invoice Date,له صورتحساب نېټه
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,بودیجه
 DocType: Invoice Discounting,Disbursed,اختصاص شوی
@@ -7357,14 +7458,13 @@
 DocType: Restaurant,Active Menu,فعالې غورنۍ
 DocType: Accounting Dimension Detail,Default Dimension,د ډیفالټ ابعاد
 DocType: Target Detail,Target Qty,هدف Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},د پور خلاف: {0}
 DocType: Shopping Cart Settings,Checkout Settings,رایستل امستنې
 DocType: Student Attendance,Present,اوسنی
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,د سپارنې پرمهال يادونه {0} بايد وړاندې نه شي
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",کارمند ته په بریښنالیک لیږل شوي تنخواه کښته کول به د رمز خوندي وي ، شفر به د پاسورډ د پالیسۍ پراساس تولید شي.
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,تړل د حساب {0} بايد د ډول Liability / مساوات وي
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},د کارکوونکي معاش ټوټه {0} د مخه د وخت په پاڼه کې جوړ {1}
-DocType: Vehicle Log,Odometer,Odometer
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,امر Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,د قالب {0} معلول دی
 DocType: Stock Settings,Stock Frozen Upto,دحمل ګنګل ترمړوندونو پورې
@@ -7422,7 +7522,6 @@
 DocType: Serial No,Delivery Document Type,د سپارنې پرمهال د سند ډول
 DocType: Sales Order,Partly Delivered,خفيف د تحویلوونکی
 DocType: Item Variant Settings,Do not update variants on save,په خوندي کولو کې توپیرونه ندی تازه کړئ
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,د پیرودونکو ډله
 DocType: Email Digest,Receivables,پورونه
 DocType: Lead Source,Lead Source,سرب د سرچینه
 DocType: Customer,Additional information regarding the customer.,د مشتريانو په اړه اضافي معلومات.
@@ -7514,6 +7613,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,واقعي
 DocType: Appointment,Skype ID,د سکایپ پیژند
 DocType: Restaurant Menu,Restaurant Manager,د رستورانت مدیر
+DocType: Loan,Penalty Income Account,د جریمې عاید حساب
 DocType: Call Log,Call Log,زنګ ووهئ
 DocType: Authorization Rule,Customerwise Discount,Customerwise کمښت
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,د دندو Timesheet.
@@ -7600,6 +7700,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,د محصول تخفیف سکیم
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,د زنګ وهونکي لخوا کومه مسله نده راپورته شوې.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,ډله د چمتو کونکي لخوا
 DocType: Restaurant Reservation,Waitlisted,انتظار شوی
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,د معافیت کټګورۍ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,د اسعارو نه شي د ارقامو د يو شمېر نورو اسعارو په کارولو وروسته بدل شي
@@ -7610,7 +7711,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,د قیمت لیست پر بنسټ
 DocType: Customer Group,Parent Customer Group,Parent پيرودونکو ګروپ
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,د ای - ویز بل JSON یوازې د پلور انوائس څخه تولید کیدی شي
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,د دې پوښتنې لپاره اعظمي هڅې رسېدلي!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ګډون
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,د فیس جوړونې تادیه کول
@@ -7628,6 +7728,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,مخنیوی ساتنه
 DocType: Delivery Note Item,Against Sales Invoice,په وړاندې د خرڅلاو صورتحساب
 DocType: Purchase Invoice,07-Others,07-نور
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,د نرخ مقدار
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,لطفا د serialized توکی سريال عدد وليکئ
 DocType: Bin,Reserved Qty for Production,د تولید خوندي دي Qty
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,وناکتل پريږدئ که تاسو نه غواړي چې په داسې حال کې د کورس پر بنسټ ډلو جوړولو داځکه پام کې ونیسي.
@@ -7737,6 +7838,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,د پيسو د رسيد يادونه
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,دا په دې پيرودونکو پر وړاندې د معاملو پر بنسټ. د تفصیلاتو لپاره په لاندی مهال ویش وګورئ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,د موادو غوښتنه جوړه کړئ
+DocType: Loan Interest Accrual,Pending Principal Amount,د پرنسپل ارزښت پیسې
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,کورس هوښيار د ارزونې رپورټ
@@ -7778,6 +7880,7 @@
 											to fullfill Sales Order {2}",نشي کولی د سیریل نمبر {0} د توکي {1} وړاندې کړي لکه څنګه چې دا خوندي دی \ د سیلډر آرډر ډکولو لپاره {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN -YYYY-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,عرضه کوونکي د داوطلبۍ {0} جوړ
+DocType: Loan Security Unpledge,Unpledge Type,د نه منلو ډول
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,د پای کال د پیل کال مخکې نه شي
 DocType: Employee Benefit Application,Employee Benefits,د کارګر ګټې
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,د کارمند پېژندنه
@@ -7860,6 +7963,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,د کورس کود:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,لطفا اخراجاتو حساب ته ننوځي
 DocType: Quality Action Resolution,Problem,ستونزه
+DocType: Loan Security Type,Loan To Value Ratio,د ارزښت تناسب ته پور
 DocType: Account,Stock,سټاک
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د اخستلو امر يو، رانيول صورتحساب یا ژورنال انفاذ وي
 DocType: Employee,Current Address,اوسني پته
@@ -7877,6 +7981,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,د بانک بیان راکړې ورکړه
 DocType: Sales Invoice Item,Discount and Margin,کمښت او څنډی
 DocType: Lab Test,Prescription,نسخه
+DocType: Process Loan Security Shortfall,Update Time,د اوسمهالولو وخت
 DocType: Import Supplier Invoice,Upload XML Invoices,د XML رسیدونه اپلوډ کړئ
 DocType: Company,Default Deferred Revenue Account,د عوایدو تایید شوي اصلي حساب
 DocType: Project,Second Email,دوهم برېښلیک
@@ -7890,7 +7995,7 @@
 DocType: Quality Action,Preventive,مخنیوی
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,اکمالات غیر ثبت شوي اشخاصو ته کیږي
 DocType: Company,Date of Incorporation,د شرکتونو نیټه
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total د مالياتو
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total د مالياتو
 DocType: Manufacturing Settings,Default Scrap Warehouse,اصلي سکریپ ګودام
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,د اخري اخستلو نرخ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,د مقدار (تولید Qty) فرض ده
@@ -7909,6 +8014,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,د پیسو د بدلولو موډل ټاکئ
 DocType: Stock Entry Detail,Against Stock Entry,د سټاک ننوتلو په مقابل کې
 DocType: Grant Application,Withdrawn,ایستل
+DocType: Loan Repayment,Regular Payment,منظم تادیه
 DocType: Support Search Source,Support Search Source,د پلټنې سرچینه
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,د چارج وړ
 DocType: Project,Gross Margin %,د ناخالصه عايد٪
@@ -7922,8 +8028,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,د مالیې ورکړې پرته
 DocType: BOM Operation,BOM Operation,هیښ عمليات
 DocType: Purchase Taxes and Charges,On Previous Row Amount,په تیره د کتارونو تر مقدار
+DocType: Student,Home Address,کور پته
 DocType: Options,Is Correct,سمه ده، صحیح ده
 DocType: Item,Has Expiry Date,د پای نیټه نیټه لري
+DocType: Loan Repayment,Paid Accrual Entries,د پیسو اخیستل شوي پیسو ننوتل
+DocType: Loan Security,Loan Security Type,د پور امنیت ډول
 apps/erpnext/erpnext/config/support.py,Issue Type.,د مسلې ډول.
 DocType: POS Profile,POS Profile,POS پېژندنه
 DocType: Training Event,Event Name,دکمپاینونو نوم
@@ -7935,6 +8044,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",د ټاکلو لپاره د بودجې، نښې او نور موسمي
 apps/erpnext/erpnext/www/all-products/index.html,No values,هیڅ ارزښت نلري
 DocType: Supplier Scorecard Scoring Variable,Variable Name,متغیر نوم
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,د پخلاینې لپاره د بانکي حساب غوره کړئ.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",{0} د قالب دی کېنډۍ، لطفا د خپلو بېرغونو وټاکئ
 DocType: Purchase Invoice Item,Deferred Expense,انتقال شوي لګښت
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,پیغامونو ته بیرته لاړشئ
@@ -7985,7 +8095,6 @@
 DocType: GL Entry,To Rename,نوم بدلول
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,د سریال شمیره اضافه کولو لپاره غوره کړئ.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',مهرباني وکړئ د پیرودونکي لپاره مالي کوډ تنظیم کړئ &#39;٪ s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,مهرباني وکړئ لومړی شرکت غوره کړئ
 DocType: Item Attribute,Numeric Values,شمېريزو ارزښتونه
@@ -8009,6 +8118,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,د فیفا پر بنسټ راوړل
 DocType: Soil Texture,Clay Loam,مټ لوام
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,د ريښي د تصحيح نه شي.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,د پور د امنیت ارزښت
 DocType: Item,Units of Measure,د اندازه کولو واحدونه
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,په میٹرو ښار کې کرایه شوی
 DocType: Supplier,Default Tax Withholding Config,د عوایدو مالیه تادیه کول
@@ -8055,6 +8165,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,مهرباني وکړئ لومړی ټولۍ وټاکئ
 apps/erpnext/erpnext/config/projects.py,Project master.,د پروژې د بادار.
 DocType: Contract,Contract Terms,د قرارداد شرایط
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,ټاکل شوې اندازه محدودیت
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,شکل بندي ته ادامه ورکړه
 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,Maximum benefit amount of component {0} exceeds {1},د {0} څخه د زیاتو ګټې ګټه {1}
@@ -8100,3 +8211,4 @@
 DocType: Account,Cash,د نغدو پيسو
 DocType: Sales Invoice,Unpaid and Discounted,بې تادیه او تخفیف
 DocType: Employee,Short biography for website and other publications.,د ويب سايټ او نورو خپرونو لنډ ژوندلیک.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,قطار # {0}: فرعي قراردادي ته د خامو موادو د رسولو پرمهال د چمتو کونکي ګودام نه دی غوره کولی
diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv
index 68b92e5..00a577d 100644
--- a/erpnext/translations/pt.csv
+++ b/erpnext/translations/pt.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Oportunidade Razão Perdida
 DocType: Patient Appointment,Check availability,Verificar disponibilidade
 DocType: Retention Bonus,Bonus Payment Date,Data de Pagamento do Bônus
-DocType: Employee,Job Applicant,Candidato a Emprego
+DocType: Appointment Letter,Job Applicant,Candidato a Emprego
 DocType: Job Card,Total Time in Mins,Tempo total em minutos
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Informações de contato
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Procurar por qualquer coisa ...
 ,Stock and Account Value Comparison,Comparação de estoque e valor da conta
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,O valor desembolsado não pode ser maior que o valor do empréstimo
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Interessado
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,A Abrir
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programa:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,O Valid From Time deve ser menor que o Valid Upto Time.
 DocType: Item,Copy From Item Group,Copiar do Grupo do Item
 DocType: Journal Entry,Opening Entry,Registo de Abertura
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Só Conta de Pagamento
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Classe
 DocType: Restaurant Table,No of Seats,No of Seats
+DocType: Loan Type,Grace Period in Days,Período de carência em dias
 DocType: Sales Invoice,Overdue and Discounted,Em atraso e descontado
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},O ativo {0} não pertence ao custodiante {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Chamada Desconectada
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedimentos prescritos
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostrar apenas POS
 DocType: Supplier Group,Supplier Group Name,Nome do Grupo de Fornecedores
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar presença como <b></b>
 DocType: Driver,Driving License Categories,Categorias de licenças de condução
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Digite Data de Entrega
 DocType: Depreciation Schedule,Make Depreciation Entry,Efetuar Registo de Depreciação
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Os dados das operações realizadas.
 DocType: Asset Maintenance Log,Maintenance Status,Estado de Manutenção
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Item Montante do Imposto Incluído no Valor
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Garantia de Empréstimo
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalhes da associação
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: É necessário colocar o fornecedor na Conta a pagar {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Itens e Preços
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Horas totais: {0}
+DocType: Loan,Loan Manager,Gerente de Empréstimos
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},A Data De deve estar dentro do Ano Fiscal. Assumindo que a Data De = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervalo
@@ -469,6 +473,7 @@
 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,Select the customer or supplier.,Selecione o cliente ou fornecedor.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,O código do país no arquivo não corresponde ao código do país configurado no sistema
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},A Conta {0} não pertence à Empresa {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Selecione apenas uma prioridade como padrão.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Licença Bloqueada
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Registos Bancários
-DocType: Customer,Is Internal Customer,É cliente interno
+DocType: Sales Invoice,Is Internal Customer,É cliente interno
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Solicitação de Material
 DocType: Bank Reconciliation,Update Clearance Date,Atualizar Data de Liquidação
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Pacote Qtd
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Não é possível criar empréstimo até que o aplicativo seja aprovado
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Corrigir
 DocType: Student Guardian,Mother,Mãe
 DocType: Restaurant Reservation,Reservation End Time,Hora de término da reserva
+DocType: Salary Slip Loan,Loan Repayment Entry,Entrada de reembolso de empréstimo
 DocType: Crop,Biennial,Bienal
 ,BOM Variance Report,Relatório de variação da lista técnica
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Ordens de Clientes confirmadas.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},O pagamento de {0} {1} não pode ser superior ao Montante em Dívida {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Todas as Unidades de Serviço de Saúde
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Sobre a conversão de oportunidades
+DocType: Loan,Total Principal Paid,Total do Principal Pago
 DocType: Bank Account,Address HTML,Endereço HTML
 DocType: Lead,Mobile No.,N.º de Telemóvel
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Modo de pagamento
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Saldo em Moeda Base
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Novas Cotações
+DocType: Loan Interest Accrual,Loan Interest Accrual,Provisão para Juros de Empréstimos
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Participação não enviada para {0} como {1} de licença.
 DocType: Journal Entry,Payment Order,Ordem de pagamento
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verificar e-mail
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Renda De Outras Fontes
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Se em branco, a conta pai do armazém ou o padrão da empresa serão considerados"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Envia as folhas de vencimento por email com baxe no email preferido selecionado em Funcionário
+DocType: Work Order,This is a location where operations are executed.,Este é um local onde as operações são executadas.
 DocType: Tax Rule,Shipping County,Condado de Envio
 DocType: Currency Exchange,For Selling,À venda
 apps/erpnext/erpnext/config/desktop.py,Learn,Aprender
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Código de cupom aplicado
 DocType: Asset,Next Depreciation Date,Próxima Data de Depreciação
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Custo de Atividade por Funcionário
+DocType: Loan Security,Haircut %,% De corte de cabelo
 DocType: Accounts Settings,Settings for Accounts,Definições de Contas
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},O Nr. de Fatura do Fornecedor existe na Fatura de Compra {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Gerir Organograma de Vendedores.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Defina a tarifa do quarto do hotel em {}
 DocType: Journal Entry,Multi Currency,Múltiplas Moedas
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo de Fatura
+DocType: Loan,Loan Security Details,Detalhes da segurança do empréstimo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Válido a partir da data deve ser inferior a data de validade
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Ocorreu uma exceção ao reconciliar {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Definir depósito aceito
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Exigir aprovação de teste de laboratório
 DocType: Attendance,Working Hours,Horas de Trabalho
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total pendente
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Fator de conversão de UOM ({0} -&gt; {1}) não encontrado para o item: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Altera o número de sequência inicial / atual duma série existente.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Porcentagem que você tem permissão para faturar mais contra a quantia pedida. Por exemplo: Se o valor do pedido for $ 100 para um item e a tolerância for definida como 10%, você poderá faturar $ 110."
 DocType: Dosage Strength,Strength,Força
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Data de Veículo
 DocType: Campaign Email Schedule,Campaign Email Schedule,Agenda de e-mail da campanha
 DocType: Student Log,Medical,Clínico
+DocType: Work Order,This is a location where scraped materials are stored.,Este é um local onde os materiais raspados são armazenados.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Por favor selecione Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,O Dono do Potencial Cliente não pode ser o mesmo que o Potencial Cliente
 DocType: Announcement,Receiver,Recetor
@@ -892,7 +904,7 @@
 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: BOM,Total Cost (Company Currency),Custo total (moeda da empresa)
-DocType: Loan,Total Payment,Pagamento total
+DocType: Repayment Schedule,Total Payment,Pagamento total
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,Pedido já criado para todos os itens da ordem do cliente
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avisar ordens de compra
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Alugado da data
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Peças suficiente para construir
+DocType: Loan Security,Loan Security Code,Código de Segurança do Empréstimo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Por favor, salve primeiro"
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Os itens são necessários para puxar as matérias-primas que estão associadas a ele.
 DocType: POS Profile User,POS Profile User,Usuário do perfil POS
@@ -976,6 +989,7 @@
 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,Stock Entries already created for Work Order ,Entradas de ações já criadas para ordem de serviço
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Código do item&gt; Grupo de itens&gt; Marca
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Veja pedidos anteriores
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversas
 DocType: Vital Signs,Respiratory rate,Frequência respiratória
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,Eliminar Transações da Empresa
 DocType: Production Plan Item,Quantity and Description,Quantidade e Descrição
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,É obrigatório colocar o Nº de Referência e a Data de Referência para as transações bancárias
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Defina Naming Series como {0} em Configuração&gt; Configurações&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adicionar / Editar Impostos e Taxas
 DocType: Payment Entry Reference,Supplier Invoice No,Nr. de Fatura de Fornecedor
 DocType: Territory,For reference,Para referência
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Conta de Retenção Fiscal
 DocType: Pricing Rule,Sales Partner,Parceiro de Vendas
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Todos os scorecards do fornecedor.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Valor do pedido
+DocType: Loan,Disbursed Amount,Montante desembolsado
 DocType: Buying Settings,Purchase Receipt Required,É Obrigatório o Recibo de Compra
 DocType: Sales Invoice,Rail,Trilho
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Custo real
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Conectado ao QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Por favor identifique / crie uma conta (Ledger) para o tipo - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Conta a Pagar
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,A conta é obrigatória para obter entradas de pagamento
 DocType: Payment Entry,Type of Payment,Tipo de Pagamento
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Meio Dia A data é obrigatória
 DocType: Sales Order,Billing and Delivery Status,Faturação e Estado de Entrega
@@ -1117,7 +1133,7 @@
 DocType: Purchase Order Item,Billed Amt,Qtd Faturada
 DocType: Training Result Employee,Training Result Employee,Resultado de Formação de Funcionário
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Um Armazém lógico no qual são efetuados registos de stock.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Quantia principal
+DocType: Repayment Schedule,Principal Amount,Quantia principal
 DocType: Loan Application,Total Payable Interest,Juros a Pagar total
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total pendente: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Abrir Contato
@@ -1131,6 +1147,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Seus itens
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Fornecedor&gt; Tipo de fornecedor
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Elaboração de Proposta
 DocType: Payment Entry Deduction,Payment Entry Deduction,Dedução de Registo de Pagamento
 DocType: Service Level Priority,Service Level Priority,Prioridade de Nível de Serviço
@@ -1163,6 +1180,7 @@
 DocType: Batch,Batch Description,Descrição do Lote
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Criando grupos de alunos
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Não foi criada uma Conta do Portal de Pagamento, por favor, crie uma manualmente."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Armazéns de grupo não podem ser usados em transações. Altere o valor de {0}
 DocType: Supplier Scorecard,Per Year,Por ano
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Não é elegível para a admissão neste programa conforme DBA
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Linha nº {0}: não é possível excluir o item {1} atribuído ao pedido de compra do cliente.
@@ -1285,7 +1303,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Ao criar uma conta para a empresa filha {0}, a conta pai {1} não foi encontrada. Por favor, crie a conta pai no COA correspondente"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Problema de divisão
 DocType: Student Attendance,Student Attendance,Assiduidade de Estudante
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Nenhum dado para exportar
 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
@@ -1298,6 +1315,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data de entrega real
 DocType: Lab Test,Test Template,Modelo de teste
+DocType: Loan Security Pledge,Securities,Valores mobiliários
 DocType: Restaurant Order Entry Item,Served,Servido
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informações do capítulo.
 DocType: Account,Accounts,Contas
@@ -1391,6 +1409,7 @@
 DocType: Inpatient Record,O Negative,O Negativo
 DocType: Work Order Operation,Planned End Time,Tempo de Término Planeado
 DocType: POS Profile,Only show Items from these Item Groups,Mostrar apenas itens desses grupos de itens
+DocType: Loan,Is Secured Loan,É Empréstimo Garantido
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Detalhes do Tipo de Memebership
 DocType: Delivery Note,Customer's Purchase Order No,Nr. da Ordem de Compra do Cliente
@@ -1427,6 +1446,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Obter do Encontro do Paciente
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Fator de conversão de UOM ({0} -&gt; {1}) não encontrado para o item: {2}
 DocType: Subscriber,Subscriber,Assinante
 DocType: Item Attribute Value,Item Attribute Value,Valor do Atributo do Item
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Câmbio deve ser aplicável para compra ou venda.
@@ -1525,6 +1545,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Sem Permissão
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lista de verificação de cumprimento do contrato
 DocType: Vital Signs,Heart Rate / Pulse,Frequência cardíaca / pulso
+DocType: Customer,Default Company Bank Account,Conta bancária da empresa padrão
 DocType: Supplier,Default Bank Account,Conta Bancária Padrão
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Para filtrar com base nas Partes, selecione o Tipo de Parte primeiro"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Atualizar Stock' não pode ser ativado porque os itens não são entregues através de {0}"
@@ -1642,7 +1663,6 @@
 DocType: Sales Team,Incentives,Incentivos
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valores fora de sincronia
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valor da diferença
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configure séries de numeração para Presença em Configuração&gt; Série de numeração
 DocType: SMS Log,Requested Numbers,Números Solicitados
 DocType: Volunteer,Evening,Tarde
 DocType: Quiz,Quiz Configuration,Configuração do questionário
@@ -1662,6 +1682,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,No Total da Linha Anterior
 DocType: Purchase Invoice Item,Rejected Qty,Qtd Rejeitada
 DocType: Setup Progress Action,Action Field,Campo de ação
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Tipo de empréstimo para taxas de juros e multas
 DocType: Healthcare Settings,Manage Customer,Gerenciar Cliente
 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
@@ -1673,6 +1694,7 @@
 ,Final Assessment Grades,Avaliação final de notas
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,O nome da empresa para a qual está a configurar este sistema.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Incluir férias no Nr. Total de Dias Úteis
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Do total geral
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Configure seu Instituto no ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Análise de planta
 DocType: Task,Timeline,Timeline
@@ -1680,9 +1702,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Item alternativo
 DocType: Shopify Log,Request Data,Solicitar dados
 DocType: Employee,Date of Joining,Data de Admissão
+DocType: Delivery Note,Inter Company Reference,Referência entre empresas
 DocType: Naming Series,Update Series,Atualizar Séries
 DocType: Supplier Quotation,Is Subcontracted,É Subcontratado
 DocType: Restaurant Table,Minimum Seating,Assentos mínimos
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,A pergunta não pode ser duplicada
 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,Purchase Receipt,Recibo de Compra
@@ -1784,6 +1808,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sincronização de Facturas Offline
 DocType: Payment Request,Paid,Pago
 DocType: Service Level,Default Priority,Prioridade Padrão
+DocType: Pledge,Pledge,Juramento
 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."
@@ -1797,6 +1822,7 @@
 DocType: Guardian,Guardian Name,Nome do Responsável
 DocType: Cheque Print Template,Has Print Format,Tem Formato de Impressão
 DocType: Support Settings,Get Started Sections,Seções iniciais
+,Loan Repayment and Closure,Reembolso e encerramento de empréstimos
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sancionada
 ,Base Amount,Valor base
@@ -1807,10 +1833,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Do lugar
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},O valor do empréstimo não pode ser maior que {0}
 DocType: Student Admission,Publish on website,Publicar no website
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,A Data da Fatura do Fornecedor não pode ser maior que Data de Lançamento
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Código do item&gt; Grupo de itens&gt; Marca
 DocType: Subscription,Cancelation Date,Data de cancelamento
 DocType: Purchase Invoice Item,Purchase Order Item,Item da Ordem de Compra
 DocType: Agriculture Task,Agriculture Task,Tarefa de agricultura
@@ -1829,7 +1855,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Percentagem de Desconto Adicional
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Veja uma lista de todos os vídeos de ajuda
 DocType: Agriculture Analysis Criteria,Soil Texture,Textura do solo
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Selecione o título de conta do banco onde cheque foi depositado.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Permitir que o utilizador edite a Taxa de Lista de Preços em transações
 DocType: Pricing Rule,Max Qty,Qtd Máx.
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimir boletim
@@ -1964,7 +1989,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Depois de definida, esta fatura ficará em espera até a data definida"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Valor de Vendas
-DocType: Repayment Schedule,Interest Amount,Montante de juros
+DocType: Loan Interest Accrual,Interest Amount,Montante de juros
 DocType: Job Card,Time Logs,Tempo Logs
 DocType: Sales Invoice,Loyalty Amount,Montante de fidelidade
 DocType: Employee Transfer,Employee Transfer Detail,Detalhe de transferência de funcionários
@@ -1979,6 +2004,7 @@
 DocType: Cashier Closing,Returns,Devoluções
 DocType: Job Card,WIP Warehouse,Armazém WIP
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},O Nr. de Série {0} está sob o contrato de manutenção até {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Limite do valor sancionado cruzado para {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Recrutamento
 DocType: Lead,Organization Name,Nome da Organização
 DocType: Support Settings,Show Latest Forum Posts,Mostrar as últimas mensagens do fórum
@@ -2005,7 +2031,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Itens de Pedidos de Compra em Atraso
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Código Postal
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},A Ordem de Venda {0} é {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Efetuar Registos de Stock
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Não é possível promover funcionários com status
@@ -2091,7 +2116,6 @@
 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,Start Year,Ano de Início
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Criar Empréstimo
 DocType: Purchase Invoice,Start date of current invoice's period,A data de início do período de fatura atual
 DocType: Shift Type,Process Attendance After,Participação no Processo Depois
 ,IRS 1099,IRS 1099
@@ -2112,6 +2136,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Selecione seus domínios
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Fornecedor Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Itens de fatura de pagamento
+DocType: Repayment Schedule,Is Accrued,É acumulado
 DocType: Payroll Entry,Employee Details,Detalhes do Funcionários
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Processando arquivos XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2143,6 +2168,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Entrada do ponto de fidelidade
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Grupo de Item Padrão
+DocType: Loan,Partially Disbursed,parcialmente Desembolso
 DocType: Job Card Time Log,Time In Mins,Tempo em Mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Conceda informações.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Esta ação desvinculará esta conta de qualquer serviço externo que integre o ERPNext às suas contas bancárias. Não pode ser desfeito. Você está certo ?
@@ -2158,6 +2184,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Fechamento de Empréstimos
 DocType: Call Log,Lead,Potenciais Clientes
 DocType: Email Digest,Payables,A Pagar
 DocType: Amazon MWS Settings,MWS Auth Token,Token de Autenticação do MWS
@@ -2190,6 +2217,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON só pode ser gerado a partir de um documento enviado
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Imposto e benefícios do empregado
 DocType: Bank Guarantee,Validity in Days,Validade em Dias
+DocType: Unpledge,Haircut,Corte de cabelo
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},O Form-C não é aplicável à Fatura: {0}
 DocType: Certified Consultant,Name of Consultant,Nome do Consultor
 DocType: Payment Reconciliation,Unreconciled Payment Details,Dados de Pagamento Irreconciliáveis
@@ -2242,7 +2270,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Resto Do Mundo
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,O Item {0} não pode ter um Lote
 DocType: Crop,Yield UOM,Rendimento UOM
+DocType: Loan Security Pledge,Partially Pledged,Parcialmente comprometido
 ,Budget Variance Report,Relatório de Desvios de Orçamento
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Montante do empréstimo sancionado
 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,Get Items from Healthcare Services,Obter itens de serviços de saúde
@@ -2277,6 +2307,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Novo procedimento de qualidade
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},O Saldo da Conta {0} deve ser sempre {1}
 DocType: Patient Appointment,More Info,Mais informações
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,A data de nascimento não pode ser maior que a data de ingresso.
 DocType: Supplier Scorecard,Scorecard Actions,Ações do Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Fornecedor {0} não encontrado em {1}
 DocType: Purchase Invoice,Rejected Warehouse,Armazém Rejeitado
@@ -2373,6 +2404,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Defina primeiro o código do item
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Tipo Doc
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Promessa de segurança do empréstimo criada: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Nomeações e Encontros com Pacientes
@@ -2428,6 +2460,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Número de compromissos simultâneos
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Começando
 DocType: Purchase Invoice,Taxes and Charges Calculation,Cálculo de Impostos e Encargos
+DocType: Loan Interest Accrual,Payable Principal Amount,Montante Principal a Pagar
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Entrada de Depreciação de Ativos do Livro Automaticamente
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Entrada de Depreciação de Ativos do Livro Automaticamente
 DocType: BOM Operation,Workstation,Posto de Trabalho
@@ -2465,7 +2498,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Comida
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Faixa de Idade 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalhes do Voucher de Fechamento do PDV
-DocType: Bank Account,Is the Default Account,É a conta padrão
 DocType: Shopify Log,Shopify Log,Log do Shopify
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nenhuma comunicação encontrada.
 DocType: Inpatient Occupancy,Check In,Check-in
@@ -2523,12 +2555,14 @@
 DocType: Sales Order Item,Planned Quantity,Quantidade Planeada
 DocType: Water Analysis,Water Analysis Criteria,Critérios de Análise de Água
 DocType: Item,Maintain Stock,Manter Stock
+DocType: Loan Security Unpledge,Unpledge Time,Tempo de Promessa
 DocType: Terms and Conditions,Applicable Modules,Módulos Aplicáveis
 DocType: Employee,Prefered Email,Email Preferido
 DocType: Student Admission,Eligibility and Details,Elegibilidade e detalhes
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Incluído no Lucro Bruto
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Variação Líquida no Ativo Imobilizado
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Este é um local onde o produto final é armazenado.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Máx.: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Data e Hora De
@@ -2569,8 +2603,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garantia / Estado CMA
 ,Accounts Browser,Navegador de Contas
 DocType: Procedure Prescription,Referral,Referência
+,Territory-wise Sales,Vendas por território
 DocType: Payment Entry Reference,Payment Entry Reference,Referência de Registo de Pagamento
 DocType: GL Entry,GL Entry,Registo GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Linha nº {0}: o Warehouse aceito e o Warehouse do fornecedor não podem ser iguais
 DocType: Support Search Source,Response Options,Opções de resposta
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Aplicar várias regras de precificação
 DocType: HR Settings,Employee Settings,Definições de Funcionário
@@ -2631,6 +2667,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Agricultura (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Nota Fiscal
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Defina Naming Series como {0} em Configuração&gt; Configurações&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Alugar Escritório
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Configurar definições de portal de SMS
 DocType: Disease,Common Name,Nome comum
@@ -2647,6 +2684,7 @@
 DocType: Item,Sales Details,Dados de Vendas
 DocType: Coupon Code,Used,Usava
 DocType: Opportunity,With Items,Com Itens
+DocType: Vehicle Log,last Odometer Value ,último valor do odômetro
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',A Campanha &#39;{0}&#39; já existe para o {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Equipe de manutenção
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Ordem em que seções devem aparecer. 0 é primeiro, 1 é o segundo e assim por diante."
@@ -2657,7 +2695,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,O Relatório de Despesas {0} já existe no Registo de Veículo
 DocType: Asset Movement Item,Source Location,Localização da fonte
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nome do Instituto
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Por favor, indique reembolso Valor"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Por favor, indique reembolso Valor"
 DocType: Shift Type,Working Hours Threshold for Absent,Limite de Horas de Trabalho por Ausente
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Pode haver vários fatores de cobrança em camadas com base no total gasto. Mas o fator de conversão para resgate será sempre o mesmo para todo o nível.
 apps/erpnext/erpnext/config/help.py,Item Variants,Variantes do Item
@@ -2681,6 +2719,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} deve ser menor que {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Selecione primeiro o tipo de candidato
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Selecione BOM, Quantidade e Para Armazém"
 DocType: GST HSN Code,GST HSN Code,Código GST HSN
 DocType: Employee External Work History,Total Experience,Experiência total
@@ -2771,7 +2810,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Nenhuma lista de materiais ativa encontrada para o item {0}. Entrega por \ Serial No não pode ser assegurada
 DocType: Sales Partner,Sales Partner Target,Objetivo de Parceiro de Vendas
-DocType: Loan Type,Maximum Loan Amount,Montante máximo do empréstimo
+DocType: Loan Application,Maximum Loan Amount,Montante máximo do empréstimo
 DocType: Coupon Code,Pricing Rule,Regra de Fixação de Preços
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Número de rolo duplicado para o estudante {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Número de rolo duplicado para o estudante {0}
@@ -2795,6 +2834,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Licenças Atribuídas Com Sucesso para {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Sem Itens para embalar
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Somente arquivos .csv e .xlsx são suportados atualmente
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configure o sistema de nomeação de funcionários em Recursos humanos&gt; Configurações de RH
 DocType: Shipping Rule Condition,From Value,Valor De
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,É obrigatório colocar a Quantidade de Fabrico
 DocType: Loan,Repayment Method,Método de reembolso
@@ -2878,6 +2918,7 @@
 DocType: Customer,Customer POS Id,ID do PD do cliente
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Aluno com email {0} não existe
 DocType: Account,Account Name,Nome da Conta
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},O montante do empréstimo sancionado já existe para {0} contra a empresa {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,A Data De não pode ser mais recente do que a Data A
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,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
 DocType: Pricing Rule,Apply Discount on Rate,Aplicar desconto na taxa
@@ -2949,6 +2990,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Lucro líquido
 DocType: Purchase Invoice,Eligibility For ITC,Elegibilidade para o ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 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,Net Change in Accounts Payable,Variação Líquida em Contas a Pagar
@@ -2960,6 +3002,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID do dispositivo de atendimento (ID de tag biométrico / RF)
 DocType: Quotation,Term Details,Dados de Término
 DocType: Item,Over Delivery/Receipt Allowance (%),Sobretaxa de entrega / recebimento (%)
+DocType: Appointment Letter,Appointment Letter Template,Modelo de carta de nomeação
 DocType: Employee Incentive,Employee Incentive,Incentivo ao funcionário
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Total (Sem Imposto)
@@ -2984,6 +3027,7 @@
 					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"
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Desvincular Pagamento no Cancelamento da Fatura
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Processar provisão de juros de empréstimo
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},A leitura do Conta-quilómetros atual deve ser superior à leitura inicial do Conta-quilómetros {0}
 ,Purchase Order Items To Be Received or Billed,Itens do pedido a serem recebidos ou faturados
 DocType: Restaurant Reservation,No Show,No Show
@@ -3070,6 +3114,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: É necessário colocar o centro de custo para a conta ""Lucros e Perdas"" {2}. Por favor, crie um Centro de Custo padrão para a Empresa."
 DocType: Payment Schedule,Payment Term,Termo de pagamento
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Já existe um Grupo de Clientes com o mesmo nome, por favor altere o nome do Cliente ou do Grupo de Clientes"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,A Data de término da admissão deve ser maior que a Data de início da admissão.
 DocType: Location,Area,Área
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Novo Contacto
 DocType: Company,Company Description,Descrição da Empresa
@@ -3145,6 +3190,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Dados mapeados
 DocType: Purchase Order Item,Warehouse and Reference,Armazém e Referência
 DocType: Payroll Period Date,Payroll Period Date,Data do Período da Folha de Pagamento
+DocType: Loan Disbursement,Against Loan,Contra Empréstimo
 DocType: Supplier,Statutory info and other general information about your Supplier,Informações legais e outras informações gerais sobre o seu Fornecedor
 DocType: Item,Serial Nos and Batches,Números de série e lotes
 DocType: Item,Serial Nos and Batches,Números de série e lotes
@@ -3213,6 +3259,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Selecione uma empresa
 DocType: Delivery Settings,Delivery Settings,Configurações de entrega
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Buscar dados
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Não é possível cancelar mais do que {0} qty de {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Licença máxima permitida no tipo de licença {0} é {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicar 1 item
 DocType: SMS Center,Create Receiver List,Criar Lista de Destinatários
@@ -3362,6 +3409,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Valor Base (Moeda da Empresa)
 DocType: Purchase Invoice,Registered Regular,Registado Regular
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Matéria prima
+DocType: Plaid Settings,sandbox,caixa de areia
 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
@@ -3374,12 +3422,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Tipo de transação
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Critérios de Aceitação
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Valor Total a Pagar
 DocType: Task,Expected Time (in hours),Tempo Previsto (em horas)
 DocType: Item Reorder,Check in (group),Check-in (grupo)
 DocType: Soil Texture,Silt,Silt
@@ -3411,6 +3458,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Imposto de dedução para comprovação de isenção fiscal não enviada
 DocType: Volunteer,Anytime,A qualquer momento
 DocType: Bank Account,Bank Account No,Número da conta bancária
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Desembolso e reembolso
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Submissão de prova de isenção de imposto de empregado
 DocType: Patient,Surgical History,História cirúrgica
 DocType: Bank Statement Settings Item,Mapped Header,Cabeçalho Mapeado
@@ -3475,6 +3523,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Criar teste (s) de laboratório no envio de fatura de vendas
 DocType: Serial No,Invoice Details,Detalhes da fatura
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Estrutura Salarial deve ser submetida antes da apresentação da Declaração de Emissão Fiscal
+DocType: Loan Application,Proposed Pledges,Promessas propostas
 DocType: Grant Application,Show on Website,Mostrar no site
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Comece em
 DocType: Hub Tracked Item,Hub Category,Categoria Hub
@@ -3486,7 +3535,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Scorecard do fornecedor em pé
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials não encontrado para o item {1}
 DocType: Contract Fulfilment Checklist,Requirement,Requerimento
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configure o sistema de nomeação de funcionários em Recursos humanos&gt; Configurações de RH
 DocType: Journal Entry,Accounts Receivable,Contas a Receber
 DocType: Quality Goal,Objectives,Objetivos
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Função permitida para criar aplicativos de licença antigos
@@ -3499,6 +3547,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Incluir Registos Conciliados
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,O montante total alocado ({0}) é maior do que o valor pago ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir Cobranças com Base Em
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},O valor pago não pode ser menor que {0}
 DocType: Projects Settings,Timesheets,Registo de Horas
 DocType: HR Settings,HR Settings,Definições de RH
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Mestres Contábeis
@@ -3644,6 +3693,7 @@
 DocType: Employee,Health Insurance,Plano de saúde
 DocType: Asset Repair,Manufacturing Manager,Gestor de Fabrico
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},O Nr. de Série {0} está na garantia até {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,"O valor do empréstimo excede o valor máximo do empréstimo de {0}, conforme os valores mobiliários propostos"
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valor mínimo permissível
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,O usuário {0} já existe
 apps/erpnext/erpnext/hooks.py,Shipments,Envios
@@ -3688,7 +3738,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipo de negócios
 DocType: Sales Invoice,Consumer,Consumidor
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor, selecione o Montante Alocado, o Tipo de Fatura e o Número de Fatura em pelo menos uma linha"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Defina Naming Series como {0} em Configuração&gt; Configurações&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Custo de Nova Compra
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordem de Venda necessária para o Item {0}
 DocType: Grant Application,Grant Description,Descrição do Grant
@@ -3697,6 +3746,7 @@
 DocType: Subscription,Discounts,Descontos
 DocType: Bank Transaction,Unallocated Amount,Montante Não Atribuído
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Por favor habilite Aplicável no Pedido de Compra e Aplicável na Reserva de Despesas Reais
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} não é uma conta bancária da empresa
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,"Não foi possível encontrar um item para esta pesquisa. Por favor, selecione outro valor para {0}."
 DocType: POS Profile,Taxes and Charges,Impostos e Encargos
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Um Produto ou Serviço que é comprado, vendido ou mantido em stock."
@@ -3747,6 +3797,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Válido da data deve ser menor que a data de validade.
 DocType: Employee Skill,Evaluation Date,Data de avaliação
 DocType: Quotation Item,Stock Balance,Balanço de Stock
+DocType: Loan Security Pledge,Total Security Value,Valor total de segurança
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ordem de Venda para Pagamento
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Com Pagamento de Imposto
@@ -3759,6 +3810,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},A conta {0} não existe no gráfico do painel {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Mostrar atributos variantes
@@ -3840,6 +3892,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Avaliação Atual da Taxa
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Número de contas raiz não pode ser menor que 4
 DocType: Training Event,Advance,Avançar
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Contra Empréstimo:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Configurações do gateway de pagamento GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Ganhos / Perdas de Câmbio
 DocType: Opportunity,Lost Reason,Motivo de Perda
@@ -3924,8 +3977,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Selecione lote não
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Inválido {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Linha {0}: a data de nascimento do irmão não pode ser maior que hoje.
 DocType: Fee Validity,Reference Inv,Referência Inv
 DocType: Sales Invoice Advance,Advance Amount,Montante de Adiantamento
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Taxa de juros de penalidade (%) por dia
 DocType: Manufacturing Settings,Capacity Planning,Planeamento de Capacidade
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Ajuste de arredondamento (Moeda da empresa
 DocType: Asset,Policy number,Número da polícia
@@ -3941,7 +3996,9 @@
 DocType: Normal Test Items,Require Result Value,Exigir o valor do resultado
 DocType: Purchase Invoice,Pricing Rules,Regras de precificação
 DocType: Item,Show a slideshow at the top of the page,Ver uma apresentação de slides no topo da página
+DocType: Appointment Letter,Body,Corpo
 DocType: Tax Withholding Rate,Tax Withholding Rate,Taxa de Retenção Fiscal
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,A data de início do reembolso é obrigatória para empréstimos a prazo
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Lojas
@@ -3961,7 +4018,7 @@
 DocType: Call Log,Received By,Recebido por
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Duração da consulta (em minutos)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalhes do modelo de mapeamento de fluxo de caixa
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestão de Empréstimos
+DocType: Loan,Loan Management,Gestão de Empréstimos
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Acompanhe Rendimentos e Despesas separados para verticais ou divisões de produtos.
 DocType: Rename Tool,Rename Tool,Ferr. de Alt. de Nome
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Atualizar Custo
@@ -3969,6 +4026,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Modo de transporte
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Mostrar Folha de Vencimento
+DocType: Loan,Is Term Loan,É Empréstimo a Prazo
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transferência de Material
 DocType: Fees,Send Payment Request,Enviar pedido de pagamento
 DocType: Travel Request,Any other details,Qualquer outro detalhe
@@ -3986,6 +4044,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Fluxo de Caixa de Financiamento
 DocType: Budget Account,Budget Account,Conta do Orçamento
 DocType: Quality Inspection,Verified By,Verificado Por
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Adicionar segurança de empréstimo
 DocType: Travel Request,Name of Organizer,Nome do organizador
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Não é possível alterar a moeda padrão da empresa, porque existem operações com a mesma. Deverá cancelar as transações para alterar a moeda padrão."
 DocType: Cash Flow Mapping,Is Income Tax Liability,É Responsabilidade Fiscal de Renda
@@ -4036,6 +4095,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Necessário Em
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Se marcado, oculta e desativa o campo Arredondado total em boletins de salários"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Esse é o deslocamento padrão (dias) para a Data de entrega em pedidos de venda. O deslocamento de fallback é de 7 dias a partir da data de colocação do pedido.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configure séries de numeração para Presença em Configuração&gt; Série de numeração
 DocType: Rename Tool,File to Rename,Ficheiro para Alterar Nome
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Buscar atualizações de assinatura
@@ -4048,6 +4108,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Números de série criados
 DocType: POS Profile,Applicable for Users,Aplicável para usuários
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,A partir da data e até a data são obrigatórias
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Definir projeto e todas as tarefas para status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Definir adiantamentos e alocar (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nenhuma ordem de serviço criada
@@ -4057,6 +4118,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Itens por
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Custo dos Itens Adquiridos
 DocType: Employee Separation,Employee Separation Template,Modelo de Separação de Funcionários
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Quantidade zero de {0} comprometida com o empréstimo {0}
 DocType: Selling Settings,Sales Order Required,Ordem de Venda necessária
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Torne-se um vendedor
 ,Procurement Tracker,Procurement Tracker
@@ -4154,11 +4216,12 @@
 ,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,Total Absent,Faltas Totais
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Valor a Pagar
+DocType: Loan Repayment,Payable Amount,Valor a Pagar
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Oportunidade
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,A força máxima não pode ser menor que zero.
 DocType: Options,Option,Opção
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Você não pode criar lançamentos contábeis no período contábil encerrado {0}
 DocType: Operation,Default Workstation,Posto de Trabalho Padrão
@@ -4200,6 +4263,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,O valor dos juros é obrigatório
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Próximos Passos
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Itens salvos
@@ -4271,8 +4335,6 @@
 DocType: Grant Application,Grant Application Details ,Detalhes do pedido de concessão
 DocType: Employee Separation,Employee Separation,Separação de funcionários
 DocType: BOM Item,Original Item,Item Original
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Por favor, exclua o funcionário <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data do Doc
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Registos de Propinas Criados - {0}
 DocType: Asset Category Account,Asset Category Account,Categoria de Conta de Ativo
@@ -4308,6 +4370,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,O item de teste de laboratório {0} já existe
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} é um feriado da empresa
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Horas faturáveis
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,A taxa de juros de penalidade é cobrada diariamente sobre o valor dos juros pendentes em caso de atraso no pagamento
+DocType: Appointment Letter content,Appointment Letter content,Conteúdo da carta de nomeação
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Deixar a notificação de status
 DocType: Patient Appointment,Procedure Prescription,Prescrição de Procedimento
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Móveis e Utensílios
@@ -4327,7 +4391,7 @@
 DocType: Opportunity,Customer / Lead Name,Nome de Cliente / Potencial Cliente
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Data de Liquidação não mencionada
 DocType: Payroll Period,Taxable Salary Slabs,Placas Salariais Tributáveis
-DocType: Job Card,Production,Produção
+DocType: Plaid Settings,Production,Produção
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN inválido! A entrada que você digitou não corresponde ao formato de GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valor da conta
 DocType: Guardian,Occupation,Ocupação
@@ -4473,6 +4537,7 @@
 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,Student {0} does not belong to group {1},O aluno {0} não pertence ao grupo {1}
+DocType: Appointment Letter,Appointment Date,Data do encontro
 DocType: Budget,Cost Center,Centro de Custos
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,País de Envio
@@ -4543,6 +4608,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dimensão Contábil
 ,Profit and Loss Statement,Cálculo de Lucros e Perdas
 DocType: Bank Reconciliation Detail,Cheque Number,Número de Cheque
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,O valor pago não pode ser zero
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,O item referenciado por {0} - {1} já está faturado
 ,Sales Browser,Navegador de Vendas
 DocType: Journal Entry,Total Credit,Crédito Total
@@ -4659,6 +4725,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Adicionar / editar condições do cupom
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"A conta de Despesas / Diferenças ({0}) deve ser uma conta de ""Lucros e Perdas"""
 DocType: Stock Entry Detail,Stock Entry Child,Filho de entrada de estoque
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,A Companhia de Garantia de Empréstimo e a Empresa de Empréstimo devem ser iguais
 DocType: Project,Copied From,Copiado de
 DocType: Project,Copied From,Copiado de
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Fatura já criada para todos os horários de cobrança
@@ -4667,6 +4734,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,O custo das finanças
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Já foi registada a presença do funcionário {0}
 DocType: Packing Slip,If more than one package of the same type (for print),Se houver mais do que um pacote do mesmo tipo (por impressão)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configure o Sistema de Nomenclatura do Instrutor em Educação&gt; Configurações da Educação
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Defina o cliente padrão em Configurações do restaurante
 ,Salary Register,salário Register
 DocType: Company,Default warehouse for Sales Return,Depósito padrão para devolução de vendas
@@ -4711,7 +4779,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Número de série atual
 DocType: Employee,Attendance and Leave Details,Detalhes de participação e licença
 ,BOM Comparison Tool,Ferramenta de comparação de BOM
-,Requested,Solicitado
+DocType: Loan Security Pledge,Requested,Solicitado
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4723,7 +4791,6 @@
 DocType: Drug Prescription,Drug Prescription,Prescrição de drogas
 DocType: Service Level,Support and Resolution,Suporte e Resolução
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Código de item livre não selecionado
-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
@@ -4757,6 +4824,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Você já avaliou os critérios de avaliação {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Quantidade de déficit
 DocType: Vehicle Service,Engine Oil,Óleo de Motor
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Ordens de Serviço Criadas: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},"Por favor, defina um ID de e-mail para o lead {0}"
@@ -4775,6 +4843,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},A conta não está definida para o gráfico do painel {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Aplicar Desconto Adicional Em
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Selecione o tipo...
+DocType: Loan Interest Accrual,Amounts,Montantes
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Seus ingressos
 DocType: Account,Root Type,Tipo de Fonte
 DocType: Item,FIFO,FIFO
@@ -4782,6 +4851,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Linha # {0}: Não é possível devolver mais de {1} para o Item {2}
 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: Loan Security Price,Loan Security Price,Preço da garantia do empréstimo
 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,Target warehouse is mandatory for row {0},É obrigatório colocar o Destino do Armazém para a linha {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Operações de distribuição
@@ -4922,6 +4992,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},O lote é obrigatório na linha {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},O lote é obrigatório na linha {0}
 DocType: Company,Default Buying Terms,Termos de compra padrão
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Desembolso de Empréstimos
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Item de Recibo de Compra Fornecido
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Ativar sincronização agendada
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Para Data e Hora
@@ -4950,6 +5021,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Digite o valor entre {0} e {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Insira o nome da campanha se a fonte da consulta for a campanha
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Editores de Jornais
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Nenhum <b>preço de</b> garantia de <b>empréstimo</b> válido encontrado para {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Datas futuras não permitidas
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Data de entrega esperada deve ser após a data da ordem de venda
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Reordenar Nível
@@ -5016,6 +5088,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,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/config/loan_management.py,Loan Processes,Processos de Empréstimos
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Variante única
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Todos os Empregos
 DocType: Sales Order,% of materials billed against this Sales Order,% de materiais faturados desta Ordem de Venda
@@ -5079,7 +5152,7 @@
 DocType: Item,Reorder level based on Warehouse,Nível de reencomenda no Armazém
 DocType: Activity Cost,Billing Rate,Preço de faturação padrão
 ,Qty to Deliver,Qtd a Entregar
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Criar entrada de desembolso
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Criar entrada de desembolso
 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,Operations cannot be left blank,As operações não podem ser deixadas em branco
@@ -5113,6 +5186,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Desvincular integrações externas
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Escolha um pagamento correspondente
 DocType: Pricing Rule,Item Code,Código do Item
+DocType: Loan Disbursement,Pending Amount For Disbursal,Montante pendente para desembolso
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garantia / Dados CMA
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Selecionar os alunos manualmente para o grupo baseado em atividade
@@ -5137,6 +5211,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Qtd Total
 DocType: Landed Cost Item,Receipt Document,Documento de Receção
 DocType: Employee Education,School/University,Escola/Universidade
+DocType: Loan Security Pledge,Loan  Details,Detalhes do Empréstimo
 DocType: Sales Invoice Item,Available Qty at Warehouse,Qtd Disponível no Armazém
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Montante Faturado
 DocType: Share Transfer,(including),(incluindo)
@@ -5160,6 +5235,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupos
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Agrupar por Conta
 DocType: Purchase Invoice,Hold Invoice,Segurar fatura
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Status da promessa
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Selecione Empregado
 DocType: Sales Order,Fully Delivered,Totalmente Entregue
 DocType: Promotional Scheme Price Discount,Min Amount,Quantidade mínima
@@ -5169,7 +5245,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Desembolso Valor não pode ser maior do que o valor do empréstimo {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},A linha {0} # O valor alocado {1} não pode ser maior do que a quantidade não reclamada {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Nº da Ordem de Compra necessário para o Item {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Folhas encaminhadas
@@ -5197,6 +5272,7 @@
 DocType: Pick List Item,Serial No and Batch,O Nr. de Série e de Lote
 DocType: Warranty Claim,From Company,Da Empresa
 DocType: GSTR 3B Report,January,janeiro
+DocType: Loan Repayment,Principal Amount Paid,Montante Principal Pago
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Soma dos escores de critérios de avaliação precisa ser {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Por favor, defina o Número de Depreciações Marcado"
 DocType: Supplier Scorecard Period,Calculations,Cálculos
@@ -5223,6 +5299,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Sobre a sua empresa
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Mostrar dados de estoque
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,A conta de Crédito Para deve ser uma conta de Balanço
+DocType: Loan Repayment,Penalty Amount,Valor da penalidade
 DocType: Donor,Donor,Doador
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Atualizar impostos para itens
 DocType: Global Defaults,Disable In Words,Desativar Por Extenso
@@ -5253,6 +5330,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centro de Custo e Orçamento
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Equidade de Saldo Inicial
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Entrada paga parcial
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Por favor, defina o cronograma de pagamento"
 DocType: Pick List,Items under this warehouse will be suggested,Itens sob este armazém serão sugeridos
 DocType: Purchase Invoice,N,N
@@ -5286,7 +5364,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} não encontrado para Item {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},O valor deve estar entre {0} e {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Mostrar imposto inclusivo na impressão
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Mensagem Enviada
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5300,6 +5377,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Ativar reordenação automática
 DocType: Stock Settings,Item Naming By,Dar Nome de Item Por
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Foi efetuado outro Registo de Encerramento de Período {0} após {1}
+DocType: Proposed Pledge,Proposed Pledge,Promessa proposta
 DocType: Work Order,Material Transferred for Manufacturing,Material Transferido para Fabrico
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,A Conta {0} não existe
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Selecione o programa de fidelidade
@@ -5310,7 +5388,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","A Configurar Eventos para {0}, uma vez que o Funcionário vinculado ao Vendedor abaixo não possui uma ID de Utilizador {1}"
 DocType: Timesheet,Billing Details,Dados de Faturação
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,A fonte e o armazém de destino devem ser diferentes um do outro
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Configure o sistema de nomeação de funcionários em Recursos humanos&gt; Configurações de RH
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Pagamento falhou. Por favor, verifique a sua conta GoCardless para mais detalhes"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Não é permitido atualizar transações com ações mais antigas que {0}
 DocType: Stock Entry,Inspection Required,Inspeção Obrigatória
@@ -5323,6 +5400,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},É necessário colocar o armazém de entrega para o item de stock {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),O peso bruto do pacote. Normalmente peso líquido + peso do material de embalagem. (Para impressão)
 DocType: Assessment Plan,Program,Programa
+DocType: Unpledge,Against Pledge,Contra promessa
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Os utilizadores com esta função poderão definir contas congeladas e criar / modificar os registos contabilísticos em contas congeladas
 DocType: Plaid Settings,Plaid Environment,Ambiente xadrez
 ,Project Billing Summary,Resumo de cobrança do projeto
@@ -5375,6 +5453,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lotes
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Número de dias em que os compromissos podem ser agendados com antecedência
 DocType: Article,LMS User,Usuário LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,A garantia de segurança do empréstimo é obrigatória para empréstimos garantidos
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Lugar de fornecimento (estado / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,UNID de Stock
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,A Ordem de Compra {0} não foi enviada
@@ -5450,6 +5529,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Criar cartão de trabalho
 DocType: Quotation,Referral Sales Partner,Parceiro de vendas de referência
 DocType: Quality Procedure Process,Process Description,Descrição do processo
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Não é possível prometer, o valor da garantia do empréstimo é maior que o valor reembolsado"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,O cliente {0} é criado.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5470,7 +5550,7 @@
 DocType: Asset,Insurance Details,Dados de Seguro
 DocType: Account,Payable,A Pagar
 DocType: Share Balance,Share Type,Tipo de compartilhamento
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Por favor, indique períodos de reembolso"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Por favor, indique períodos de reembolso"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Devedores ({0})
 DocType: Pricing Rule,Margin,Margem
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Novos Clientes
@@ -5479,6 +5559,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Alterar o perfil do POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Quantidade ou quantidade é mandatroy para garantia de empréstimo
 DocType: Bank Reconciliation Detail,Clearance Date,Data de Liquidação
 DocType: Delivery Settings,Dispatch Notification Template,Modelo de Notificação de Despacho
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Relatório de avaliação
@@ -5514,6 +5595,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Fatura de vendas {0} criada
 DocType: Employee,Confirmation Date,Data de Confirmação
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Por favor, exclua o funcionário <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 DocType: Inpatient Occupancy,Check Out,Confira
 DocType: C-Form,Total Invoiced Amount,Valor total faturado
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,A Qtd Mín. não pode ser maior do que a Qtd Máx.
@@ -5527,7 +5610,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID da empresa de Quickbooks
 DocType: Travel Request,Travel Funding,Financiamento de viagens
 DocType: Employee Skill,Proficiency,Proficiência
-DocType: Loan Application,Required by Date,Exigido por Data
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detalhe do recibo de compra
 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
 DocType: Lead,Lead Owner,Dono de Potencial Cliente
@@ -5546,7 +5628,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,A LDM Atual e a Nova LDN não podem ser iguais
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID de Folha de Vencimento
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,A Data De Saída deve ser posterior à Data de Admissão
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Fornecedor&gt; Tipo de fornecedor
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variantes múltiplas
 DocType: Sales Invoice,Against Income Account,Na Conta de Rendimentos
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Entregue
@@ -5579,7 +5660,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Os encargos do tipo de avaliação não podem ser marcados como Inclusivos
 DocType: POS Profile,Update Stock,Actualizar Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Detalhes do pagamento
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Preço na LDM
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Lendo arquivo carregado
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5615,6 +5696,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Valor Máximo do Empréstimo
 ,Stock Ledger,Livro de Stock
 DocType: Company,Exchange Gain / Loss Account,Conta de Ganhos / Perdas de Câmbios
 DocType: Amazon MWS Settings,MWS Credentials,Credenciais MWS
@@ -5622,6 +5704,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},O objetivo deve pertencer a {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,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,Community Forum,Fórum Comunitário
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Nenhuma licença atribuída ao empregado: {0} para o tipo de licença: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Quantidade real em stock
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Quantidade real em stock
 DocType: Homepage,"URL for ""All Products""","URL para ""Todos os Produtos"""
@@ -5724,7 +5807,6 @@
 DocType: Fee Schedule,Fee Schedule,Cronograma de Propinas
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Rótulos da Coluna:
 DocType: Bank Transaction,Settled,Liquidado
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,A data de desembolso não pode ser posterior à data de início do reembolso do empréstimo
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parâmetros
 DocType: Company,Create Chart Of Accounts Based On,Criar Plano de Contas Baseado Em
@@ -5744,6 +5826,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Limite de crédito e condições de pagamento
 DocType: Loyalty Program,Collection Rules,Regras de Coleta
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Item 3
+DocType: Loan Security Shortfall,Shortfall Time,Tempo de Déficit
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Entrada de pedido
 DocType: Purchase Order,Customer Contact Email,Email de Contacto de Cliente
 DocType: Warranty Claim,Item and Warranty Details,Itens e Dados de Garantia
@@ -5763,12 +5846,14 @@
 DocType: Sales Person,Sales Person Name,Nome de Vendedor/a
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Por favor, insira pelo menos 1 fatura na tabela"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nenhum teste de laboratório criado
+DocType: Loan Security Shortfall,Security Value ,Valor de segurança
 DocType: POS Item Group,Item Group,Grupo do Item
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupo de Estudantes:
 DocType: Depreciation Schedule,Finance Book Id,ID do livro de finanças
 DocType: Item,Safety Stock,Stock de Segurança
 DocType: Healthcare Settings,Healthcare Settings,Configurações de cuidados de saúde
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Total de Folhas Alocadas
+DocType: Appointment Letter,Appointment Letter,Carta de nomeação
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,A % de Progresso para uma tarefa não pode ser superior a 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Antes da conciliação
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Para {0}
@@ -5824,6 +5909,7 @@
 DocType: Stock Entry,From BOM,Da LDM
 DocType: Assessment Code,Assessment Code,Código de Avaliação
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Básico
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Pedidos de empréstimo de clientes e funcionários.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Estão congeladas as transações com stock antes de {0}
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Por favor, clique em  'Gerar Cronograma'"
 DocType: Job Card,Current Time,Hora atual
@@ -5850,7 +5936,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Conceder
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Não foi criado nenhum Grupo de Estudantes.
 DocType: Purchase Invoice Item,Serial No,Nr. de Série
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mensal Reembolso Valor não pode ser maior do que o valor do empréstimo
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mensal Reembolso Valor não pode ser maior do que o valor do empréstimo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Por favor, insira os Dados de Manutenção primeiro"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Linha # {0}: a data de entrega prevista não pode ser anterior à data da ordem de compra
 DocType: Purchase Invoice,Print Language,Idioma de Impressão
@@ -5864,6 +5950,7 @@
 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,All Territories,Todos os Territórios
+DocType: Plaid Settings,development,desenvolvimento
 DocType: Lost Reason Detail,Lost Reason Detail,Detalhe da Razão Perdida
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ordem de cobertura inválida para o cliente e item selecionados
@@ -5928,12 +6015,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aberturas Atuais
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Fluxo de Caixa das Operações
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Quantidade CGST
+DocType: Vehicle Log,Current Odometer value ,Valor atual do odômetro
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Criar aluno
 DocType: Asset Movement Item,Asset Movement Item,Item de movimento de ativos
 DocType: Purchase Invoice,Shipping Rule,Regra de Envio
 DocType: Patient Relation,Spouse,Cônjuge
 DocType: Lab Test Groups,Add Test,Adicionar teste
 DocType: Manufacturer,Limited to 12 characters,Limitado a 12 caracteres
+DocType: Appointment Letter,Closing Notes,Notas de encerramento
 DocType: Journal Entry,Print Heading,Imprimir Cabeçalho
 DocType: Quality Action Table,Quality Action Table,Tabela de Ação de Qualidade
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,O total não pode ser zero
@@ -6001,6 +6090,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Qtd)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Por favor identifique / crie uma conta (grupo) para o tipo - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entretenimento e Lazer
+DocType: Loan Security,Loan Security,Segurança de Empréstimos
 ,Item Variant Details,Item Variant Details
 DocType: Quality Inspection,Item Serial No,Nº de Série do Item
 DocType: Payment Request,Is a Subscription,É uma assinatura
@@ -6013,7 +6103,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Idade mais recente
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,As datas programadas e admitidas não podem ser menores do que hoje
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transferência de material para Fornecedor
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,O Novo Nr. de Série não pode ter um Armazém. O Armazém deve ser definido no Registo de Compra ou no Recibo de Compra
 DocType: Lead,Lead Type,Tipo Potencial Cliente
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Maak Offerte
@@ -6031,7 +6120,6 @@
 DocType: Leave Allocation,Leave Period,Período de licença
 DocType: Item,Default Material Request Type,Tipo de Solicitação de Material Padrão
 DocType: Supplier Scorecard,Evaluation Period,Periodo de avaliação
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de clientes&gt; Território
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Desconhecido
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordem de serviço não criada
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6116,7 +6204,8 @@
 ,Customer-wise Item Price,Preço de Item ao Consumidor
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Demonstração dos Fluxos de Caixa
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Não foi criada nenhuma solicitação de material
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,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}
+DocType: Loan,Loan Security Pledge,Garantia de Empréstimo
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licença
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6134,6 +6223,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Esquema de desconto de preço
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,O status de manutenção deve ser cancelado ou concluído para enviar
 DocType: Amazon MWS Settings,US,NOS
+DocType: Loan Security Pledge,Pledged,Prometido
 DocType: Holiday List,Add Weekly Holidays,Adicionar feriados semanais
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Item de relatorio
 DocType: Staffing Plan Detail,Vacancies,Vagas
@@ -6152,7 +6242,6 @@
 DocType: Production Plan Item,Planned Start Date,Data de Início Planeada
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Selecione uma lista de materiais
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Imposto Integrado do ITC
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Criar entrada de reembolso
 DocType: Purchase Order Item,Blanket Order Rate,Taxa de ordem de cobertura
 ,Customer Ledger Summary,Resumo do ledger de clientes
 apps/erpnext/erpnext/hooks.py,Certification,Certificação
@@ -6173,6 +6262,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Título do Modelo de Avaliação
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Comercial
 DocType: Patient,Alcohol Current Use,Uso atual de álcool
+DocType: Loan,Loan Closure Requested,Solicitação de encerramento de empréstimo
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Montante de pagamento de aluguel de casa
 DocType: Student Admission Program,Student Admission Program,Programa de admissão de estudantes
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Categoria de Isenção Fiscal
@@ -6196,6 +6286,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Vendas
 DocType: Stock Entry Detail,Basic Amount,Montante de Base
 DocType: Training Event,Exam,Exame
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Déficit de segurança do empréstimo de processo
 DocType: Email Campaign,Email Campaign,Campanha de e-mail
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Erro do mercado
 DocType: Complaint,Complaint,Queixa
@@ -6275,6 +6366,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Envie isto para criar o registro do funcionário
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Preço do título de empréstimo sobreposto com {0}
 DocType: Item Default,Item Default,Item Padrão
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Suprimentos Intra-estatais
 DocType: Chapter Member,Leave Reason,Deixe razão
@@ -6302,6 +6394,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} O cupom usado é {1}. A quantidade permitida está esgotada
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Você deseja enviar a solicitação de material
 DocType: Job Offer,Awaiting Response,A aguardar Resposta
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,O empréstimo é obrigatório
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Acima
 DocType: Support Search Source,Link Options,Opções de Link
@@ -6314,6 +6407,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
+DocType: Pledge,Post Haircut Amount,Quantidade de corte de cabelo
 DocType: Sales Order,Skip Delivery Note,Ignorar nota de entrega
 DocType: Price List,Price Not UOM Dependent,Preço Não Dependente da UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} variantes criadas.
@@ -6340,6 +6434,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Obter Itens de Pacote de Produtos
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,O método de reembolso é obrigatório para empréstimos a prazo
 DocType: Asset,Straight Line,Linha Reta
 DocType: Project User,Project User,Utilizador do Projecto
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Dividido
@@ -6388,7 +6483,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Função Permitida para Definir as Contas Congeladas e Editar Registos Congelados
 DocType: Supplier Scorecard Scoring Variable,Path,Caminho
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Não é possível converter o Centro de Custo a livro, uma vez que tem subgrupos"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Fator de conversão de UOM ({0} -&gt; {1}) não encontrado para o item: {2}
 DocType: Production Plan,Total Planned Qty,Qtd total planejado
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transações já recuperadas da declaração
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor Inicial
@@ -6397,11 +6491,8 @@
 DocType: Material Request Plan Item,Required Quantity,Quantidade requerida
 DocType: Lab Test Template,Lab Test Template,Modelo de teste de laboratório
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Período de Contabilidade sobrepõe-se a {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Fornecedor&gt; Tipo de fornecedor
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Conta de vendas
 DocType: Purchase Invoice Item,Total Weight,Peso total
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Por favor, exclua o funcionário <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento"
 DocType: Pick List Item,Pick List Item,Item da lista de seleção
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comissão sobre Vendas
 DocType: Job Offer Term,Value / Description,Valor / Descrição
@@ -6448,6 +6539,7 @@
 DocType: Patient Encounter,Encounter Date,Encontro Data
 DocType: Work Order,Update Consumed Material Cost In Project,Atualizar custo de material consumido no projeto
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Não é possível selecionar a conta: {0} com a moeda: {1}
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Empréstimos concedidos a clientes e funcionários.
 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
@@ -6516,7 +6608,6 @@
 DocType: Contract,Signed On,Inscrito em
 DocType: Bank Account,Party Type,Tipo de Parte
 DocType: Discounted Invoice,Discounted Invoice,Fatura descontada
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar presença como <b></b>
 DocType: Payment Schedule,Payment Schedule,Agenda de pagamentos
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nenhum funcionário encontrado para o valor do campo de empregado determinado. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Abreviatura
@@ -6588,6 +6679,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Credores
 DocType: Assessment Plan,Assessment Name,Nome da Avaliação
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Linha # {0}: É obrigatório colocar o Nr. de Série
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,É necessário um valor de {0} para o fechamento do empréstimo
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Dados de Taxa por Item
 DocType: Employee Onboarding,Job Offer,Oferta de emprego
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abreviação do Instituto
@@ -6612,7 +6704,6 @@
 DocType: Purchase Order,To Receive,A Receber
 DocType: Leave Period,Holiday List for Optional Leave,Lista de férias para licença opcional
 DocType: Item Tax Template,Tax Rates,Taxas de impostos
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Código do item&gt; Grupo de itens&gt; Marca
 DocType: Asset,Asset Owner,Proprietário de ativos
 DocType: Item,Website Content,Conteúdo do site
 DocType: Bank Account,Integration ID,ID de integração
@@ -6629,6 +6720,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Pedidos de sincronização
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Pedidos lançados para a produção.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Selecione o Ano Fiscal...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Selecione Tipo de empréstimo para a empresa {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6657,6 +6749,7 @@
 DocType: Customer,Mention if non-standard receivable account,Mencione se é uma conta a receber não padrão
 DocType: Bank,Plaid Access Token,Token de acesso xadrez
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,"Por favor, adicione os benefícios restantes {0} para qualquer um dos componentes existentes"
+DocType: Bank Account,Is Default Account,É a conta padrão
 DocType: Journal Entry Account,If Income or Expense,Se forem Rendimentos ou Despesas
 DocType: Course Topic,Course Topic,Tópico do curso
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Vencimento do Voucher de Fechamento POS existe para {0} entre a data {1} e {2}
@@ -6669,7 +6762,7 @@
 DocType: Disease,Treatment Task,Tarefa de Tratamento
 DocType: Payment Order Reference,Bank Account Details,Detalhes da conta bancária
 DocType: Purchase Order Item,Blanket Order,Pedido de cobertor
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,O valor de reembolso deve ser maior que
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,O valor de reembolso deve ser maior que
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Ativo Fiscal
 DocType: BOM Item,BOM No,Nr. da LDM
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detalhes da atualização
@@ -6726,6 +6819,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Produtos WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Erro de sintaxe na fórmula ou condição: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,O Item {0} foi ignorado pois não é um item de stock
+,Loan Security Status,Status de segurança do empréstimo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Para não aplicar regra de preços numa determinada transação, todas as regras de preços aplicáveis devem ser desativadas."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dia (s) após o final do mês da fatura
 DocType: Assessment Group,Parent Assessment Group,Grupo de Avaliação pai
@@ -6740,7 +6834,6 @@
 DocType: Stock Entry Detail,Additional Cost,Custo Adicional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Não pode filtrar com base no Nr. de Voucher, se estiver agrupado por Voucher"
 DocType: Quality Inspection,Incoming,Entrada
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Configure séries de numeração para Presença em Configuração&gt; Série de numeração
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Os modelos de imposto padrão para vendas e compra são criados.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Avaliação O registro de resultados {0} já existe.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemplo: ABCD. #####. Se a série estiver configurada e o número de lote não for mencionado nas transações, o número de lote automático será criado com base nessa série. Se você sempre quiser mencionar explicitamente o Lote Não para este item, deixe em branco. Nota: esta configuração terá prioridade sobre o prefixo da série de nomeação em Configurações de estoque."
@@ -6751,8 +6844,10 @@
 DocType: Contract,Party User,Usuário da festa
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Ativos não criados para <b>{0}</b> . Você precisará criar um ativo manualmente.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Defina o filtro de empresa em branco se Group By for &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de clientes&gt; Território
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,A Data de Postagem não pode ser uma data futura
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Linha # {0}: O Nr. de Série {1} não corresponde a {2} {3}
+DocType: Loan Repayment,Interest Payable,Juros a pagar
 DocType: Stock Entry,Target Warehouse Address,Endereço do depósito de destino
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Licença Ocasional
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,O horário antes do horário de início do turno durante o qual o Check-in do funcionário é considerado para participação.
@@ -6881,6 +6976,7 @@
 DocType: Issue,Reset Service Level Agreement,Redefinir Acordo de Nível de Serviço
 ,Sales Person-wise Transaction Summary,Resumo da Transação por Vendedor
 DocType: Training Event,Contact Number,Número de Contacto
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Montante do empréstimo é obrigatório
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6929,6 +7025,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Qtd de Saldo
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,As condições serão aplicadas em todos os itens selecionados combinados.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Os objectivos não pode estar vazia
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Armazém incorreto
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Inscrição de alunos
 DocType: Item Group,Parent Item Group,Grupo de Item Principal
 DocType: Appointment Type,Appointment Type,Tipo de compromisso
@@ -6984,10 +7081,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Taxa média
 DocType: Appointment,Appointment With,Compromisso com
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,O valor total do pagamento no cronograma de pagamento deve ser igual a total / total arredondado
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar presença como <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Item Fornecido pelo Cliente&quot; não pode ter Taxa de Avaliação
 DocType: Subscription Plan Detail,Plan,Plano
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,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
+DocType: Appointment Letter,Applicant Name,Nome do Candidato
 DocType: Authorization Rule,Customer / Item Name,Cliente / Nome do Item
 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**. 
 
@@ -7037,11 +7135,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribuição
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"O status de funcionário não pode ser definido como &quot;Esquerdo&quot;, pois os seguintes funcionários estão reportando a este funcionário:"
-DocType: Journal Entry Account,Loan,Empréstimo
+DocType: Loan Repayment,Amount Paid,Montante Pago
+DocType: Loan Security Shortfall,Loan,Empréstimo
 DocType: Expense Claim Advance,Expense Claim Advance,Avance de reclamação de despesas
 DocType: Lab Test,Report Preference,Prevenção de relatório
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informação de voluntários.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Gestor de Projetos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Agrupar por cliente
 ,Quoted Item Comparison,Comparação de Cotação de Item
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Expedição
@@ -7061,6 +7161,7 @@
 DocType: Material Request Plan Item,Material Issue,Saída de Material
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Item gratuito não definido na regra de preço {0}
 DocType: Employee Education,Qualification,Qualificação
+DocType: Loan Security Shortfall,Loan Security Shortfall,Déficit na segurança do empréstimo
 DocType: Item Price,Item Price,Preço de Item
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabão e Detergentes
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},O funcionário {0} não pertence à empresa {1}
@@ -7083,6 +7184,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Detalhes do compromisso
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produto final
 DocType: Warehouse,Warehouse Name,Nome dp Armazém
+DocType: Loan Security Pledge,Pledge Time,Tempo da promessa
 DocType: Naming Series,Select Transaction,Selecionar Transação
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Por favor, insira a Função Aprovadora ou o Utilizador Aprovador"
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,O Acordo de Nível de Serviço com o Tipo de Entidade {0} e a Entidade {1} já existe.
@@ -7090,7 +7192,6 @@
 DocType: BOM,Rate Of Materials Based On,Taxa de Materiais Baseada Em
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se ativado, o Termo Acadêmico do campo será obrigatório na Ferramenta de Inscrição do Programa."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valores de suprimentos internos isentos, nulos e não-GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Cliente&gt; Grupo de clientes&gt; Território
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>A empresa</b> é um filtro obrigatório.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Desmarcar todos
 DocType: Purchase Taxes and Charges,On Item Quantity,Na quantidade do item
@@ -7136,7 +7237,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Qtd de Escassez
 DocType: Purchase Invoice,Input Service Distributor,Distribuidor de serviços de entrada
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,A variante do Item {0} já existe com mesmos atributos
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configure o Sistema de Nomenclatura do Instrutor em Educação&gt; Configurações da Educação
 DocType: Loan,Repay from Salary,Reembolsar a partir de Salário
 DocType: Exotel Settings,API Token,Token da API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Solicitando o pagamento contra {0} {1} para montante {2}
@@ -7156,6 +7256,7 @@
 DocType: Salary Slip,Total Interest Amount,Montante total de juros
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Prometer
 DocType: Accounts Settings,Stale Days,Dias fechados
 DocType: Travel Itinerary,Arrival Datetime,Data de chegada
 DocType: Tax Rule,Billing Zipcode,CEP para cobrança
@@ -7342,6 +7443,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Horas
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Um novo compromisso foi criado para você com {0}
 DocType: Project,Expected Start Date,Data de Início Prevista
+DocType: Work Order,This is a location where raw materials are available.,Este é um local onde as matérias-primas estão disponíveis.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Correção na Fatura
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordem de Serviço já criada para todos os itens com BOM
 DocType: Bank Account,Party Details,Detalhes do partido
@@ -7360,6 +7462,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Cotações:
 DocType: Contract,Partially Fulfilled,Cumprido Parcialmente
 DocType: Maintenance Visit,Fully Completed,Totalmente Concluído
+DocType: Loan Security,Loan Security Name,Nome da segurança do empréstimo
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caracteres especiais, exceto &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; E &quot;}&quot; não permitidos na série de nomenclatura"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Não é avaliado ou isentado
 DocType: Employee,Educational Qualification,Qualificação Educacional
@@ -7417,6 +7520,7 @@
 DocType: Program,Is Featured,É destaque
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Buscando ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Usuário da agricultura
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,A data de validade até a data não pode ser anterior à data da transação
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7494,8 +7598,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Empregado {0} está em Sair em {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Nenhum reembolso selecionado para Entrada no Diário
 DocType: Purchase Invoice,GST Category,Categoria GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,As promessas propostas são obrigatórias para empréstimos garantidos
 DocType: Payment Reconciliation,From Invoice Date,Data de Fatura De
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Orçamentos
 DocType: Invoice Discounting,Disbursed,Desembolsado
@@ -7553,14 +7657,13 @@
 DocType: Restaurant,Active Menu,Menu Ativo
 DocType: Accounting Dimension Detail,Default Dimension,Dimensão Padrão
 DocType: Target Detail,Target Qty,Qtd Alvo
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Contra Empréstimo: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Definições de Saída
 DocType: Student Attendance,Present,Presente
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,A Guia de Remessa {0} não deve ser enviada
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","O boleto enviado por e-mail ao funcionário será protegido por senha, a senha será gerada com base na política de senha."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Conta-km
 DocType: Production Plan Item,Ordered Qty,Qtd Pedida
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,O Item {0} está desativado
 DocType: Stock Settings,Stock Frozen Upto,Stock Congelado Até
@@ -7619,7 +7722,6 @@
 DocType: Serial No,Delivery Document Type,Tipo de Documento de Entrega
 DocType: Sales Order,Partly Delivered,Parcialmente Entregue
 DocType: Item Variant Settings,Do not update variants on save,Não atualize as variantes em salvar
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupo Custmer
 DocType: Email Digest,Receivables,A Receber
 DocType: Lead Source,Lead Source,Fonte de Potencial Cliente
 DocType: Customer,Additional information regarding the customer.,Informações adicionais acerca do cliente.
@@ -7717,6 +7819,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Atual
 DocType: Appointment,Skype ID,ID do skype
 DocType: Restaurant Menu,Restaurant Manager,Gerente de restaurante
+DocType: Loan,Penalty Income Account,Conta de Rendimentos de Penalidades
 DocType: Call Log,Call Log,Registro de chamadas
 DocType: Authorization Rule,Customerwise Discount,Desconto por Cliente
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Registo de Horas para as tarefas.
@@ -7805,6 +7908,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Esquema de Desconto do Produto
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Nenhum problema foi levantado pelo chamador.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Agrupar por Fornecedor
 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,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
@@ -7815,7 +7919,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consultoria
 DocType: Subscription Plan,Based on price list,Baseado na lista de preços
 DocType: Customer Group,Parent Customer Group,Grupo de Clientes Principal
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON só pode ser gerado a partir da fatura de vendas
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Máximo de tentativas para este teste alcançado!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Subscrição
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Criação de taxa pendente
@@ -7833,6 +7936,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Manutenção preventiva
 DocType: Delivery Note Item,Against Sales Invoice,Na Fatura de Venda
 DocType: Purchase Invoice,07-Others,07-Outros
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Valor da cotação
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Digite números de série para o item serializado
 DocType: Bin,Reserved Qty for Production,Qtd Reservada para a Produção
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deixe desmarcada se você não quiser considerar lote ao fazer cursos com base grupos.
@@ -7942,6 +8046,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Nota de Recibo de Pagamento
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Criar pedido de material
+DocType: Loan Interest Accrual,Pending Principal Amount,Montante principal pendente
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Datas de início e término não em um Período da folha de pagamento válido, não é possível calcular {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7985,6 +8090,7 @@
 											to fullfill Sales Order {2}",Não é possível entregar o Nº de série {0} do item {1} como está reservado \ para preencher o Pedido de Vendas {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Cotação de Fornecedor {0} criada
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge Type
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,O Fim do Ano não pode ser antes do Início do Ano
 DocType: Employee Benefit Application,Employee Benefits,Benefícios do Funcionário
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID do Empregado
@@ -8067,6 +8173,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Código do curso:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Por favor, insira a Conta de Despesas"
 DocType: Quality Action Resolution,Problem,Problema
+DocType: Loan Security Type,Loan To Value Ratio,Relação Empréstimo / Valor
 DocType: Account,Stock,Stock
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8084,6 +8191,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entrada de transação de extrato bancário
 DocType: Sales Invoice Item,Discount and Margin,Desconto e Margem
 DocType: Lab Test,Prescription,Prescrição
+DocType: Process Loan Security Shortfall,Update Time,Tempo de atualização
 DocType: Import Supplier Invoice,Upload XML Invoices,Carregar faturas XML
 DocType: Company,Default Deferred Revenue Account,Conta de receita diferida padrão
 DocType: Project,Second Email,Segundo e-mail
@@ -8097,7 +8205,7 @@
 DocType: Quality Action,Preventive,Preventivo
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Suprimentos para pessoas não registradas
 DocType: Company,Date of Incorporation,Data de incorporação
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Impostos Totais
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Impostos Totais
 DocType: Manufacturing Settings,Default Scrap Warehouse,Depósito de sucata padrão
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Último preço de compra
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,É obrigatório colocar Para a Quantidade (Qtd de Fabrico)
@@ -8116,6 +8224,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Definir o modo de pagamento padrão
 DocType: Stock Entry Detail,Against Stock Entry,Contra entrada de ações
 DocType: Grant Application,Withdrawn,Retirado
+DocType: Loan Repayment,Regular Payment,Pagamento regular
 DocType: Support Search Source,Support Search Source,Fonte de pesquisa de suporte
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Margem Bruta %
@@ -8129,8 +8238,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Sem Pagamento de Imposto
 DocType: BOM Operation,BOM Operation,Funcionamento da LDM
 DocType: Purchase Taxes and Charges,On Previous Row Amount,No Montante da Linha Anterior
+DocType: Student,Home Address,Endereço Residencial
 DocType: Options,Is Correct,Está correto
 DocType: Item,Has Expiry Date,Tem data de expiração
+DocType: Loan Repayment,Paid Accrual Entries,Entradas de competência pagas
+DocType: Loan Security,Loan Security Type,Tipo de garantia de empréstimo
 apps/erpnext/erpnext/config/support.py,Issue Type.,Tipo de problema.
 DocType: POS Profile,POS Profile,Perfil POS
 DocType: Training Event,Event Name,Nome do Evento
@@ -8142,6 +8254,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sazonalidade para definição de orçamentos, metas etc."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Sem valores
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Nome variável
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Selecione a conta bancária para reconciliar.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","O Item {0} é um modelo, por favor, selecione uma das suas variantes"
 DocType: Purchase Invoice Item,Deferred Expense,Despesa Diferida
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Voltar para Mensagens
@@ -8193,7 +8306,6 @@
 DocType: GL Entry,To Rename,Renomear
 DocType: Stock Entry,Repack,Reembalar
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selecione para adicionar o número de série.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Configure o Sistema de Nomenclatura do Instrutor em Educação&gt; Configurações da Educação
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Por favor, defina o Código Fiscal para o cliente &#39;% s&#39;"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Selecione a empresa primeiro
 DocType: Item Attribute,Numeric Values,Valores Numéricos
@@ -8217,6 +8329,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Buscar com base no FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,A fonte não pode ser editada.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Valor da segurança do empréstimo
 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
@@ -8263,6 +8376,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Por favor, selecione primeiro a Categoria"
 apps/erpnext/erpnext/config/projects.py,Project master.,Definidor de Projeto.
 DocType: Contract,Contract Terms,Termos do contrato
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Limite de quantidade sancionada
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Continue a configuração
 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,Maximum benefit amount of component {0} exceeds {1},A quantidade máxima de benefício do componente {0} excede {1}
@@ -8295,6 +8409,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Visualizar log de chamadas
 DocType: BOM Operation,Operating Cost(Company Currency),Custo Operacional (Moeda da Empresa)
 DocType: Loan Application,Rate of Interest,Taxa de interesse
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Promessa de garantia de empréstimo já prometida contra empréstimo {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Quantidade Sancionada
 DocType: Item,Shelf Life In Days,Vida útil em dias
 DocType: GL Entry,Is Opening,Está a Abrir
@@ -8308,3 +8423,4 @@
 DocType: Account,Cash,Numerário
 DocType: Sales Invoice,Unpaid and Discounted,Não pago e descontado
 DocType: Employee,Short biography for website and other publications.,Breve biografia para o website e outras publicações.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Linha nº {0}: não é possível selecionar o armazém do fornecedor ao fornecer matérias-primas ao subcontratado
diff --git a/erpnext/translations/pt_br.csv b/erpnext/translations/pt_br.csv
index 7419009..e44eace 100644
--- a/erpnext/translations/pt_br.csv
+++ b/erpnext/translations/pt_br.csv
@@ -251,7 +251,7 @@
 DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Registros contábeis congelados até a presente data, ninguém pode criar/modificar registros com exceção do perfil especificado abaixo."
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,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
 ,Payment Period Based On Invoice Date,Prazo Médio de Pagamento Baseado na Emissão da Nota
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total de Impostos
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total de Impostos
 DocType: Delivery Note,Return Against Delivery Note,Devolução contra Guia de Remessa
 apps/erpnext/erpnext/accounts/utils.py,Payment Entries {0} are un-linked,Os Registos de Pagamento {0} não estão relacionados
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note_list.js,Cannot create a Delivery Trip from Draft documents.,Você não pode criar uma Viagem de Entrega para documentos em rascunho.
@@ -553,6 +553,7 @@
 DocType: Patient,Married,Casado
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Executive Search,Executive Search
 ,Itemwise Recommended Reorder Level,Níves de Reposição Recomendados por Item
+DocType: Loan Repayment,Amount Paid,Valor pago
 DocType: Guardian,Guardian Of ,Responsável por
 DocType: Bank Statement Transaction Entry,Receivable Account,Contas a Receber
 DocType: Job Offer,Printing Details,Imprimir detalhes
@@ -651,7 +652,7 @@
 DocType: Authorization Rule,Applicable To (User),Aplicável Para (Usuário)
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Quantia)
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Item {0} is not a serialized Item,Item {0} não é um item serializado
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Valor Principal
+DocType: Repayment Schedule,Principal Amount,Valor Principal
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Registros de Tempo para tarefas.
 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,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}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} é obrigatório para o item {1}
@@ -771,7 +772,7 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Send SMS,Envie SMS
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Apply Now,Aplique agora
 apps/erpnext/erpnext/config/buying.py,Request for quotation.,Solicitação de orçamento.
-DocType: Loan,Total Payment,Pagamento Total
+DocType: Repayment Schedule,Total Payment,Pagamento Total
 DocType: Work Order,Manufactured Qty,Qtde Fabricada
 DocType: Leave Application,Leave Approver Name,Nome do Aprovador de Licenças
 DocType: Employee Attendance Tool,Employees HTML,Colaboradores HTML
@@ -842,7 +843,6 @@
 DocType: Fee Schedule Program,Student Batch,Série de Alunos
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Fetch exploded BOM (including sub-assemblies),Buscar LDM explodida (incluindo sub-conjuntos )
 DocType: Lead,Lead is an Organization,Cliente em Potencial  é uma Empresa
-DocType: Loan Application,Required by Date,Necessário até a data
 DocType: Purchase Taxes and Charges,Reference Row #,Referência Linha #
 DocType: Payroll Entry,Employee Details,Detalhes do Funcionário
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Cliente {0} não pertence ao projeto {1}
@@ -1650,7 +1650,7 @@
 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Data do Último Contato
 DocType: Work Order,Manufacture against Material Request,Fabricação Vinculada a uma Requisição de Material
 DocType: Email Digest,Payables,Contas a Pagar
-DocType: Vehicle Log,Odometer,Odômetro
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Odômetro
 DocType: Employee Attendance Tool,Marked Attendance HTML,Presença marcante HTML
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Department Stores,Lojas de Departamento
 DocType: Issue,First Responded On,Primeira Resposta em
@@ -1761,7 +1761,7 @@
 DocType: Manufacturing Settings,Capacity Planning,Planejamento de capacidade
 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Por favor selecione {0}
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Categoria de Declaração de Isenção de Imposto do Colaborador
-DocType: Loan Application,Total Payable Amount,Total a Pagar
+DocType: Loan,Total Payable Amount,Total a Pagar
 apps/erpnext/erpnext/controllers/accounts_controller.py,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
 DocType: Work Order,Work-in-Progress Warehouse,Armazén de Trabalho em Andamento
 apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Data de nascimento não pode ser maior do que hoje.
@@ -2527,7 +2527,7 @@
 apps/erpnext/erpnext/portal/doctype/homepage/homepage.py,This is an example website auto-generated from ERPNext,Este é um exemplo website auto- gerada a partir ERPNext
 DocType: Chapter Member,Leave Reason,Motivo da Saída
 DocType: Item Group,Show this slideshow at the top of the page,Mostrar esta apresentação de slides no topo da página
-DocType: Loan Type,Maximum Loan Amount,Valor Máximo de Empréstimo
+DocType: Loan Application,Maximum Loan Amount,Valor Máximo de Empréstimo
 DocType: Serial No,Creation Time,Horário de Criação
 DocType: Employee Incentive,Employee Incentive,Incentivo ao Colaborador
 DocType: Leave Allocation,Total Leaves Allocated,Total de licenças alocadas
@@ -3006,11 +3006,10 @@
 DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferido para Fabricação
 ,Employee Information,Informações do Colaborador
 DocType: Purchase Invoice,Start date of current invoice's period,Data de início do período de fatura atual
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Selecione a conta bancária onde o valor foi depositado.
 DocType: Production Plan Item,Product Bundle Item,Item do Pacote de Produtos
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Digite Recibo de compra primeiro
 DocType: Opportunity,Contact Info,Informações para Contato
-DocType: Employee,Job Applicant,Candidato à Vaga
+DocType: Appointment Letter,Job Applicant,Candidato à Vaga
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Editor de Newsletter
 DocType: Sales Order Item,Supplier delivers to Customer,O fornecedor entrega diretamente ao cliente
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Small,Muito Pequeno
diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv
index 3c13ef0..a99c723 100644
--- a/erpnext/translations/ro.csv
+++ b/erpnext/translations/ro.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Motivul pierdut din oportunitate
 DocType: Patient Appointment,Check availability,Verifică Disponibilitate
 DocType: Retention Bonus,Bonus Payment Date,Data de plată Bonus
-DocType: Employee,Job Applicant,Solicitant loc de muncă
+DocType: Appointment Letter,Job Applicant,Solicitant loc de muncă
 DocType: Job Card,Total Time in Mins,Timp total în mină
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Informatii de contact
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Căutați orice ...
 ,Stock and Account Value Comparison,Comparația valorilor stocurilor și conturilor
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Suma plătită nu poate fi mai mare decât suma împrumutului
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Interesat
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Deschidere
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Valid From Time trebuie să fie mai mic decât Valid Upto Time.
 DocType: Item,Copy From Item Group,Copiere din Grupul de Articole
 DocType: Journal Entry,Opening Entry,Deschiderea de intrare
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Contul Plătiți numai
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,calitate
 DocType: Restaurant Table,No of Seats,Numărul de scaune
+DocType: Loan Type,Grace Period in Days,Perioada de har în zile
 DocType: Sales Invoice,Overdue and Discounted,Întârziat și redus
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Activul {0} nu aparține custodului {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Apel deconectat
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Proceduri prescrise
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Afișați numai POS
 DocType: Supplier Group,Supplier Group Name,Numele grupului de furnizori
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcați prezența ca <b></b>
 DocType: Driver,Driving License Categories,Categorii de licență de conducere
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Introduceți data livrării
 DocType: Depreciation Schedule,Make Depreciation Entry,Asigurați-vă Amortizarea Intrare
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detalii privind operațiunile efectuate.
 DocType: Asset Maintenance Log,Maintenance Status,Stare Mentenanta
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Suma impozitului pe articol inclus în valoare
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Unplingge de securitate a împrumutului
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detalii de membru
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Furnizorul este necesar pentru Contul de plăți {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Articole și Prețuri
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Numărul total de ore: {0}
+DocType: Loan,Loan Manager,Managerul de împrumut
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},De la data trebuie să fie în anul fiscal. Presupunând că la data = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',"Actualizat prin ""Ora Log"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Selectați clientul sau furnizorul.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Codul de țară din fișier nu se potrivește cu codul de țară configurat în sistem
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Contul {0} nu aparține Companiei {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Selectați doar o prioritate ca implicită.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Concediu Blocat
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Intrările bancare
-DocType: Customer,Is Internal Customer,Este client intern
+DocType: Sales Invoice,Is Internal Customer,Este client intern
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,Nr. Factură de Vânzări
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Cerere de material
 DocType: Bank Reconciliation,Update Clearance Date,Actualizare Clearance Data
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Cantitate de pachet
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Nu se poate crea împrumut până la aprobarea cererii
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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ă
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Corect
 DocType: Student Guardian,Mother,Mamă
 DocType: Restaurant Reservation,Reservation End Time,Timp de terminare a rezervării
+DocType: Salary Slip Loan,Loan Repayment Entry,Intrarea rambursării împrumutului
 DocType: Crop,Biennial,Bienal
 ,BOM Variance Report,BOM Raport de variație
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Comenzi confirmate de la clienți.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Plata împotriva {0} {1} nu poate fi mai mare decât Impresionant Suma {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Toate unitățile de servicii medicale
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,La convertirea oportunității
+DocType: Loan,Total Principal Paid,Total plătit principal
 DocType: Bank Account,Address HTML,Adresă HTML
 DocType: Lead,Mobile No.,Numar de mobil
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Modul de plată
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Soldul în moneda de bază
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grad
 DocType: Email Digest,New Quotations,Noi Oferte
+DocType: Loan Interest Accrual,Loan Interest Accrual,Dobândirea dobânzii împrumutului
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Participarea nu a fost trimisă pentru {0} ca {1} în concediu.
 DocType: Journal Entry,Payment Order,Ordin de plată
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verificați e-mail
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Venit din alte surse
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Dacă este necompletat, va fi luat în considerare contul de depozit părinte sau implicit al companiei"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,alunecare email-uri salariul angajatului în funcție de e-mail preferat selectat în Angajat
+DocType: Work Order,This is a location where operations are executed.,Aceasta este o locație în care se execută operațiuni.
 DocType: Tax Rule,Shipping County,County transport maritim
 DocType: Currency Exchange,For Selling,Pentru vânzări
 apps/erpnext/erpnext/config/desktop.py,Learn,Învață
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Codul cuponului aplicat
 DocType: Asset,Next Depreciation Date,Data următoarei amortizări
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Cost activitate per angajat
+DocType: Loan Security,Haircut %,Tunsori%
 DocType: Accounts Settings,Settings for Accounts,Setări pentru conturi
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Furnizor Factura nr există în factură Purchase {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Gestioneaza Ramificatiile Persoanei responsabila cu Vanzarile
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Vă rugăm să stabiliți tariful camerei la {}
 DocType: Journal Entry,Multi Currency,Multi valutar
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip Factura
+DocType: Loan,Loan Security Details,Detalii privind securitatea împrumutului
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Valabil de la data trebuie să fie mai mic decât valabil până la data actuală
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Excepție a avut loc în timp ce s-a reconciliat {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Set depozit acceptat
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Necesita aprobarea laboratorului de test
 DocType: Attendance,Working Hours,Ore de lucru
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total deosebit
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Factorul de conversie UOM ({0} -&gt; {1}) nu a fost găsit pentru articol: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Schimbați secventa de numar de inceput / curent a unei serii existente.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procentaj pe care vi se permite să facturați mai mult contra sumei comandate. De exemplu: Dacă valoarea comenzii este 100 USD pentru un articol și toleranța este setată la 10%, atunci vi se permite să facturați pentru 110 $."
 DocType: Dosage Strength,Strength,Putere
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Vehicul Data
 DocType: Campaign Email Schedule,Campaign Email Schedule,Program de e-mail al campaniei
 DocType: Student Log,Medical,Medical
+DocType: Work Order,This is a location where scraped materials are stored.,Aceasta este o locație în care sunt depozitate materiale razuite.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Selectați Droguri
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Plumb Proprietarul nu poate fi aceeași ca de plumb
 DocType: Announcement,Receiver,Primitor
@@ -892,7 +904,7 @@
 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: BOM,Total Cost (Company Currency),Cost total (moneda companiei)
-DocType: Loan,Total Payment,Plată totală
+DocType: Repayment Schedule,Total Payment,Plată totală
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO a fost deja creată pentru toate elementele comenzii de vânzări
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avertizați comenzile de cumpărare
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Închiriat de la Data
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Piese de schimb suficient pentru a construi
+DocType: Loan Security,Loan Security Code,Codul de securitate al împrumutului
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Vă rugăm să salvați mai întâi
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Articolele sunt obligate să extragă materiile prime care sunt asociate cu acesta.
 DocType: POS Profile User,POS Profile User,Utilizator de profil POS
@@ -976,6 +989,7 @@
 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,Stock Entries already created for Work Order ,Înregistrări stoc deja create pentru comanda de lucru
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Cod articol&gt; Grup de articole&gt; Marcă
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Vezi comenzile anterioare
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversații
 DocType: Vital Signs,Respiratory rate,Rata respiratorie
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,Ștergeți Tranzacții de Firma
 DocType: Production Plan Item,Quantity and Description,Cantitate și descriere
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,De referință nr și de referință Data este obligatorie pentru tranzacție bancară
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vă rugăm să setați Naming Series pentru {0} prin Setare&gt; Setări&gt; Serie pentru denumire
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adaugaţi / editaţi taxe și cheltuieli
 DocType: Payment Entry Reference,Supplier Invoice No,Furnizor Factura Nu
 DocType: Territory,For reference,Pentru referință
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Contul de reținere fiscală
 DocType: Pricing Rule,Sales Partner,Partener de Vânzări
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Toate cardurile de evaluare ale furnizorilor.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Cantitatea comenzii
+DocType: Loan,Disbursed Amount,Suma plătită
 DocType: Buying Settings,Purchase Receipt Required,Cumpărare de primire Obligatoriu
 DocType: Sales Invoice,Rail,șină
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Costul actual
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Conectat la QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vă rugăm să identificați / să creați un cont (contabil) pentru tipul - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Contul furnizori
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Contul este obligatoriu pentru a obține înregistrări de plată
 DocType: Payment Entry,Type of Payment,Tipul de plată
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Data semestrului este obligatorie
 DocType: Sales Order,Billing and Delivery Status,Facturare și stare livrare
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,Suma facturată
 DocType: Training Result Employee,Training Result Employee,Angajat de formare Rezultat
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un depozit logic față de care se efectuează înregistrări de stoc.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Suma principală
+DocType: Repayment Schedule,Principal Amount,Suma principală
 DocType: Loan Application,Total Payable Interest,Dobânda totală de plată
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total excepție: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Deschideți contactul
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Articolele dvs.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Furnizor&gt; Tip furnizor
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Propunere de scriere
 DocType: Payment Entry Deduction,Payment Entry Deduction,Plată Deducerea intrare
 DocType: Service Level Priority,Service Level Priority,Prioritate la nivel de serviciu
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Crearea grupurilor de studenți
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Crearea grupurilor de studenți
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Plata Gateway Cont nu a fost creată, vă rugăm să creați manual unul."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Depozitele de grup nu pot fi utilizate în tranzacții. Vă rugăm să schimbați valoarea {0}
 DocType: Supplier Scorecard,Per Year,Pe an
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nu este eligibil pentru admiterea în acest program ca pe DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rândul # {0}: Nu se poate șterge articolul {1} care este atribuit comenzii de cumpărare a clientului.
@@ -1289,7 +1307,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","În timpul creării contului pentru compania copil {0}, contul părinte {1} nu a fost găsit. Vă rugăm să creați contul părinte în COA corespunzătoare"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Emisiune separată
 DocType: Student Attendance,Student Attendance,Participarea studenților
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Nu există date de exportat
 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
@@ -1302,6 +1319,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,furnizo
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data de livrare efectivă
 DocType: Lab Test,Test Template,Șablon de testare
+DocType: Loan Security Pledge,Securities,Titluri de valoare
 DocType: Restaurant Order Entry Item,Served,servit
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informații despre capitol.
 DocType: Account,Accounts,Conturi
@@ -1395,6 +1413,7 @@
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planificate End Time
 DocType: POS Profile,Only show Items from these Item Groups,Afișați numai articole din aceste grupuri de articole
+DocType: Loan,Is Secured Loan,Este împrumut garantat
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Detalii despre tipul de membru
 DocType: Delivery Note,Customer's Purchase Order No,Nr. Comanda de Aprovizionare Client
@@ -1431,6 +1450,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Ia de la întâlnirea cu pacienții
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Factorul de conversie UOM ({0} -&gt; {1}) nu a fost găsit pentru articol: {2}
 DocType: Subscriber,Subscriber,Abonat
 DocType: Item Attribute Value,Item Attribute Value,Postul caracteristicii Valoarea
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Cursul valutar trebuie să fie aplicabil pentru cumpărare sau pentru vânzare.
@@ -1529,6 +1549,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nici o permisiune
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Lista de verificare a executării contului
 DocType: Vital Signs,Heart Rate / Pulse,Ritm cardiac / puls
+DocType: Customer,Default Company Bank Account,Cont bancar al companiei implicite
 DocType: Supplier,Default Bank Account,Cont Bancar Implicit
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Pentru a filtra pe baza Party, selectați Party Tip primul"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Actualizare stoc"" nu poate fi activat, deoarece obiectele nu sunt livrate prin {0}"
@@ -1647,7 +1668,6 @@
 DocType: Sales Team,Incentives,Stimulente
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valori ieșite din sincronizare
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valoarea diferenței
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vă rugăm să configurați seria de numerotare pentru prezență prin Setare&gt; Numerotare
 DocType: SMS Log,Requested Numbers,Numere solicitate
 DocType: Volunteer,Evening,Seară
 DocType: Quiz,Quiz Configuration,Configurarea testului
@@ -1667,6 +1687,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Inapoi la rândul Total
 DocType: Purchase Invoice Item,Rejected Qty,Cant. Respinsă
 DocType: Setup Progress Action,Action Field,Câmp de acțiune
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Tip de împrumut pentru dobânzi și rate de penalizare
 DocType: Healthcare Settings,Manage Customer,Gestionați Client
 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
@@ -1678,6 +1699,7 @@
 ,Final Assessment Grades,Evaluări finale
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Numele companiei dumneavoastră pentru care vă sunt configurarea acestui sistem.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Includ vacanțe în total nr. de zile lucrătoare
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Din totalul mare
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Configurați-vă Institutul în ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza plantelor
 DocType: Task,Timeline,Cronologie
@@ -1685,9 +1707,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Articol alternativ
 DocType: Shopify Log,Request Data,Solicită Date
 DocType: Employee,Date of Joining,Data Aderării
+DocType: Delivery Note,Inter Company Reference,Referință între companii
 DocType: Naming Series,Update Series,Actualizare Series
 DocType: Supplier Quotation,Is Subcontracted,Este subcontractată
 DocType: Restaurant Table,Minimum Seating,Scaunele minime
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Întrebarea nu poate fi duplicată
 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,Purchase Receipt,Primirea de cumpărare
@@ -1789,6 +1813,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sincronizare offline Facturile
 DocType: Payment Request,Paid,Plătit
 DocType: Service Level,Default Priority,Prioritate implicită
+DocType: Pledge,Pledge,Angajament
 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."
@@ -1802,6 +1827,7 @@
 DocType: Guardian,Guardian Name,Nume tutore
 DocType: Cheque Print Template,Has Print Format,Are Format imprimare
 DocType: Support Settings,Get Started Sections,Începeți secțiunile
+,Loan Repayment and Closure,Rambursarea împrumutului și închiderea
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,consacrat
 ,Base Amount,Suma de bază
@@ -1812,10 +1838,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,De la loc
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Valoarea împrumutului nu poate fi mai mare de {0}
 DocType: Student Admission,Publish on website,Publica pe site-ul
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Furnizor Data facturii nu poate fi mai mare decât postare Data
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Cod articol&gt; Grup de articole&gt; Marcă
 DocType: Subscription,Cancelation Date,Data Anulării
 DocType: Purchase Invoice Item,Purchase Order Item,Comandă de aprovizionare Articol
 DocType: Agriculture Task,Agriculture Task,Agricultura
@@ -1834,7 +1860,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Procent Discount Suplimentar
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Vizualizați o listă cu toate filmele de ajutor
 DocType: Agriculture Analysis Criteria,Soil Texture,Textura solului
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Selectați contul șef al băncii, unde de verificare a fost depus."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Permiteţi utilizatorului să editeze lista ratelor preturilor din tranzacții
 DocType: Pricing Rule,Max Qty,Max Cantitate
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Print Print Card
@@ -1969,7 +1994,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Odată stabilită, această factură va fi reținută până la data stabilită"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Vanzarea Suma
-DocType: Repayment Schedule,Interest Amount,Suma Dobânda
+DocType: Loan Interest Accrual,Interest Amount,Suma Dobânda
 DocType: Job Card,Time Logs,Timp Busteni
 DocType: Sales Invoice,Loyalty Amount,Suma de loialitate
 DocType: Employee Transfer,Employee Transfer Detail,Detalii despre transferul angajatului
@@ -1984,6 +2009,7 @@
 DocType: Cashier Closing,Returns,Se intoarce
 DocType: Job Card,WIP Warehouse,WIP Depozit
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serial Nu {0} este sub contract de întreținere pana {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Limita sumei sancționate depășită pentru {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Recrutare
 DocType: Lead,Organization Name,Numele organizației
 DocType: Support Settings,Show Latest Forum Posts,Arată ultimele postări pe forum
@@ -2010,7 +2036,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Elementele comenzilor de cumpărare sunt restante
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Cod postal
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Comandă de vânzări {0} este {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Efectuarea de stoc Entries
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Nu puteți promova angajatul cu starea Stânga
@@ -2095,7 +2120,6 @@
 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,Start Year,Anul de începere
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Creați împrumut
 DocType: Purchase Invoice,Start date of current invoice's period,Data perioadei de factura de curent începem
 DocType: Shift Type,Process Attendance After,Prezență la proces după
 ,IRS 1099,IRS 1099
@@ -2116,6 +2140,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Selectați-vă domeniile
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Furnizor de magazin
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Elemente de factură de plată
+DocType: Repayment Schedule,Is Accrued,Este acumulat
 DocType: Payroll Entry,Employee Details,Detalii angajaților
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Procesarea fișierelor XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2147,6 +2172,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Punct de loialitate
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Group Articol Implicit
+DocType: Loan,Partially Disbursed,parţial Se eliberează
 DocType: Job Card Time Log,Time In Mins,Timpul în min
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Acordați informații.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Această acțiune va deconecta acest cont de orice serviciu extern care integrează ERPNext cu conturile dvs. bancare. Nu poate fi anulată. Esti sigur ?
@@ -2162,6 +2188,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Închiderea împrumutului
 DocType: Call Log,Lead,Pistă
 DocType: Email Digest,Payables,Datorii
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2195,6 +2222,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Impozitul și beneficiile angajaților
 DocType: Bank Guarantee,Validity in Days,Valabilitate în Zile
 DocType: Bank Guarantee,Validity in Days,Valabilitate în Zile
+DocType: Unpledge,Haircut,Tunsoare
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Formularul C nu se aplică pentru factură: {0}
 DocType: Certified Consultant,Name of Consultant,Numele consultantului
 DocType: Payment Reconciliation,Unreconciled Payment Details,Nereconciliate Detalii de plată
@@ -2248,7 +2276,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Restul lumii
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Postul {0} nu poate avea Lot
 DocType: Crop,Yield UOM,Randamentul UOM
+DocType: Loan Security Pledge,Partially Pledged,Parțial Gajat
 ,Budget Variance Report,Raport de variaţie buget
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Suma de împrumut sancționată
 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,Get Items from Healthcare Services,Obțineți articole din serviciile de asistență medicală
@@ -2283,6 +2313,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nouă procedură de calitate
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Bilanţă pentru contul {0} trebuie să fie întotdeauna {1}
 DocType: Patient Appointment,More Info,Mai multe informatii
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Data nașterii nu poate fi mai mare decât data de aderare.
 DocType: Supplier Scorecard,Scorecard Actions,Caracteristicile Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Furnizorul {0} nu a fost găsit în {1}
 DocType: Purchase Invoice,Rejected Warehouse,Depozit Respins
@@ -2381,6 +2412,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,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,Doc Type,Tip Doc
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Creditul de securitate al împrumutului creat: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Numiri și întâlniri cu pacienții
@@ -2436,6 +2468,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Numărul de întâlniri simultane
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Noțiuni de bază
 DocType: Purchase Invoice,Taxes and Charges Calculation,Impozite și Taxe Calcul
+DocType: Loan Interest Accrual,Payable Principal Amount,Suma principală plătibilă
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Încărcarea automată a amortizării activelor din cont
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Încărcarea automată a amortizării activelor din cont
 DocType: BOM Operation,Workstation,Stație de lucru
@@ -2473,7 +2506,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Produse Alimentare
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Clasă de uzură 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalii Voucher de închidere POS
-DocType: Bank Account,Is the Default Account,Este contul implicit
 DocType: Shopify Log,Shopify Log,Magazinul de jurnal
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nu a fost găsită nicio comunicare.
 DocType: Inpatient Occupancy,Check In,Verifica
@@ -2531,12 +2563,14 @@
 DocType: Sales Order Item,Planned Quantity,Planificate Cantitate
 DocType: Water Analysis,Water Analysis Criteria,Criterii de analiză a apei
 DocType: Item,Maintain Stock,Articol Stocabil
+DocType: Loan Security Unpledge,Unpledge Time,Timp de neîncărcare
 DocType: Terms and Conditions,Applicable Modules,Module aplicabile
 DocType: Employee,Prefered Email,E-mail Preferam
 DocType: Student Admission,Eligibility and Details,Eligibilitate și detalii
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inclus în Profitul brut
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Schimbarea net în active fixe
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Cantitate
+DocType: Work Order,This is a location where final product stored.,Aceasta este o locație în care este depozitat produsul final.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,De la Datetime
@@ -2577,8 +2611,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garanție / AMC Starea
 ,Accounts Browser,Navigator Conturi
 DocType: Procedure Prescription,Referral,Recomandare
+,Territory-wise Sales,Vânzări înțelese teritoriul
 DocType: Payment Entry Reference,Payment Entry Reference,Plată intrare de referință
 DocType: GL Entry,GL Entry,Intrari GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Rândul # {0}: depozitul acceptat și depozitul furnizorului nu pot fi aceleași
 DocType: Support Search Source,Response Options,Opțiuni de Răspuns
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Aplicați mai multe reguli privind prețurile
 DocType: HR Settings,Employee Settings,Setări Angajat
@@ -2639,6 +2675,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Agricultura (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Slip de ambalare
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vă rugăm să setați Naming Series pentru {0} prin Setare&gt; Setări&gt; Serie pentru denumire
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Birou inchiriat
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Setări de configurare SMS gateway-ul
 DocType: Disease,Common Name,Denumire Comună
@@ -2655,6 +2692,7 @@
 DocType: Item,Sales Details,Detalii Vânzări
 DocType: Coupon Code,Used,Folosit
 DocType: Opportunity,With Items,Cu articole
+DocType: Vehicle Log,last Odometer Value ,ultima valoare Odometru
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Campania „{0}” există deja pentru {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Echipă de Mentenanță
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Ordinea în care ar trebui să apară secțiunile. 0 este primul, 1 este al doilea și așa mai departe."
@@ -2665,7 +2703,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Solicitare Cheltuială {0} există deja pentru Log Vehicul
 DocType: Asset Movement Item,Source Location,Locația sursei
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Numele Institutului
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vă rugăm să introduceți Suma de rambursare
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Vă rugăm să introduceți Suma de rambursare
 DocType: Shift Type,Working Hours Threshold for Absent,Prag de lucru pentru orele absente
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Pot exista un factor de colectare multiplu diferențiat bazat pe totalul cheltuit. Dar factorul de conversie pentru răscumpărare va fi întotdeauna același pentru toate nivelurile.
 apps/erpnext/erpnext/config/help.py,Item Variants,Variante Postul
@@ -2689,6 +2727,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} trebuie să fie mai mic decât {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Vă rugăm să selectați mai întâi tipul de solicitant
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Selectați BOM, Qty și For Warehouse"
 DocType: GST HSN Code,GST HSN Code,Codul GST HSN
 DocType: Employee External Work History,Total Experience,Experiența totală
@@ -2779,7 +2818,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Nu a fost găsit niciun BOM activ pentru articolul {0}. Livrarea prin \ Nr. De serie nu poate fi asigurată
 DocType: Sales Partner,Sales Partner Target,Vânzări Partner țintă
-DocType: Loan Type,Maximum Loan Amount,Suma maximă a împrumutului
+DocType: Loan Application,Maximum Loan Amount,Suma maximă a împrumutului
 DocType: Coupon Code,Pricing Rule,Regula de stabilire a prețurilor
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Numărul de rolă duplicat pentru student {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Numărul de rolă duplicat pentru student {0}
@@ -2804,6 +2843,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Concedii alocate cu succes pentru {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Nu sunt produse în ambalaj
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,"În prezent, numai fișierele .csv și .xlsx sunt acceptate"
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vă rugăm să configurați sistemul de numire a angajaților în resurse umane&gt; Setări HR
 DocType: Shipping Rule Condition,From Value,Din Valoare
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Cantitatea de fabricație este obligatorie
 DocType: Loan,Repayment Method,Metoda de rambursare
@@ -2887,6 +2927,7 @@
 DocType: Customer,Customer POS Id,ID POS utilizator
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Studentul cu e-mail {0} nu există
 DocType: Account,Account Name,Numele Contului
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Suma de împrumut sancționat există deja pentru {0} față de compania {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,De la data nu poate fi mai mare decât la data
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune
 DocType: Pricing Rule,Apply Discount on Rate,Aplicați reducere la tarif
@@ -2958,6 +2999,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Profit net
 DocType: Purchase Invoice,Eligibility For ITC,Eligibilitate pentru ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 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,Net Change in Accounts Payable,Schimbarea net în conturi de plătit
@@ -2969,6 +3011,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Prezentarea dispozitivului de identificare (biometric / RF tag tag)
 DocType: Quotation,Term Details,Detalii pe termen
 DocType: Item,Over Delivery/Receipt Allowance (%),Indemnizație de livrare / primire (%)
+DocType: Appointment Letter,Appointment Letter Template,Model de scrisoare de numire
 DocType: Employee Incentive,Employee Incentive,Angajament pentru angajați
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Total (fără taxe)
@@ -2993,6 +3036,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Plata unlink privind anularea facturii
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Procesul de dobândă de împrumut
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Kilometrajul curentă introdusă trebuie să fie mai mare decât inițială a vehiculului odometru {0}
 ,Purchase Order Items To Be Received or Billed,Cumpărați obiecte de comandă care trebuie primite sau plătite
 DocType: Restaurant Reservation,No Show,Neprezentare
@@ -3079,6 +3123,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Centru de cost este necesară pentru &quot;profit și pierdere&quot; cont de {2}. Vă rugăm să configurați un centru de cost implicit pentru companie.
 DocType: Payment Schedule,Payment Term,Termen de plata
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Există un grup de clienți cu același nume; vă rugăm să schimbați numele clientului sau să redenumiți grupul de clienți
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Data de încheiere a admisiei ar trebui să fie mai mare decât data de începere a admiterii.
 DocType: Location,Area,Zonă
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Contact nou
 DocType: Company,Company Description,Descrierea Companiei
@@ -3154,6 +3199,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Date Cartografiate
 DocType: Purchase Order Item,Warehouse and Reference,Depozit și Referință
 DocType: Payroll Period Date,Payroll Period Date,Data perioadei de salarizare
+DocType: Loan Disbursement,Against Loan,Contra împrumutului
 DocType: Supplier,Statutory info and other general information about your Supplier,Info statutar și alte informații generale despre dvs. de Furnizor
 DocType: Item,Serial Nos and Batches,Numere și loturi seriale
 DocType: Item,Serial Nos and Batches,Numere și loturi seriale
@@ -3222,6 +3268,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Selectați o companie
 DocType: Delivery Settings,Delivery Settings,Setări de livrare
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Nu se poate deconecta mai mult de {0} cantitate de {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Permisul maxim permis în tipul de concediu {0} este {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicați 1 articol
 DocType: SMS Center,Create Receiver List,Creare Lista Recipienti
@@ -3370,6 +3417,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Suma de bază (Companie Moneda)
 DocType: Purchase Invoice,Registered Regular,Înregistrat regulat
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Materie Primă
+DocType: Plaid Settings,sandbox,Sandbox
 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
@@ -3382,12 +3430,11 @@
 DocType: Leave Ledger Entry,Transaction Type,tipul tranzacției
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criteriile de receptie
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Suma totală de plată
 DocType: Task,Expected Time (in hours),Timp de așteptat (în ore)
 DocType: Item Reorder,Check in (group),Check-in (grup)
 DocType: Soil Texture,Silt,Nămol
@@ -3419,6 +3466,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Deducerea impozitului pentru dovada scutirii fiscale neimpozitate
 DocType: Volunteer,Anytime,Oricând
 DocType: Bank Account,Bank Account No,Contul bancar nr
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Plată și rambursare
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Sustine gratuitatea acestui serviciu si acceseaza
 DocType: Patient,Surgical History,Istorie chirurgicală
 DocType: Bank Statement Settings Item,Mapped Header,Antet Cartografiat
@@ -3483,6 +3531,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Creați test (e) de laborator pe factura de vânzare
 DocType: Serial No,Invoice Details,Detaliile facturii
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Structura salariului trebuie depusă înainte de depunerea Declarației de eliberare de impozite
+DocType: Loan Application,Proposed Pledges,Promisiuni propuse
 DocType: Grant Application,Show on Website,Afișați pe site
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Începe
 DocType: Hub Tracked Item,Hub Category,Categorie Hub
@@ -3494,7 +3543,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Graficul Scorecard pentru furnizori
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rândul {0}: Lista de materiale nu a fost găsit pentru elementul {1}
 DocType: Contract Fulfilment Checklist,Requirement,Cerinţă
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vă rugăm să configurați sistemul de numire a angajaților în resurse umane&gt; Setări HR
 DocType: Journal Entry,Accounts Receivable,Conturi de Incasare
 DocType: Quality Goal,Objectives,Obiective
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rolul permis pentru a crea o cerere de concediu retardat
@@ -3507,6 +3555,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Includ intrările împăcat
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Suma totală alocată ({0}) este majorată decât suma plătită ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Împărțiți taxelor pe baza
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Suma plătită nu poate fi mai mică de {0}
 DocType: Projects Settings,Timesheets,Pontaje
 DocType: HR Settings,HR Settings,Setări Resurse Umane
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Maeștri contabili
@@ -3652,6 +3701,7 @@
 DocType: Employee,Health Insurance,Asigurare de sanatate
 DocType: Asset Repair,Manufacturing Manager,Manager de Producție
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serial Nu {0} este în garanție pana {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Suma împrumutului depășește valoarea maximă a împrumutului de {0} conform valorilor mobiliare propuse
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Valoarea minimă admisă
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Utilizatorul {0} există deja
 apps/erpnext/erpnext/hooks.py,Shipments,Transporturile
@@ -3695,7 +3745,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tip de afacere
 DocType: Sales Invoice,Consumer,Consumator
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vă rugăm să selectați suma alocată, de tip Factură și factură Numărul din atleast rând una"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vă rugăm să setați Naming Series pentru {0} prin Setare&gt; Setări&gt; Serie pentru denumire
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Costul de achiziție nouă
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordinul de vânzări necesar pentru postul {0}
 DocType: Grant Application,Grant Description,Descrierea granturilor
@@ -3704,6 +3753,7 @@
 DocType: Subscription,Discounts,reduceri
 DocType: Bank Transaction,Unallocated Amount,Suma nealocată
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Activați aplicabil la comanda de aprovizionare și aplicabil cheltuielilor curente de rezervare
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} nu este un cont bancar al companiei
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Nu pot găsi o potrivire articol. Vă rugăm să selectați o altă valoare pentru {0}.
 DocType: POS Profile,Taxes and Charges,Impozite și Taxe
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un produs sau un serviciu care este cumpărat, vândut sau păstrat în stoc."
@@ -3754,6 +3804,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valabil din data trebuie să fie mai mică decât valabil până la data.
 DocType: Employee Skill,Evaluation Date,Data evaluării
 DocType: Quotation Item,Stock Balance,Stoc Sold
+DocType: Loan Security Pledge,Total Security Value,Valoarea totală a securității
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Comanda de vânzări la plată
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Cu plata impozitului
@@ -3766,6 +3817,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Contul {0} nu există în graficul de bord {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Afișați atribute variate
@@ -3847,6 +3899,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Rata de evaluare curentă
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Numărul de conturi root nu poate fi mai mic de 4
 DocType: Training Event,Advance,Avans
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Împrumut contra
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Setările gateway-ului de plată GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Cheltuiala / Venit din diferente de curs valutar
 DocType: Opportunity,Lost Reason,Motiv Pierdere
@@ -3931,8 +3984,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Selectați numărul lotului
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Invalid {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Rândul {0}: Data nașterii în materie nu poate fi mai mare decât astăzi.
 DocType: Fee Validity,Reference Inv,Referință Inv
 DocType: Sales Invoice Advance,Advance Amount,Sumă în avans
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Rata dobânzii de penalizare (%) pe zi
 DocType: Manufacturing Settings,Capacity Planning,Planificarea capacității
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Rotunjire ajustare (moneda companiei
 DocType: Asset,Policy number,Numărul politicii
@@ -3948,7 +4003,9 @@
 DocType: Normal Test Items,Require Result Value,Necesita valoarea rezultatului
 DocType: Purchase Invoice,Pricing Rules,Reguli privind prețurile
 DocType: Item,Show a slideshow at the top of the page,Arata un slideshow din partea de sus a paginii
+DocType: Appointment Letter,Body,Corp
 DocType: Tax Withholding Rate,Tax Withholding Rate,Rata reținerii fiscale
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Data de începere a rambursării este obligatorie pentru împrumuturile la termen
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOM
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Magazine
@@ -3968,7 +4025,7 @@
 DocType: Call Log,Received By,Primit de
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durata numirii (în proces-verbal)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detaliile șablonului pentru fluxul de numerar
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Managementul împrumuturilor
+DocType: Loan,Loan Management,Managementul împrumuturilor
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Urmăriți Venituri separat și cheltuieli verticale produse sau divizii.
 DocType: Rename Tool,Rename Tool,Instrument Redenumire
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Actualizare Cost
@@ -3976,6 +4033,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Mijloc de transport
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Afișează Salariu alunecare
+DocType: Loan,Is Term Loan,Este împrumut pe termen
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Material de transfer
 DocType: Fees,Send Payment Request,Trimiteți Cerere de Plată
 DocType: Travel Request,Any other details,Orice alte detalii
@@ -3993,6 +4051,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Cash Flow de la finanțarea
 DocType: Budget Account,Budget Account,Contul bugetar
 DocType: Quality Inspection,Verified By,Verificate de
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Adăugați securitatea împrumutului
 DocType: Travel Request,Name of Organizer,Numele organizatorului
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nu se poate schimba moneda implicita a companiei, deoarece există tranzacții in desfasurare. Tranzacțiile trebuie să fie anulate pentru a schimba moneda implicita."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Răspunderea pentru impozitul pe venit
@@ -4043,6 +4102,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Cerut pe
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Dacă este bifat, ascunde și dezactivează câmpul total rotunjit din Slips-uri de salariu"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Aceasta este compensarea implicită (zile) pentru data livrării în comenzile de vânzare. Decalarea compensării este de 7 zile de la data plasării comenzii.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vă rugăm să configurați seria de numerotare pentru prezență prin Setare&gt; Numerotare
 DocType: Rename Tool,File to Rename,Fișier de Redenumiți
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Actualizați abonamentul la preluare
@@ -4055,6 +4115,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Numere de serie create
 DocType: POS Profile,Applicable for Users,Aplicabil pentru utilizatori
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,De la data și până la data sunt obligatorii
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Setați proiectul și toate sarcinile la starea {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Setați avansuri și alocați (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nu au fost create comenzi de lucru
@@ -4064,6 +4125,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Articole de
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Costul de produsele cumparate
 DocType: Employee Separation,Employee Separation Template,Șablon de separare a angajaților
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Cantitatea zero de {0} a promis împrumutul {0}
 DocType: Selling Settings,Sales Order Required,Comandă de Vânzări Obligatorie
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Deveniți un vânzător
 ,Procurement Tracker,Urmărirea achizițiilor
@@ -4161,11 +4223,12 @@
 ,Minutes to First Response for Opportunity,Minute la First Response pentru oportunitate
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Raport Absent
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Suma plătibilă
+DocType: Loan Repayment,Payable Amount,Suma plătibilă
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Oportunitate
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Rezistența maximă nu poate fi mai mică de zero.
 DocType: Options,Option,Opțiune
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Nu puteți crea înregistrări contabile în perioada de contabilitate închisă {0}
 DocType: Operation,Default Workstation,Implicit Workstation
@@ -4207,6 +4270,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Suma dobânzii este obligatorie
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Pasii urmatori
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Articole salvate
@@ -4277,8 +4341,6 @@
 DocType: Grant Application,Grant Application Details ,Detalii privind cererile de finanțare
 DocType: Employee Separation,Employee Separation,Separarea angajaților
 DocType: BOM Item,Original Item,Articolul original
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Vă rugăm să ștergeți angajatul <a href=""#Form/Employee/{0}"">{0}</a> \ pentru a anula acest document"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data Documentelor
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Taxa de inregistrare Creat - {0}
 DocType: Asset Category Account,Asset Category Account,Cont activ Categorie
@@ -4314,6 +4376,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Elementul testului de laborator {0} există deja
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} este o sărbătoare a companiei
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Ore Billable
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Rata dobânzii pentru penalități este percepută zilnic pe valoarea dobânzii în curs de rambursare întârziată
+DocType: Appointment Letter content,Appointment Letter content,Numire scrisoare conținut
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Lăsați notificarea de stare
 DocType: Patient Appointment,Procedure Prescription,Procedura de prescriere
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures și Programe
@@ -4333,7 +4397,7 @@
 DocType: Opportunity,Customer / Lead Name,Client / Nume Principal
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Data Aprobare nespecificata
 DocType: Payroll Period,Taxable Salary Slabs,Taxe salariale
-DocType: Job Card,Production,Producţie
+DocType: Plaid Settings,Production,Producţie
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN nevalid! Intrarea introdusă nu corespunde formatului GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valoarea contului
 DocType: Guardian,Occupation,Ocupaţie
@@ -4479,6 +4543,7 @@
 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,Student {0} does not belong to group {1},Studentul {0} nu aparține grupului {1}
+DocType: Appointment Letter,Appointment Date,Data de intalnire
 DocType: Budget,Cost Center,Centrul de cost
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Transport Tara
@@ -4549,6 +4614,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dimensiunea contabilității
 ,Profit and Loss Statement,Profit și pierdere
 DocType: Bank Reconciliation Detail,Cheque Number,Număr Cec
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Suma plătită nu poate fi zero
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Elementul menționat de {0} - {1} este deja facturat
 ,Sales Browser,Browser de vanzare
 DocType: Journal Entry,Total Credit,Total credit
@@ -4665,6 +4731,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Adăugați / Editați Condițiile cuponului
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Cheltuială cont / Diferența ({0}) trebuie să fie un cont de ""profit sau pierdere"""
 DocType: Stock Entry Detail,Stock Entry Child,Copil de intrare în stoc
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Compania de gaj pentru securitatea împrumutului și compania de împrumut trebuie să fie identice
 DocType: Project,Copied From,Copiat de la
 DocType: Project,Copied From,Copiat de la
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Factura deja creată pentru toate orele de facturare
@@ -4673,6 +4740,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Este costul de finanțare
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Prezenţa pentru angajatul {0} este deja consemnată
 DocType: Packing Slip,If more than one package of the same type (for print),În cazul în care mai mult de un pachet de același tip (pentru imprimare)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,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ție
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Alegeți clientul implicit în Setări restaurant
 ,Salary Register,Salariu Înregistrare
 DocType: Company,Default warehouse for Sales Return,Depozit implicit pentru returnarea vânzărilor
@@ -4717,7 +4785,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Serial curent nr
 DocType: Employee,Attendance and Leave Details,Detalii de participare și concediu
 ,BOM Comparison Tool,Instrument de comparare BOM
-,Requested,Solicitată
+DocType: Loan Security Pledge,Requested,Solicitată
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Nu Observații
 DocType: Asset,In Maintenance,În Mentenanță
 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.
@@ -4729,7 +4797,6 @@
 DocType: Drug Prescription,Drug Prescription,Droguri de prescripție
 DocType: Service Level,Support and Resolution,Suport și rezoluție
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Codul gratuit al articolului nu este selectat
-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
@@ -4763,6 +4830,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Intrare Contabilă pentru Stoc
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ați evaluat deja criteriile de evaluare {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Suma deficiențelor
 DocType: Vehicle Service,Engine Oil,Ulei de motor
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Comenzi de lucru create: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Vă rugăm să setați un cod de e-mail pentru Lead {0}
@@ -4781,6 +4849,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Contul nu este setat pentru graficul de bord {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Aplicați Discount suplimentare La
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Selectați Tip ...
+DocType: Loan Interest Accrual,Amounts,sume
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Biletele tale
 DocType: Account,Root Type,Rădăcină Tip
 DocType: Item,FIFO,FIFO
@@ -4788,6 +4857,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: nu se pot întoarce mai mult {1} pentru postul {2}
 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: Loan Security Price,Loan Security Price,Prețul securității împrumutului
 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,Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Operațiunile de vânzare cu amănuntul
@@ -4928,6 +4998,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Lotul este obligatoriu în rândul {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Lotul este obligatoriu în rândul {0}
 DocType: Company,Default Buying Terms,Condiții de cumpărare implicite
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Decontarea împrumutului
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Primirea de cumpărare Articol Livrat
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Activați sincronizarea programată
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Pentru a Datetime
@@ -4956,6 +5027,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Introduceți valoarea dintre {0} și {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Introduceți numele de campanie dacă sursa de anchetă este campanie
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Editorii de ziare
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Nu a fost găsit un <b>preț de securitate de împrumut</b> valabil pentru {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Datele viitoare nu sunt permise
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Data de livrare preconizată trebuie să fie după data de comandă de vânzare
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Nivel pentru re-comanda
@@ -5022,6 +5094,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Propunere / Citat pret
 DocType: Antibiotic,Healthcare,Sănătate
 DocType: Target Detail,Target Detail,Țintă Detaliu
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Procese de împrumut
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Varianta unică
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,toate locurile de muncă
 DocType: Sales Order,% of materials billed against this Sales Order,% de materiale facturate versus această Comandă de Vânzări
@@ -5085,7 +5158,7 @@
 DocType: Item,Reorder level based on Warehouse,Nivel pentru re-comanda bazat pe Magazie
 DocType: Activity Cost,Billing Rate,Tarif de facturare
 ,Qty to Deliver,Cantitate pentru a oferi
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Creați intrare pentru dezbursare
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Creați intrare pentru dezbursare
 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,Operations cannot be left blank,Operații nu poate fi lăsat necompletat
@@ -5119,6 +5192,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Deconectați integrările externe
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Alegeți o plată corespunzătoare
 DocType: Pricing Rule,Item Code,Cod articol
+DocType: Loan Disbursement,Pending Amount For Disbursal,Suma în așteptare pentru plata
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garanție / AMC Detalii
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Selectați manual elevii pentru grupul bazat pe activități
@@ -5143,6 +5217,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Cantitate totală
 DocType: Landed Cost Item,Receipt Document,Documentul de primire
 DocType: Employee Education,School/University,Școlar / universitar
+DocType: Loan Security Pledge,Loan  Details,Detalii despre împrumut
 DocType: Sales Invoice Item,Available Qty at Warehouse,Cantitate disponibilă în depozit
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Sumă facturată
 DocType: Share Transfer,(including),(inclusiv)
@@ -5166,6 +5241,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupuri
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grup in functie de Cont
 DocType: Purchase Invoice,Hold Invoice,Rețineți factura
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Starea gajului
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Selectați Angajat
 DocType: Sales Order,Fully Delivered,Livrat complet
 DocType: Promotional Scheme Price Discount,Min Amount,Suma minima
@@ -5175,7 +5251,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Suma debursate nu poate fi mai mare decât Suma creditului {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rândul {0} # Suma alocată {1} nu poate fi mai mare decât suma nerevendicată {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Număr de comandă de aprovizionare necesare pentru postul {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Trasmite Concedii Inaintate
@@ -5203,6 +5278,7 @@
 DocType: Pick List Item,Serial No and Batch,Serial și Lot nr
 DocType: Warranty Claim,From Company,De la Compania
 DocType: GSTR 3B Report,January,ianuarie
+DocType: Loan Repayment,Principal Amount Paid,Suma principală plătită
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma Scorurile de criterii de evaluare trebuie să fie {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Vă rugăm să setați Numărul de Deprecieri rezervat
 DocType: Supplier Scorecard Period,Calculations,Calculele
@@ -5229,6 +5305,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Despre Compania ta
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Afișează date de îmbătrânire a stocurilor
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credit în contul trebuie să fie un cont de bilanț
+DocType: Loan Repayment,Penalty Amount,Suma pedepsei
 DocType: Donor,Donor,Donator
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Actualizați impozitele pentru articole
 DocType: Global Defaults,Disable In Words,Nu fi de acord în cuvinte
@@ -5259,6 +5336,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centrul de costuri și buget
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Sold Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Intrare parțial plătită
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Vă rugăm să setați Programul de plată
 DocType: Pick List,Items under this warehouse will be suggested,Articolele din acest depozit vor fi sugerate
 DocType: Purchase Invoice,N,N
@@ -5292,7 +5370,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nu a fost găsit pentru articolul {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Valoarea trebuie să fie între {0} și {1}
 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,"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,Message Sent,Mesajul a fost trimis
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5306,6 +5383,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Activați re-comanda automată
 DocType: Stock Settings,Item Naming By,Denumire Articol Prin
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},O altă intrare închidere de perioada {0} a fost efectuată după {1}
+DocType: Proposed Pledge,Proposed Pledge,Gajă propusă
 DocType: Work Order,Material Transferred for Manufacturing,Materii Transferate pentru fabricarea
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Contul {0} nu există
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Selectați programul de loialitate
@@ -5316,7 +5394,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Setarea Evenimente la {0}, deoarece angajatul atașat la mai jos de vânzare Persoanele care nu are un ID de utilizator {1}"
 DocType: Timesheet,Billing Details,Detalii de facturare
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sursa și depozitul țintă trebuie să fie diferit
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vă rugăm să configurați sistemul de numire a angajaților în resurse umane&gt; Setări HR
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plata esuata. Verificați contul GoCardless pentru mai multe detalii
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nu este permis să actualizeze tranzacțiile bursiere mai vechi de {0}
 DocType: Stock Entry,Inspection Required,Inspecție obligatorii
@@ -5329,6 +5406,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Depozit de livrare necesar pentru articol stoc {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"Greutatea brută a pachetului. Greutate + ambalare, de obicei, greutate netă de material. (Pentru imprimare)"
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Împotriva gajului
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Utilizatorii cu acest rol li se permite să stabilească în conturile înghețate și de a crea / modifica intrări contabile împotriva conturile înghețate
 DocType: Plaid Settings,Plaid Environment,Mediu plaid
 ,Project Billing Summary,Rezumatul facturării proiectului
@@ -5381,6 +5459,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Sarjele
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Numărul de întâlniri de zile poate fi rezervat în avans
 DocType: Article,LMS User,Utilizator LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Garanția de securitate a împrumutului este obligatorie pentru împrumut garantat
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Locul livrării (stat / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Stoc UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Comandă {0} nu este prezentat
@@ -5456,6 +5535,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Creați carte de muncă
 DocType: Quotation,Referral Sales Partner,Partener de vânzări de recomandări
 DocType: Quality Procedure Process,Process Description,Descrierea procesului
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Nu se poate deconecta, valoarea securității împrumutului este mai mare decât suma rambursată"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Clientul {0} este creat.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5476,7 +5556,7 @@
 DocType: Asset,Insurance Details,Detalii de asigurare
 DocType: Account,Payable,Plătibil
 DocType: Share Balance,Share Type,Tipul de distribuire
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Vă rugăm să introduceți perioada de rambursare
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Vă rugăm să introduceți perioada de rambursare
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitorilor ({0})
 DocType: Pricing Rule,Margin,Margin
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Clienți noi
@@ -5485,6 +5565,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Oportunități după sursă pistă
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Schimbarea profilului POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Cantitatea sau suma este mandatroy pentru securitatea împrumutului
 DocType: Bank Reconciliation Detail,Clearance Date,Data Aprobare
 DocType: Delivery Settings,Dispatch Notification Template,Șablonul de notificare pentru expediere
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Raport de evaluare
@@ -5520,6 +5601,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Împărțiți Registru Contabil
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Factura de vânzări {0} a fost creată
 DocType: Employee,Confirmation Date,Data de Confirmare
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Vă rugăm să ștergeți angajatul <a href=""#Form/Employee/{0}"">{0}</a> \ pentru a anula acest document"
 DocType: Inpatient Occupancy,Check Out,Verifică
 DocType: C-Form,Total Invoiced Amount,Sumă totală facturată
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Cantitate nu poate fi mai mare decât Max Cantitate
@@ -5533,7 +5616,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Coduri de identificare rapidă a companiei
 DocType: Travel Request,Travel Funding,Finanțarea turismului
 DocType: Employee Skill,Proficiency,Experiență
-DocType: Loan Application,Required by Date,Cerere livrare la data de
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detaliu de primire a achiziției
 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
 DocType: Lead,Lead Owner,Proprietar Pistă
@@ -5552,7 +5634,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,FDM-ul curent și FDM-ul nou nu pot fi identici
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID-ul de salarizare alunecare
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data Pensionare trebuie să fie ulterioara Datei Aderării
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Furnizor&gt; Tip furnizor
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variante multiple
 DocType: Sales Invoice,Against Income Account,Comparativ contului de venit
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Livrat
@@ -5585,7 +5666,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Taxele de tip evaluare nu poate marcate ca Inclusive
 DocType: POS Profile,Update Stock,Actualizare stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Detalii de plata
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Rată BOM
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Citind fișierul încărcat
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5621,6 +5702,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Valoarea maximă a împrumutului
 ,Stock Ledger,Registru Contabil Stocuri
 DocType: Company,Exchange Gain / Loss Account,Cont Cheltuiala / Venit din diferente de curs valutar
 DocType: Amazon MWS Settings,MWS Credentials,Certificatele MWS
@@ -5628,6 +5710,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Scopul trebuie să fie una dintre {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,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,Community Forum,Community Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Fără frunze alocate angajaților: {0} pentru tipul de concediu: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Cant. efectivă în stoc
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Cant. efectiva în stoc
 DocType: Homepage,"URL for ""All Products""",URL-ul pentru &quot;Toate produsele&quot;
@@ -5730,7 +5813,6 @@
 DocType: Fee Schedule,Fee Schedule,Taxa de Program
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Etichete coloane:
 DocType: Bank Transaction,Settled,Stabilit
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Data de plată nu poate fi după data de începere a rambursării împrumutului
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,CESS
 DocType: Quality Feedback,Parameters,Parametrii
 DocType: Company,Create Chart Of Accounts Based On,"Creează Diagramă de Conturi, Bazată pe"
@@ -5750,6 +5832,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Limita de credit și termenii de plată
 DocType: Loyalty Program,Collection Rules,Regulile de colectare
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Punctul 3
+DocType: Loan Security Shortfall,Shortfall Time,Timpul neajunsurilor
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Intrare comandă
 DocType: Purchase Order,Customer Contact Email,Contact Email client
 DocType: Warranty Claim,Item and Warranty Details,Postul și garanție Detalii
@@ -5769,12 +5852,14 @@
 DocType: Sales Person,Sales Person Name,Sales Person Nume
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Va rugam sa introduceti cel putin 1 factura în tabelul
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nu a fost creat niciun test Lab
+DocType: Loan Security Shortfall,Security Value ,Valoarea de securitate
 DocType: POS Item Group,Item Group,Grup Articol
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupul studenților:
 DocType: Depreciation Schedule,Finance Book Id,Numărul cărții de credit
 DocType: Item,Safety Stock,Stoc de siguranta
 DocType: Healthcare Settings,Healthcare Settings,Setări de asistență medicală
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Frunzele totale alocate
+DocType: Appointment Letter,Appointment Letter,Scrisoare de programare
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Progres% pentru o sarcină care nu poate fi mai mare de 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Premergător reconcilierii
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Pentru a {0}
@@ -5830,6 +5915,7 @@
 DocType: Stock Entry,From BOM,De la BOM
 DocType: Assessment Code,Assessment Code,Codul de evaluare
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Elementar
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Aplicații de împrumut de la clienți și angajați.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Tranzacțiilor bursiere înainte de {0} sunt înghețate
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Vă rugăm să faceți clic pe ""Generate Program"""
 DocType: Job Card,Current Time,Ora curentă
@@ -5856,7 +5942,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Acorda
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nu există grupuri create de studenți.
 DocType: Purchase Invoice Item,Serial No,Nr. serie
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Rambursarea lunară Suma nu poate fi mai mare decât Suma creditului
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Rambursarea lunară Suma nu poate fi mai mare decât Suma creditului
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Va rugam sa introduceti maintaince detaliile prima
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Data livrării așteptată nu poate fi înainte de data comenzii de achiziție
 DocType: Purchase Invoice,Print Language,Limba de imprimare
@@ -5870,6 +5956,7 @@
 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,All Territories,Toate teritoriile
+DocType: Plaid Settings,development,dezvoltare
 DocType: Lost Reason Detail,Lost Reason Detail,Detaliu ratiune pierduta
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Comanda nevalabilă pentru client și element selectat
@@ -5934,12 +6021,14 @@
 DocType: Staffing Plan Detail,Current Openings,Deschideri curente
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash Flow din Operațiuni
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Suma CGST
+DocType: Vehicle Log,Current Odometer value ,Valoarea actuală a contorului
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Creați student
 DocType: Asset Movement Item,Asset Movement Item,Element de mișcare a activelor
 DocType: Purchase Invoice,Shipping Rule,Regula de transport maritim
 DocType: Patient Relation,Spouse,soț
 DocType: Lab Test Groups,Add Test,Adăugați test
 DocType: Manufacturer,Limited to 12 characters,Limitată la 12 de caractere
+DocType: Appointment Letter,Closing Notes,Note de închidere
 DocType: Journal Entry,Print Heading,Imprimare Titlu
 DocType: Quality Action Table,Quality Action Table,Tabel de acțiune de calitate
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totalul nu poate să fie zero
@@ -6007,6 +6096,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Vă rugăm să identificați / să creați un cont (grup) pentru tipul - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Divertisment & Relaxare
+DocType: Loan Security,Loan Security,Securitatea împrumutului
 ,Item Variant Details,Element Variant Details
 DocType: Quality Inspection,Item Serial No,Nr. de Serie Articol
 DocType: Payment Request,Is a Subscription,Este un abonament
@@ -6019,7 +6109,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Etapă tarzie
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Datele programate și admise nu pot fi mai mici decât astăzi
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer de material la furnizor
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Noua ordine nu pot avea Warehouse. Depozit trebuie să fie stabilite de către Bursa de intrare sau de primire de cumparare
 DocType: Lead,Lead Type,Tip Pistă
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Creare Ofertă
@@ -6037,7 +6126,6 @@
 DocType: Leave Allocation,Leave Period,Lăsați perioada
 DocType: Item,Default Material Request Type,Implicit Material Tip de solicitare
 DocType: Supplier Scorecard,Evaluation Period,Perioada de evaluare
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clienți&gt; Teritoriul
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Necunoscut
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordinul de lucru nu a fost creat
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6123,7 +6211,8 @@
 ,Customer-wise Item Price,Prețul articolului pentru clienți
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Situația fluxurilor de trezorerie
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nu a fost creată nicio solicitare materială
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Suma creditului nu poate depăși valoarea maximă a împrumutului de {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Suma creditului nu poate depăși valoarea maximă a împrumutului de {0}
+DocType: Loan,Loan Security Pledge,Gaj de securitate pentru împrumuturi
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licență
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6141,6 +6230,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Schema de reducere a prețurilor
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Starea de întreținere trebuie anulată sau finalizată pentru a fi trimisă
 DocType: Amazon MWS Settings,US,S.U.A.
+DocType: Loan Security Pledge,Pledged,gajat
 DocType: Holiday List,Add Weekly Holidays,Adăugă Sărbători Săptămânale
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Raport articol
 DocType: Staffing Plan Detail,Vacancies,Posturi vacante
@@ -6159,7 +6249,6 @@
 DocType: Production Plan Item,Planned Start Date,Start data planificată
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Selectați un BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Avantaje fiscale integrate ITC
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Creați intrare de rambursare
 DocType: Purchase Order Item,Blanket Order Rate,Rata de comandă a plicului
 ,Customer Ledger Summary,Rezumatul evidenței clienților
 apps/erpnext/erpnext/hooks.py,Certification,Certificare
@@ -6180,6 +6269,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Titlu model expertivă
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Comercial
 DocType: Patient,Alcohol Current Use,Utilizarea curentă a alcoolului
+DocType: Loan,Loan Closure Requested,Solicitare de închidere a împrumutului
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Casa de inchiriere Plata Suma
 DocType: Student Admission Program,Student Admission Program,Programul de Admitere în Studenți
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Categoria de scutire de taxe
@@ -6203,6 +6293,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Vânzări
 DocType: Stock Entry Detail,Basic Amount,Suma de bază
 DocType: Training Event,Exam,Examen
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Deficitul de securitate a împrumutului de proces
 DocType: Email Campaign,Email Campaign,Campania de e-mail
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Eroare de pe piață
 DocType: Complaint,Complaint,Reclamație
@@ -6282,6 +6373,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Trimiteți acest lucru pentru a crea înregistrarea angajatului
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Prețul securității împrumutului care se suprapune cu {0}
 DocType: Item Default,Item Default,Element Implicit
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Furnizori intra-statale
 DocType: Chapter Member,Leave Reason,Lăsați rațiunea
@@ -6309,6 +6401,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Cuponul utilizat este {1}. Cantitatea admisă este epuizată
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Doriți să trimiteți solicitarea materialului
 DocType: Job Offer,Awaiting Response,Se aşteaptă răspuns
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Împrumutul este obligatoriu
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Deasupra
 DocType: Support Search Source,Link Options,Link Opțiuni
@@ -6321,6 +6414,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
+DocType: Pledge,Post Haircut Amount,Postează cantitatea de tuns
 DocType: Sales Order,Skip Delivery Note,Salt nota de livrare
 DocType: Price List,Price Not UOM Dependent,Pretul nu este dependent de UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} variante create.
@@ -6347,6 +6441,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Obține elemente din Bundle produse
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Metoda de rambursare este obligatorie pentru împrumuturile la termen
 DocType: Asset,Straight Line,Linie dreapta
 DocType: Project User,Project User,utilizator proiect
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Despică
@@ -6395,7 +6490,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolul pot organiza conturile înghețate și congelate Editați intrările
 DocType: Supplier Scorecard Scoring Variable,Path,cale
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nu se poate converti de cost Centrul de registru, deoarece are noduri copil"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Factorul de conversie UOM ({0} -&gt; {1}) nu a fost găsit pentru articol: {2}
 DocType: Production Plan,Total Planned Qty,Cantitatea totală planificată
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Tranzacțiile au fost retrase din extras
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valoarea de deschidere
@@ -6404,11 +6498,8 @@
 DocType: Material Request Plan Item,Required Quantity,Cantitatea necesară
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Perioada de contabilitate se suprapune cu {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Furnizor&gt; Tip furnizor
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Cont de vânzări
 DocType: Purchase Invoice Item,Total Weight,Greutate totală
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Vă rugăm să ștergeți angajatul <a href=""#Form/Employee/{0}"">{0}</a> \ pentru a anula acest document"
 DocType: Pick List Item,Pick List Item,Alegeți articolul din listă
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comision pentru Vânzări
 DocType: Job Offer Term,Value / Description,Valoare / Descriere
@@ -6455,6 +6546,7 @@
 DocType: Patient Encounter,Encounter Date,Data întâlnirii
 DocType: Work Order,Update Consumed Material Cost In Project,Actualizați costurile materialelor consumate în proiect
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Contul: {0} cu moneda: {1} nu poate fi selectat
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Împrumuturi acordate clienților și angajaților.
 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
@@ -6523,7 +6615,6 @@
 DocType: Contract,Signed On,Signed On
 DocType: Bank Account,Party Type,Tip de partid
 DocType: Discounted Invoice,Discounted Invoice,Factură redusă
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcați prezența ca <b></b>
 DocType: Payment Schedule,Payment Schedule,Planul de plăți
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nu a fost găsit niciun angajat pentru valoarea câmpului dat. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Abreviere
@@ -6595,6 +6686,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Creditorii
 DocType: Assessment Plan,Assessment Name,Nume evaluare
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Nu serial este obligatorie
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Suma de {0} este necesară pentru închiderea împrumutului
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detaliu Taxa Avizata Articol
 DocType: Employee Onboarding,Job Offer,Ofertă de muncă
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institutul Abreviere
@@ -6619,7 +6711,6 @@
 DocType: Purchase Order,To Receive,A Primi
 DocType: Leave Period,Holiday List for Optional Leave,Lista de vacanță pentru concediul opțional
 DocType: Item Tax Template,Tax Rates,Taxe de impozitare
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Cod articol&gt; Grup de articole&gt; Marcă
 DocType: Asset,Asset Owner,Proprietarul de proprietar
 DocType: Item,Website Content,Conținutul site-ului web
 DocType: Bank Account,Integration ID,ID de integrare
@@ -6636,6 +6727,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Comenzile de sincronizare
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Comenzi lansat pentru producție.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Selectați anul fiscal ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Vă rugăm să selectați Tip de împrumut pentru companie {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6664,6 +6756,7 @@
 DocType: Customer,Mention if non-standard receivable account,Mentionati daca non-standard cont de primit
 DocType: Bank,Plaid Access Token,Token de acces la carouri
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Vă rugăm să adăugați beneficiile rămase {0} la oricare dintre componentele existente
+DocType: Bank Account,Is Default Account,Este contul implicit
 DocType: Journal Entry Account,If Income or Expense,In cazul Veniturilor sau Cheltuielilor
 DocType: Course Topic,Course Topic,Subiectul cursului
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Clouou Voucher există pentru {0} între data {1} și {2}
@@ -6676,7 +6769,7 @@
 DocType: Disease,Treatment Task,Sarcina de tratament
 DocType: Payment Order Reference,Bank Account Details,Detaliile contului bancar
 DocType: Purchase Order Item,Blanket Order,Ordinul de ștergere
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Suma de rambursare trebuie să fie mai mare decât
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Suma de rambursare trebuie să fie mai mare decât
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Active Fiscale
 DocType: BOM Item,BOM No,Nr. BOM
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detalii detalii
@@ -6733,6 +6826,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Produse WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Eroare de sintaxă în formulă sau stare: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Element {0} ignorat, deoarece nu este un element de stoc"
+,Loan Security Status,Starea de securitate a împrumutului
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","De a nu aplica regula Preturi într-o anumită tranzacție, ar trebui să fie dezactivat toate regulile de tarifare aplicabile."
 DocType: Payment Term,Day(s) after the end of the invoice month,Ziua (zilele) de la sfârșitul lunii facturii
 DocType: Assessment Group,Parent Assessment Group,Grup părinte de evaluare
@@ -6747,7 +6841,6 @@
 DocType: Stock Entry Detail,Additional Cost,Cost aditional
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nu se poate filtra pe baza voucher Nr., în cazul gruparii in functie de Voucher"
 DocType: Quality Inspection,Incoming,Primite
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vă rugăm să configurați seria de numerotare pentru prezență prin Setare&gt; Numerotare
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Se creează șabloane fiscale predefinite pentru vânzări și achiziții.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Inregistrarea Rezultatului evaluării {0} există deja.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemplu: ABCD. #####. Dacă seria este setată și numărul lotului nu este menționat în tranzacții, atunci numărul lotului automat va fi creat pe baza acestei serii. Dacă doriți întotdeauna să menționați în mod explicit numărul lotului pentru acest articol, lăsați acest lucru necompletat. Notă: această setare va avea prioritate față de Prefixul Seriei de Nomenclatoare din Setările de stoc."
@@ -6758,8 +6851,10 @@
 DocType: Contract,Party User,Utilizator de petreceri
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Activele nu au fost create pentru <b>{0}</b> . Va trebui să creați activ manual.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Filtru filtru de companie gol dacă grupul de grup este &quot;companie&quot;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clienți&gt; Teritoriul
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Dată postare nu poate fi data viitoare
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} nu se potrivește cu {2} {3}
+DocType: Loan Repayment,Interest Payable,Dobândi de plătit
 DocType: Stock Entry,Target Warehouse Address,Adresa de destinație a depozitului
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Concediu Aleator
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Timpul înainte de ora de începere a schimbului în timpul căruia se consideră check-in-ul angajaților pentru participare.
@@ -6888,6 +6983,7 @@
 DocType: Issue,Reset Service Level Agreement,Resetați Acordul privind nivelul serviciilor
 ,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/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Suma împrumutului este obligatorie
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6936,6 +7032,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Cantitate de bilanţ
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Condițiile se vor aplica pe toate elementele selectate combinate.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Obiectivele nu poate fi gol
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Depozit incorect
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Înscrierea studenților
 DocType: Item Group,Parent Item Group,Părinte Grupa de articole
 DocType: Appointment Type,Appointment Type,Tip de întâlnire
@@ -6990,10 +7087,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Rata medie
 DocType: Appointment,Appointment With,Programare cu
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Suma totală de plată în Planul de Plăți trebuie să fie egală cu Total / Rotunjit
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcați prezența ca <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Elementul furnizat de client"" nu poate avea rata de evaluare"
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Banca echilibru Declarație pe General Ledger
-DocType: Job Applicant,Applicant Name,Nume solicitant
+DocType: Appointment Letter,Applicant Name,Nume solicitant
 DocType: Authorization Rule,Customer / Item Name,Client / Denumire articol
 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**. 
 
@@ -7037,11 +7135,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depozitul nu poate fi șters deoarece există intrări in registru contabil stocuri pentru acest depozit.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribuire
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Statutul angajaților nu poate fi setat pe „Stânga”, deoarece următorii angajați raportează la acest angajat:"
-DocType: Journal Entry Account,Loan,Împrumut
+DocType: Loan Repayment,Amount Paid,Sumă plătită
+DocType: Loan Security Shortfall,Loan,Împrumut
 DocType: Expense Claim Advance,Expense Claim Advance,Avans Solicitare Cheltuială
 DocType: Lab Test,Report Preference,Raportați raportul
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informații despre voluntari.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Manager de Proiect
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grup după client
 ,Quoted Item Comparison,Compararea Articol citat
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Suprapunerea punctajului între {0} și {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Expediere
@@ -7061,6 +7161,7 @@
 DocType: Material Request Plan Item,Material Issue,Problema de material
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Element gratuit care nu este setat în regula prețurilor {0}
 DocType: Employee Education,Qualification,Calificare
+DocType: Loan Security Shortfall,Loan Security Shortfall,Deficitul de securitate al împrumutului
 DocType: Item Price,Item Price,Preț Articol
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & Detergent
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Angajatul {0} nu aparține companiei {1}
@@ -7083,6 +7184,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Detalii despre numire
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produs finit
 DocType: Warehouse,Warehouse Name,Denumire Depozit
+DocType: Loan Security Pledge,Pledge Time,Timp de gaj
 DocType: Naming Series,Select Transaction,Selectați Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vă rugăm să introduceți Aprobarea Rolul sau aprobarea de utilizare
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Acordul privind nivelul serviciului cu tipul de entitate {0} și entitatea {1} există deja.
@@ -7090,7 +7192,6 @@
 DocType: BOM,Rate Of Materials Based On,Rate de materiale bazate pe
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Dacă este activată, domeniul Academic Term va fi obligatoriu în Instrumentul de înscriere în program."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valorile livrărilor interne scutite, nule și fără GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Client&gt; Grup de clienți&gt; Teritoriul
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Compania</b> este un filtru obligatoriu.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Deselecteaza tot
 DocType: Purchase Taxes and Charges,On Item Quantity,Pe cantitatea articolului
@@ -7136,7 +7237,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Lipsă Cantitate
 DocType: Purchase Invoice,Input Service Distributor,Distribuitor de servicii de intrare
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Postul varianta {0} există cu aceleași atribute
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vă rugăm să configurați Sistemul de denumire a instructorului în Educație&gt; Setări educație
 DocType: Loan,Repay from Salary,Rambursa din salariu
 DocType: Exotel Settings,API Token,Token API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Se solicita plata contra {0} {1} pentru suma {2}
@@ -7156,6 +7256,7 @@
 DocType: Salary Slip,Total Interest Amount,Suma totală a dobânzii
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,Depozitele cu noduri copil nu pot fi convertite în registru contabil
 DocType: BOM,Manage cost of operations,Gestionează costul operațiunilor
+DocType: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Zilele stale
 DocType: Travel Itinerary,Arrival Datetime,Ora de sosire
 DocType: Tax Rule,Billing Zipcode,Cod poștal de facturare
@@ -7342,6 +7443,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ore
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},O nouă programare a fost creată pentru dvs. cu {0}
 DocType: Project,Expected Start Date,Data de Incepere Preconizata
+DocType: Work Order,This is a location where raw materials are available.,Acesta este un loc unde materiile prime sunt disponibile.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Corectură în Factură
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordin de lucru deja creat pentru toate articolele cu BOM
 DocType: Bank Account,Party Details,Party Detalii
@@ -7360,6 +7462,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Cotațiile:
 DocType: Contract,Partially Fulfilled,Parțial îndeplinite
 DocType: Maintenance Visit,Fully Completed,Finalizat
+DocType: Loan Security,Loan Security Name,Numele securității împrumutului
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caractere speciale, cu excepția &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Și &quot;}&quot; nu sunt permise în numirea seriei"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Este nul sau scutit
 DocType: Employee,Educational Qualification,Detalii Calificare de Învățământ
@@ -7417,6 +7520,7 @@
 DocType: Program,Is Featured,Este prezentat
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,... Fetching
 DocType: Agriculture Analysis Criteria,Agriculture User,Utilizator agricol
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Valabil până la data nu poate fi înainte de data tranzacției
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7494,8 +7598,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Angajatul {0} este activat Lăsați pe {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Nu sunt selectate rambursări pentru înscrierea în Jurnal
 DocType: Purchase Invoice,GST Category,Categoria GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Promisiunile propuse sunt obligatorii pentru împrumuturile garantate
 DocType: Payment Reconciliation,From Invoice Date,De la data facturii
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Bugete
 DocType: Invoice Discounting,Disbursed,debursate
@@ -7553,14 +7657,13 @@
 DocType: Restaurant,Active Menu,Meniul activ
 DocType: Accounting Dimension Detail,Default Dimension,Dimensiunea implicită
 DocType: Target Detail,Target Qty,Țintă Cantitate
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Împotriva împrumutului: {0}
 DocType: Shopping Cart Settings,Checkout Settings,setările checkout pentru
 DocType: Student Attendance,Present,Prezenta
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Nota de Livrare {0} nu trebuie sa fie introdusa
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Fișa de salariu trimisă către angajat va fi protejată prin parolă, parola va fi generată pe baza politicii de parolă."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Contorul de kilometraj
 DocType: Production Plan Item,Ordered Qty,Ordonat Cantitate
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Postul {0} este dezactivat
 DocType: Stock Settings,Stock Frozen Upto,Stoc Frozen Până la
@@ -7619,7 +7722,6 @@
 DocType: Serial No,Delivery Document Type,Tipul documentului de Livrare
 DocType: Sales Order,Partly Delivered,Parțial livrate
 DocType: Item Variant Settings,Do not update variants on save,Nu actualizați variantele de salvare
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupul vamal
 DocType: Email Digest,Receivables,Creanțe
 DocType: Lead Source,Lead Source,Sursa de plumb
 DocType: Customer,Additional information regarding the customer.,Informații suplimentare cu privire la client.
@@ -7718,6 +7820,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Efectiv
 DocType: Appointment,Skype ID,ID Skype
 DocType: Restaurant Menu,Restaurant Manager,Manager Restaurant
+DocType: Loan,Penalty Income Account,Cont de venituri din penalități
 DocType: Call Log,Call Log,Jurnal de Apel
 DocType: Authorization Rule,Customerwise Discount,Reducere Client
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet pentru sarcini.
@@ -7805,6 +7908,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Schema de reducere a produsului
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Apelantul nu a pus nicio problemă.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Grup după furnizor
 DocType: Restaurant Reservation,Waitlisted,waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoria de scutire
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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ă
@@ -7815,7 +7919,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consilia
 DocType: Subscription Plan,Based on price list,Bazat pe lista de prețuri
 DocType: Customer Group,Parent Customer Group,Părinte Grup Clienți
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON poate fi generat numai din factura de vânzări
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Încercări maxime pentru acest test au fost atinse!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonament
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Crearea taxelor în așteptare
@@ -7833,6 +7936,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Mentenanță preventivă
 DocType: Delivery Note Item,Against Sales Invoice,Comparativ facturii de vânzări
 DocType: Purchase Invoice,07-Others,07-Altele
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Suma ofertei
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Introduceți numere de serie pentru articolul serializat
 DocType: Bin,Reserved Qty for Production,Cant. rezervata pentru producție
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lăsați necontrolabil dacă nu doriți să luați în considerare lotul în timp ce faceți grupuri bazate pe curs.
@@ -7943,6 +8047,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Plată Primirea Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Creați solicitare de materiale
+DocType: Loan Interest Accrual,Pending Principal Amount,Suma pendintei principale
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Datele de început și de încheiere care nu sunt într-o perioadă de salarizare valabilă, nu pot fi calculate {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7986,6 +8091,7 @@
 											to fullfill Sales Order {2}",Nu se poate livra numarul de serie {0} al articolului {1} asa cum este rezervat \ pentru a indeplini comanda de vanzari {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Furnizor de oferta {0} creat
+DocType: Loan Security Unpledge,Unpledge Type,Tipul de deconectare
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Sfârșitul anului nu poate fi înainte de Anul de început
 DocType: Employee Benefit Application,Employee Benefits,Beneficiile angajatului
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,card de identitate al angajatului
@@ -8068,6 +8174,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Codul cursului:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Va rugam sa introduceti cont de cheltuieli
 DocType: Quality Action Resolution,Problem,Problemă
+DocType: Loan Security Type,Loan To Value Ratio,Raportul împrumut / valoare
 DocType: Account,Stock,Stoc
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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ă
@@ -8085,6 +8192,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Intrare tranzacție la declarația bancară
 DocType: Sales Invoice Item,Discount and Margin,Reducere și marja de profit
 DocType: Lab Test,Prescription,Reteta medicala
+DocType: Process Loan Security Shortfall,Update Time,Timpul de actualizare
 DocType: Import Supplier Invoice,Upload XML Invoices,Încărcați facturile XML
 DocType: Company,Default Deferred Revenue Account,Implicit Contul cu venituri amânate
 DocType: Project,Second Email,Al doilea e-mail
@@ -8098,7 +8206,7 @@
 DocType: Quality Action,Preventive,Preventiv
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Furnizare pentru persoane neînregistrate
 DocType: Company,Date of Incorporation,Data Încorporării
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Taxa totală
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Taxa totală
 DocType: Manufacturing Settings,Default Scrap Warehouse,Depozitul de resturi implicit
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Ultima valoare de cumpărare
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Pentru Cantitate (fabricat Cant) este obligatorie
@@ -8117,6 +8225,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Setați modul de plată implicit
 DocType: Stock Entry Detail,Against Stock Entry,Împotriva intrării pe stoc
 DocType: Grant Application,Withdrawn,retrasă
+DocType: Loan Repayment,Regular Payment,Plată regulată
 DocType: Support Search Source,Support Search Source,Sprijiniți sursa de căutare
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Marja Bruta%
@@ -8130,8 +8239,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Fără plata impozitului
 DocType: BOM Operation,BOM Operation,Operațiune BOM
 DocType: Purchase Taxes and Charges,On Previous Row Amount,La rândul precedent Suma
+DocType: Student,Home Address,Adresa de acasa
 DocType: Options,Is Correct,Este corect
 DocType: Item,Has Expiry Date,Are data de expirare
+DocType: Loan Repayment,Paid Accrual Entries,Intrări achitate la angajare
+DocType: Loan Security,Loan Security Type,Tip de securitate împrumut
 apps/erpnext/erpnext/config/support.py,Issue Type.,Tipul problemei.
 DocType: POS Profile,POS Profile,POS Profil
 DocType: Training Event,Event Name,Numele evenimentului
@@ -8143,6 +8255,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonalitatea pentru stabilirea bugetelor, obiective etc."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Fără valori
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Numele variabil
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Selectați contul bancar pentru a vă reconcilia.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Postul {0} este un șablon, vă rugăm să selectați unul dintre variantele sale"
 DocType: Purchase Invoice Item,Deferred Expense,Cheltuieli amânate
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Înapoi la mesaje
@@ -8194,7 +8307,6 @@
 DocType: GL Entry,To Rename,Pentru a redenumi
 DocType: Stock Entry,Repack,Reambalați
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selectați pentru a adăuga număr de serie.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vă rugăm să configurați Sistemul de denumire a instructorului în Educație&gt; Setări educație
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vă rugăm să setați Codul fiscal pentru clientul „% s”
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Selectați mai întâi Compania
 DocType: Item Attribute,Numeric Values,Valori numerice
@@ -8218,6 +8330,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Fetch bazat pe FIFO
 DocType: Soil Texture,Clay Loam,Argilos
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Rădăcină nu poate fi editat.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Valoarea securității împrumutului
 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
@@ -8264,6 +8377,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Vă rugăm să selectați categoria întâi
 apps/erpnext/erpnext/config/projects.py,Project master.,Maestru proiect.
 DocType: Contract,Contract Terms,Termenii contractului
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Limita sumei sancționate
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Continuați configurarea
 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,Maximum benefit amount of component {0} exceeds {1},Suma maximă de beneficii a componentei {0} depășește {1}
@@ -8296,6 +8410,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Vizualizați jurnalul de apeluri
 DocType: BOM Operation,Operating Cost(Company Currency),Costul de operare (Companie Moneda)
 DocType: Loan Application,Rate of Interest,Rata Dobânzii
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Garanția de securitate a împrumutului deja a promis împrumutul {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Sancționate Suma
 DocType: Item,Shelf Life In Days,Perioada de valabilitate în zile
 DocType: GL Entry,Is Opening,Se deschide
@@ -8309,3 +8424,4 @@
 DocType: Account,Cash,Numerar
 DocType: Sales Invoice,Unpaid and Discounted,Neplătit și redus
 DocType: Employee,Short biography for website and other publications.,Scurta biografie pentru site-ul web și alte publicații.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Rândul # {0}: Nu se poate selecta Furnizorul în timp ce furnizează materii prime subcontractantului
diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv
index b949294..7bae65b 100644
--- a/erpnext/translations/ru.csv
+++ b/erpnext/translations/ru.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Возможность потерянной причины
 DocType: Patient Appointment,Check availability,Проверить наличие свободных мест
 DocType: Retention Bonus,Bonus Payment Date,Дата выплаты бонуса
-DocType: Employee,Job Applicant,Соискатель работы
+DocType: Appointment Letter,Job Applicant,Соискатель работы
 DocType: Job Card,Total Time in Mins,Общее время в минутах
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Это основано на операциях против этого поставщика. См график ниже для получения подробной информации
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Процент перепроизводства для рабочего заказа
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Контакты
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Ищите что-нибудь ...
 ,Stock and Account Value Comparison,Сравнение стоимости акций и счетов
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Выплаченная сумма не может быть больше суммы кредита
 DocType: Company,Phone No,Номер телефона
 DocType: Delivery Trip,Initial Email Notification Sent,Исходящее уведомление по электронной почте отправлено
 DocType: Bank Statement Settings,Statement Header Mapping,Сопоставление заголовков операторов
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Заинтересованный
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Открытие
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Программа:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,"Действителен со времени должен быть меньше, чем действительный до времени."
 DocType: Item,Copy From Item Group,Скопируйте из продуктовой группы
 DocType: Journal Entry,Opening Entry,Начальная запись
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Счет Оплатить только
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Класс
 DocType: Restaurant Table,No of Seats,Количество мест
+DocType: Loan Type,Grace Period in Days,Льготный период в днях
 DocType: Sales Invoice,Overdue and Discounted,Просроченный и со скидкой
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Актив {0} не принадлежит хранителю {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Вызов отключен
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Предписанные процедуры
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Показать только POS
 DocType: Supplier Group,Supplier Group Name,Название группы поставщиков
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отметить посещаемость как <b></b>
 DocType: Driver,Driving License Categories,Категории водительских прав
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Укажите дату поставки
 DocType: Depreciation Schedule,Make Depreciation Entry,Сделать запись амортизации
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Информация о выполненных операциях.
 DocType: Asset Maintenance Log,Maintenance Status,Техническое обслуживание Статус
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Сумма налога на имущество, включенная в стоимость"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Залог по кредиту
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Сведения о членстве
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Наименование поставщика обязательно для кредиторской задолженности {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Продукты и цены
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Общее количество часов: {0}
+DocType: Loan,Loan Manager,Кредитный менеджер
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},С даты должно быть в пределах финансового года. Предполагая С даты = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,интервал
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',"Обновлено помощью ""Time Вход"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Выберите клиента или поставщика.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Код страны в файле не совпадает с кодом страны, установленным в системе"
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Аккаунт {0} не принадлежит компании {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Выберите только один приоритет по умолчанию.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},"Предварительная сумма не может быть больше, чем {0} {1}"
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временной интервал пропущен, слот {0} - {1} перекрывает существующий слот {2} до {3}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Оставьте Заблокированные
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банковские записи
-DocType: Customer,Is Internal Customer,Внутренний клиент
+DocType: Sales Invoice,Is Internal Customer,Внутренний клиент
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,№ Счета на продажу
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Запрос материала
 DocType: Bank Reconciliation,Update Clearance Date,Обновление просвет Дата
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Комплект кол-во
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Невозможно создать кредит, пока заявка не будет утверждена"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Пункт {0} не найден в &quot;давальческое сырье&quot; таблицы в Заказе {1}
 DocType: Salary Slip,Total Principal Amount,Общая сумма
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Правильный
 DocType: Student Guardian,Mother,Мама
 DocType: Restaurant Reservation,Reservation End Time,Время окончания бронирования
+DocType: Salary Slip Loan,Loan Repayment Entry,Запись о погашении кредита
 DocType: Crop,Biennial,двухгодичный
 ,BOM Variance Report,Отчет об изменчивости спецификации
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Подтвержденные заказы от клиентов.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Оплата с {0} {1} не может быть больше, чем суммы задолженности {2}"
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Все подразделения здравоохранения
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,О возможности конвертации
+DocType: Loan,Total Principal Paid,Всего основной оплачено
 DocType: Bank Account,Address HTML,Адрес HTML
 DocType: Lead,Mobile No.,Мобильный
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Способ оплаты
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Баланс в базовой валюте
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Макс. Класс
 DocType: Email Digest,New Quotations,Новые Предложения
+DocType: Loan Interest Accrual,Loan Interest Accrual,Начисление процентов по кредитам
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Посещаемость не была отправлена {0} как {1} в отпуске.
 DocType: Journal Entry,Payment Order,Платежное поручение
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,подтвердить электронную почту
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Доход из других источников
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Если поле пусто, будет учтена родительская учетная запись склада или компания по умолчанию"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Отправляет сотруднику уведомление о зарплате на основании предпочтительного адреса электронной почты, выбранного в Сотруднике"
+DocType: Work Order,This is a location where operations are executed.,"Это место, где выполняются операции."
 DocType: Tax Rule,Shipping County,графство Доставка
 DocType: Currency Exchange,For Selling,Для продажи
 apps/erpnext/erpnext/config/desktop.py,Learn,Справка
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Прикладной код купона
 DocType: Asset,Next Depreciation Date,Следующий Износ Дата
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Деятельность Стоимость одного работника
+DocType: Loan Security,Haircut %,Стрижка волос %
 DocType: Accounts Settings,Settings for Accounts,Настройки для счетов
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Поставщик Счет-фактура не существует в счете-фактуре {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Управление деревом менеджеров по продажам.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Пожалуйста, установите рейтинг номера в отеле {}"
 DocType: Journal Entry,Multi Currency,Мультивалютность
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип счета
+DocType: Loan,Loan Security Details,Детали безопасности ссуды
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Срок действия с даты должен быть меньше срока действия до даты
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Исключительная ситуация при согласовании {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Установить принятый склад
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Требовать лабораторное тестирование
 DocType: Attendance,Working Hours,Часы работы
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Всего выдающихся
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Коэффициент преобразования UOM ({0} -&gt; {1}) не найден для элемента: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Измените начальный / текущий порядковый номер существующей идентификации.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"В процентах вам разрешено выставлять счета больше, чем заказанная сумма. Например: если стоимость заказа составляет 100 долларов США за элемент, а допуск равен 10%, то вы можете выставить счет на 110 долларов США."
 DocType: Dosage Strength,Strength,Прочность
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Дата транспортного средства
 DocType: Campaign Email Schedule,Campaign Email Schedule,Расписание рассылки кампании
 DocType: Student Log,Medical,Медицинский
+DocType: Work Order,This is a location where scraped materials are stored.,"Это место, где хранятся скребки."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Выберите лекарство
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Ответственным за Обращение не может быть сам обратившийся
 DocType: Announcement,Receiver,Получатель
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,Применимо для внешнего драйвера
 DocType: Sales Order Item,Used for Production Plan,Используется для производственного плана
 DocType: BOM,Total Cost (Company Currency),Общая стоимость (валюта компании)
-DocType: Loan,Total Payment,Всего к оплате
+DocType: Repayment Schedule,Total Payment,Всего к оплате
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,Заказы на закупку уже созданы для всех позиций сделки
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Предупреждать заказы на поставку
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Сдано с даты
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Достаточно части для сборки
+DocType: Loan Security,Loan Security Code,Кредитный код безопасности
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Пожалуйста, сохраните сначала"
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Предметы требуются, чтобы вытащить сырье, которое с ним связано."
 DocType: POS Profile User,POS Profile User,Пользователь профиля POS
@@ -976,6 +989,7 @@
 DocType: Patient,Risk Factors,Факторы риска
 DocType: Patient,Occupational Hazards and Environmental Factors,Профессиональные опасности и факторы окружающей среды
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Записи запаса, уже созданные для рабочего заказа"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код товара&gt; Группа товаров&gt; Марка
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Посмотреть прошлые заказы
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} разговоров
 DocType: Vital Signs,Respiratory rate,Частота дыхания
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,Удалить Сделки Компания
 DocType: Production Plan Item,Quantity and Description,Количество и описание
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Ссылка № и дата Reference является обязательным для операции банка
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка&gt; Настройки&gt; Серия имен"
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавить или изменить налоги и сборы
 DocType: Payment Entry Reference,Supplier Invoice No,Поставщик Счет №
 DocType: Territory,For reference,Для справки
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Удержание налога
 DocType: Pricing Rule,Sales Partner,Партнер по продажам
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Все оценочные карточки поставщиков.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Сумма заказа
+DocType: Loan,Disbursed Amount,Выплаченная сумма
 DocType: Buying Settings,Purchase Receipt Required,Покупка Получение необходимое
 DocType: Sales Invoice,Rail,рельсовый
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Действительная цена
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Подключено к QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Укажите / создайте учетную запись (книгу) для типа - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Счёт оплаты
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Аккаунт обязателен для получения платежных записей
 DocType: Payment Entry,Type of Payment,Тип платежа
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Полдня Дата обязательна
 DocType: Sales Order,Billing and Delivery Status,Статус оплаты и доставки
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,Счетов выдано кол-во
 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,Principal Amount,Основная сумма
+DocType: Repayment Schedule,Principal Amount,Основная сумма
 DocType: Loan Application,Total Payable Interest,Общая задолженность по процентам
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Итого выдающийся: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Открытый контакт
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Произошла ошибка во время процесса обновления
 DocType: Restaurant Reservation,Restaurant Reservation,Бронирование ресторанов
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Ваши товары
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Поставщик&gt; Тип поставщика
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Предложение Написание
 DocType: Payment Entry Deduction,Payment Entry Deduction,Оплата запись Вычет
 DocType: Service Level Priority,Service Level Priority,Приоритет уровня обслуживания
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Создание групп студентов
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Создание групп студентов
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway Account не создан, создайте его вручную."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},"Групповые склады нельзя использовать в транзакциях. Пожалуйста, измените значение {0}"
 DocType: Supplier Scorecard,Per Year,В год
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Не допускается вход в эту программу в соответствии с DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Строка # {0}: невозможно удалить элемент {1}, который назначен заказу клиента на покупку."
@@ -1288,7 +1306,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","При создании учетной записи для дочерней компании {0} родительская учетная запись {1} не найдена. Пожалуйста, создайте родительский аккаунт в соответствующем сертификате подлинности."
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Сплит-выпуск
 DocType: Student Attendance,Student Attendance,Посещаемость студента
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Нет данных для экспорта
 DocType: Sales Invoice Timesheet,Time Sheet,Время Sheet
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,На основе обратного отнесения затрат на сырье и материалы
 DocType: Sales Invoice,Port Code,Код порта
@@ -1301,6 +1318,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Поставщик
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Фактическая дата доставки
 DocType: Lab Test,Test Template,Шаблон тестирования
+DocType: Loan Security Pledge,Securities,ценные бумаги
 DocType: Restaurant Order Entry Item,Served,Подается
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Информация о главе.
 DocType: Account,Accounts,Счета
@@ -1395,6 +1413,7 @@
 DocType: Inpatient Record,O Negative,O Отрицательный
 DocType: Work Order Operation,Planned End Time,Планируемые Время окончания
 DocType: POS Profile,Only show Items from these Item Groups,Показывать только предметы из этих групп товаров
+DocType: Loan,Is Secured Loan,Обеспеченный кредит
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,Счет с существующими проводками не может быть преобразован в регистр
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Информация о типе памяти
 DocType: Delivery Note,Customer's Purchase Order No,Клиентам Заказ Нет
@@ -1431,6 +1450,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,Выберите компанию и дату проводки для получения записей.
 DocType: Asset,Maintenance,Обслуживание
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,Получите от Patient Encounter
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Коэффициент преобразования UOM ({0} -&gt; {1}) не найден для элемента: {2}
 DocType: Subscriber,Subscriber,подписчик
 DocType: Item Attribute Value,Item Attribute Value,Значение признака продукта
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Обмен валюты должен применяться для покупки или продажи.
@@ -1529,6 +1549,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Нет разрешения
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контрольный список выполнения контракта
 DocType: Vital Signs,Heart Rate / Pulse,Частота сердечных сокращений / пульс
+DocType: Customer,Default Company Bank Account,Стандартный банковский счет компании
 DocType: Supplier,Default Bank Account,По умолчанию Банковский счет
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Чтобы отфильтровать на основе партии, выберите партия первого типа"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"Нельзя выбрать «Обновить запасы», так как продукты не поставляются через {0}"
@@ -1647,7 +1668,6 @@
 DocType: Sales Team,Incentives,Стимулирование
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Значения не синхронизированы
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Значение разницы
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка&gt; Серия нумерации"
 DocType: SMS Log,Requested Numbers,Запрошенные номера
 DocType: Volunteer,Evening,Вечер
 DocType: Quiz,Quiz Configuration,Конфигурация викторины
@@ -1667,6 +1687,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,На Итого предыдущей строки
 DocType: Purchase Invoice Item,Rejected Qty,Отклонено Кол-во
 DocType: Setup Progress Action,Action Field,Поле действия
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Тип кредита для процентов и пеней
 DocType: Healthcare Settings,Manage Customer,Управление клиентом
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Всегда синхронизируйте свои продукты с Amazon MWS перед синхронизацией деталей заказов
 DocType: Delivery Trip,Delivery Stops,Остановить доставки
@@ -1678,6 +1699,7 @@
 ,Final Assessment Grades,Итоговые оценки
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Название вашей компании, для которой вы настраиваете эту систему."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Включите праздники в общей сложности не. рабочих дней
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% От общего итога
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Установите свой институт в ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Анализ растений
 DocType: Task,Timeline,График
@@ -1685,9 +1707,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Альтернативный товар
 DocType: Shopify Log,Request Data,Запросить данные
 DocType: Employee,Date of Joining,Дата вступления
+DocType: Delivery Note,Inter Company Reference,Справочник Интер
 DocType: Naming Series,Update Series,Обновить Идентификаторы
 DocType: Supplier Quotation,Is Subcontracted,Является субподряду
 DocType: Restaurant Table,Minimum Seating,Минимальное размещение
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Вопрос не может быть повторен
 DocType: Item Attribute,Item Attribute Values,Пункт значений атрибутов
 DocType: Examination Result,Examination Result,Экспертиза Результат
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Товарный чек
@@ -1789,6 +1813,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Синхронизация Offline счетов-фактур
 DocType: Payment Request,Paid,Оплачено
 DocType: Service Level,Default Priority,Приоритет по умолчанию
+DocType: Pledge,Pledge,Залог
 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» в соответствии с новой спецификацией. Он также обновляет последнюю цену во всех спецификациях."
@@ -1802,6 +1827,7 @@
 DocType: Guardian,Guardian Name,Имя родителя/попечителя
 DocType: Cheque Print Template,Has Print Format,Имеет формат печати
 DocType: Support Settings,Get Started Sections,Начать разделы
+,Loan Repayment and Closure,Погашение и закрытие кредита
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,санкционированные
 ,Base Amount,Базовая сумма
@@ -1812,10 +1838,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,С места
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Сумма кредита не может превышать {0}
 DocType: Student Admission,Publish on website,Публикация на сайте
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Дата Поставщик Счет не может быть больше, чем Дата публикации"
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код товара&gt; Группа товаров&gt; Марка
 DocType: Subscription,Cancelation Date,Дата отмены
 DocType: Purchase Invoice Item,Purchase Order Item,Заказ товара
 DocType: Agriculture Task,Agriculture Task,Сельхоз-задача
@@ -1834,7 +1860,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Процент Дополнительной Скидки
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Просмотреть список всех справочных видео
 DocType: Agriculture Analysis Criteria,Soil Texture,Текстура почвы
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Выберите учетную запись глава банка, в котором проверка была размещена."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Разрешить пользователю редактировать Прайс-лист Оценить в сделках
 DocType: Pricing Rule,Max Qty,Макс Кол-во
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Распечатать отчет
@@ -1969,7 +1994,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",После этого этот счет будет приостановлен до установленной даты
 DocType: Cashier Closing,POS-CLO-,POS-ClO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Продажа Сумма
-DocType: Repayment Schedule,Interest Amount,Проценты Сумма
+DocType: Loan Interest Accrual,Interest Amount,Проценты Сумма
 DocType: Job Card,Time Logs,Журналы Время
 DocType: Sales Invoice,Loyalty Amount,Сумма лояльности
 DocType: Employee Transfer,Employee Transfer Detail,Сведения о переводе сотрудников
@@ -1984,6 +2009,7 @@
 DocType: Cashier Closing,Returns,Возвращает
 DocType: Job Card,WIP Warehouse,WIP Склад
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Серийный номер {0} находится под контрактом на техническое обслуживание ДО {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Предел санкционированной суммы для {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Набор персонала
 DocType: Lead,Organization Name,Название организации
 DocType: Support Settings,Show Latest Forum Posts,Показать последние сообщения форума
@@ -2010,7 +2036,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Элементы заказа на поставку просрочены
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Почтовый индекс
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Сделка {0} это {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Выберите процентный доход в кредите {0}
 DocType: Opportunity,Contact Info,Контактная информация
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Создание складской проводки
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Нельзя продвинуть сотрудника со статусом Уволен
@@ -2094,7 +2119,6 @@
 DocType: Salary Slip,Deductions,Отчисления
 DocType: Setup Progress Action,Action Name,Название действия
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Год начала
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Создать кредит
 DocType: Purchase Invoice,Start date of current invoice's period,Дату периода текущего счета-фактуры начнем
 DocType: Shift Type,Process Attendance After,Посещаемость процесса после
 ,IRS 1099,IRS 1099
@@ -2115,6 +2139,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Выберите свои домены
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Покупатель
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Платежные счета
+DocType: Repayment Schedule,Is Accrued,Начислено
 DocType: Payroll Entry,Employee Details,Сотрудник Подробнее
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обработка файлов XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2146,6 +2171,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Точка входа в лояльность
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Продуктовая группа по умолчанию
+DocType: Loan,Partially Disbursed,Частично Освоено
 DocType: Job Card Time Log,Time In Mins,Время в Мин
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Предоставить информацию.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Это действие приведет к удалению этой учетной записи из любой внешней службы, интегрирующей ERPNext с вашими банковскими счетами. Это не может быть отменено. Ты уверен ?"
@@ -2161,6 +2187,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Один продукт нельзя вводить несколько раз.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Дальнейшие счета могут быть сделаны в соответствии с группами, но Вы можете быть против не-групп"
+DocType: Loan Repayment,Loan Closure,Закрытие кредита
 DocType: Call Log,Lead,Обращение
 DocType: Email Digest,Payables,Кредиторская задолженность
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2194,6 +2221,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Налог и льготы для сотрудников
 DocType: Bank Guarantee,Validity in Days,Срок действия в днях
 DocType: Bank Guarantee,Validity in Days,Срок действия в днях
+DocType: Unpledge,Haircut,Стрижка волос
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-форма не применяется для счета: {0}
 DocType: Certified Consultant,Name of Consultant,Имя консультанта
 DocType: Payment Reconciliation,Unreconciled Payment Details,Несогласованные Детали компенсации
@@ -2246,7 +2274,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Остальной мир
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Продукт {0} не может быть партией
 DocType: Crop,Yield UOM,Доходность UOM
+DocType: Loan Security Pledge,Partially Pledged,Частично объявлено
 ,Budget Variance Report,Бюджет Разница Сообщить
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Санкционированная сумма кредита
 DocType: Salary Slip,Gross Pay,Зарплата до вычетов
 DocType: Item,Is Item from Hub,Продукт из концентратора
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Получить товары из служб здравоохранения
@@ -2281,6 +2311,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Новая процедура качества
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Весы для счета {0} должен быть всегда {1}
 DocType: Patient Appointment,More Info,Подробнее
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Дата рождения не может быть больше даты присоединения.
 DocType: Supplier Scorecard,Scorecard Actions,Действия в Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Поставщик {0} не найден в {1}
 DocType: Purchase Invoice,Rejected Warehouse,Склад непринятой продукции
@@ -2378,6 +2409,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Сначала укажите код продукта
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Тип документа
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Создано залоговое обеспечение займа: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Назначения и встречи с пациентами
@@ -2433,6 +2465,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Количество одновременных назначений
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Начиная
 DocType: Purchase Invoice,Taxes and Charges Calculation,Налоги и сборы Расчет
+DocType: Loan Interest Accrual,Payable Principal Amount,Основная сумма к оплате
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Автоматическое внесение амортизации в книгу
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Автоматическое внесение амортизации в книгу
 DocType: BOM Operation,Workstation,Рабочая станция
@@ -2470,7 +2503,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Продукты питания
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Старение Диапазон 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Информация о закрытии ваучера POS
-DocType: Bank Account,Is the Default Account,Учетная запись по умолчанию
 DocType: Shopify Log,Shopify Log,Shopify Вход
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Связь не найдена.
 DocType: Inpatient Occupancy,Check In,Регистрация
@@ -2528,12 +2560,14 @@
 DocType: Sales Order Item,Planned Quantity,Планируемый Количество
 DocType: Water Analysis,Water Analysis Criteria,Критерии анализа воды
 DocType: Item,Maintain Stock,Поддержание запасов
+DocType: Loan Security Unpledge,Unpledge Time,Время невыплаты
 DocType: Terms and Conditions,Applicable Modules,Применимые модули
 DocType: Employee,Prefered Email,Предпочитаемый адрес электронной почты
 DocType: Student Admission,Eligibility and Details,Правила приёма и подробная информация
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Включено в валовую прибыль
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Чистое изменение в основных фондов
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,"Это место, где хранится конечный продукт."
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,С DateTime
@@ -2574,8 +2608,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Гарантия / АМК Статус
 ,Accounts Browser,Обзор счетов
 DocType: Procedure Prescription,Referral,Направления
+,Territory-wise Sales,Продажи по территории
 DocType: Payment Entry Reference,Payment Entry Reference,Оплата запись Ссылка
 DocType: GL Entry,GL Entry,GL Вступление
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Строка # {0}: принятый склад и склад поставщика не могут быть одинаковыми
 DocType: Support Search Source,Response Options,Параметры ответа
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Применить несколько правил ценообразования
 DocType: HR Settings,Employee Settings,Работники Настройки
@@ -2636,6 +2672,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,"Термин платежа в строке {0}, возможно, является дубликатом."
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Сельское хозяйство (бета)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Упаковочный лист
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка&gt; Настройки&gt; Серия имен"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Аренда площади для офиса
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Указать настройки СМС-шлюза
 DocType: Disease,Common Name,Распространенное имя
@@ -2652,6 +2689,7 @@
 DocType: Item,Sales Details,Продажи Подробности
 DocType: Coupon Code,Used,Используемый
 DocType: Opportunity,With Items,С продуктами
+DocType: Vehicle Log,last Odometer Value ,Значение последнего одометра
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Кампания &#39;{0}&#39; уже существует для {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Группа поддержки
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Порядок, в котором должны появляться разделы. 0 - первое, 1 - второе и т. Д."
@@ -2662,7 +2700,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Авансовый Отчет {0} уже существует для журнала автомобиля
 DocType: Asset Movement Item,Source Location,Расположение источника
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Название института
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Пожалуйста, введите Сумма погашения"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Пожалуйста, введите Сумма погашения"
 DocType: Shift Type,Working Hours Threshold for Absent,Порог рабочего времени для отсутствующих
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,"Может быть многоуровневый коэффициент сбора, основанный на общей затрате. Но коэффициент пересчета для погашения всегда будет одинаковым для всех уровней."
 apps/erpnext/erpnext/config/help.py,Item Variants,Варианты продукта
@@ -2686,6 +2724,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},Это {0} конфликты с {1} для {2} {3}
 DocType: Student Attendance Tool,Students HTML,Студенты HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} должно быть меньше {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,"Пожалуйста, сначала выберите Тип заявителя"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Выберите спецификацию, кол-во и для склада"
 DocType: GST HSN Code,GST HSN Code,Код GST HSN
 DocType: Employee External Work History,Total Experience,Суммарный опыт
@@ -2776,7 +2815,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Для элемента {0} не найдено активной спецификации. Доставка по \ Serial No не может быть гарантирована
 DocType: Sales Partner,Sales Partner Target,Цели Партнера по продажам
-DocType: Loan Type,Maximum Loan Amount,Максимальная сумма кредита
+DocType: Loan Application,Maximum Loan Amount,Максимальная сумма кредита
 DocType: Coupon Code,Pricing Rule,Цены Правило
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Повторяющийся номер ролика для ученика {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Материал Заказать орденом
@@ -2799,6 +2838,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Отпуск успешно распределен для {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Нет продуктов для упаковки
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,В настоящее время поддерживаются только файлы .csv и .xlsx
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»&gt; «Настройки HR»"
 DocType: Shipping Rule Condition,From Value,От стоимости
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Производство Количество является обязательным
 DocType: Loan,Repayment Method,Способ погашения
@@ -2882,6 +2922,7 @@
 DocType: Customer,Customer POS Id,Идентификатор клиента POS
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Студент с электронной почтой {0} не существует
 DocType: Account,Account Name,Имя Учетной Записи
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Сумма санкционированного кредита уже существует для {0} против компании {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"С даты не может быть больше, чем к дате"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция
 DocType: Pricing Rule,Apply Discount on Rate,Применить скидку на ставку
@@ -2953,6 +2994,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Чистая прибыль
 DocType: Purchase Invoice,Eligibility For ITC,Приемлемость для ИТЦ
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,необещанный
 DocType: Journal Entry,Entry Type,Тип записи
 ,Customer Credit Balance,Кредитная История Клиента
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Чистое изменение кредиторской задолженности
@@ -2964,6 +3006,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Идентификатор устройства посещаемости (биометрический идентификатор / идентификатор радиочастотной метки)
 DocType: Quotation,Term Details,Срочные Подробнее
 DocType: Item,Over Delivery/Receipt Allowance (%),Пособие по доставке / квитанции (%)
+DocType: Appointment Letter,Appointment Letter Template,Шаблон письма о назначении
 DocType: Employee Incentive,Employee Incentive,Стимулирование сотрудников
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,Не удается зарегистрировать более {0} студентов для этой группы студентов.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),Всего (без налога)
@@ -2988,6 +3031,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.","Невозможно обеспечить доставку серийным номером, так как \ Item {0} добавляется с и без обеспечения доставки \ Серийным номером"
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink Оплата об аннулировании счета-фактуры
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Процесс начисления процентов по кредитам
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},"Текущее показание одометра вошли должно быть больше, чем начальный одометр автомобиля {0}"
 ,Purchase Order Items To Be Received or Billed,"Пункты заказа на покупку, которые будут получены или выставлены"
 DocType: Restaurant Reservation,No Show,Нет шоу
@@ -3074,6 +3118,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: МВЗ обязателен для счета {2} «Отчет о прибылях и убытках». Укажите МВЗ по умолчанию для Компании.
 DocType: Payment Schedule,Payment Term,Условия оплаты
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов с таким именем уже существует. Пожалуйста, измените имя клиента или имя группы клиентов"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Дата окончания приема должна быть больше даты начала приема.
 DocType: Location,Area,Площадь
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Новый контакт
 DocType: Company,Company Description,Описание Компании
@@ -3149,6 +3194,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Отображаемые данные
 DocType: Purchase Order Item,Warehouse and Reference,Склад и справочники
 DocType: Payroll Period Date,Payroll Period Date,Дата периода расчета заработной платы
+DocType: Loan Disbursement,Against Loan,Против займа
 DocType: Supplier,Statutory info and other general information about your Supplier,Уставный информации и другие общие сведения о вашем Поставщик
 DocType: Item,Serial Nos and Batches,Серийные номера и партии
 DocType: Item,Serial Nos and Batches,Серийные номера  и партии
@@ -3217,6 +3263,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Выберите компанию
 DocType: Delivery Settings,Delivery Settings,Настройки доставки
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Получение данных
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Невозможно разблокировать более {0} кол-во {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},"Максимальный отпуск, разрешенный в типе отпуска {0}, равен {1}"
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Опубликовать 1 пункт
 DocType: SMS Center,Create Receiver List,Создать список получателей
@@ -3366,6 +3413,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Базовая сумма (Компания Валюта)
 DocType: Purchase Invoice,Registered Regular,Зарегистрированный Регулярный
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Сырье
+DocType: Plaid Settings,sandbox,песочница
 DocType: Payment Reconciliation Payment,Reference Row,Ссылка Row
 DocType: Installation Note,Installation Time,Время установки
 DocType: Sales Invoice,Accounting Details,Подробности ведения учета
@@ -3378,12 +3426,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Тип операции
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерий приемлемости
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Пожалуйста, введите Материал запросов в приведенной выше таблице"
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Общая сумма оплачивается
 DocType: Task,Expected Time (in hours),Ожидаемое время (в часах)
 DocType: Item Reorder,Check in (group),Заезд (группа)
 DocType: Soil Texture,Silt,наносы
@@ -3415,6 +3462,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Доход от вычета налога за отказ в освобождении от налогов
 DocType: Volunteer,Anytime,В любой момент
 DocType: Bank Account,Bank Account No,Банковский счет Нет
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Выплата и погашение
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Предоставление доказательств в отношении налогов на сотрудников
 DocType: Patient,Surgical History,Хирургическая история
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3479,6 +3527,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Создать лабораторный тест (ы) в Справке по продажам
 DocType: Serial No,Invoice Details,Сведения о счете
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Структура заработной платы должна быть представлена до подачи декларации об освобождении от налогов
+DocType: Loan Application,Proposed Pledges,Предлагаемые обязательства
 DocType: Grant Application,Show on Website,Показать на сайте
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Начать
 DocType: Hub Tracked Item,Hub Category,Категория концентратора
@@ -3490,7 +3539,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Постоянный счет поставщика
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Строка {0}: Для продукта {1} не найдена ведомость материалов
 DocType: Contract Fulfilment Checklist,Requirement,требование
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»&gt; «Настройки HR»"
 DocType: Journal Entry,Accounts Receivable,Дебиторская задолженность
 DocType: Quality Goal,Objectives,Цели
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Роль, разрешенная для создания приложения с задним сроком выхода"
@@ -3503,6 +3551,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Включите примириться Записи
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Общая выделенная сумма ({0}) выше заплаченной суммы ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Распределите платежи на основе
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Заплаченная сумма не может быть меньше {0}
 DocType: Projects Settings,Timesheets,Табели
 DocType: HR Settings,HR Settings,Настройки HR
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Бухгалтерские мастера
@@ -3648,6 +3697,7 @@
 DocType: Employee,Health Insurance,Медицинская страховка
 DocType: Asset Repair,Manufacturing Manager,Менеджер производства
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Серийный номер {0} находится на гарантии ДО {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Сумма кредита превышает максимальную сумму кредита {0} в соответствии с предлагаемыми ценными бумагами
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимальное допустимое значение
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Пользователь {0} уже существует
 apps/erpnext/erpnext/hooks.py,Shipments,Поставки
@@ -3692,7 +3742,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Тип бизнеса
 DocType: Sales Invoice,Consumer,потребитель
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Пожалуйста, выберите выделенной суммы, счет-фактура Тип и номер счета-фактуры в по крайней мере одном ряду"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка&gt; Настройки&gt; Серия имен"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Стоимость новой покупки
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Сделка требуется для Продукта {0}
 DocType: Grant Application,Grant Description,Описание гранта
@@ -3701,6 +3750,7 @@
 DocType: Subscription,Discounts,Скидки
 DocType: Bank Transaction,Unallocated Amount,Нераспределенные Сумма
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,"Пожалуйста, включите Применимо по заказу на поставку и применимо при бронировании Фактические расходы"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} не является банковским счетом компании
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,"Нет столько продуктов. Пожалуйста, выберите другое количество для {0}."
 DocType: POS Profile,Taxes and Charges,Налоги и сборы
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Продукт или услуга, которая покупается, продается, или хранится на складе."
@@ -3751,6 +3801,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Действительный с даты должен быть меньше Действительной даты.
 DocType: Employee Skill,Evaluation Date,Дата оценки
 DocType: Quotation Item,Stock Balance,Баланс запасов
+DocType: Loan Security Pledge,Total Security Value,Общая ценность безопасности
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Сделки к Оплате
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Исполнительный директор
 DocType: Purchase Invoice,With Payment of Tax,С уплатой налога
@@ -3763,6 +3814,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Пожалуйста, выберите правильный счет"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Назначение структуры заработной платы
 DocType: Purchase Invoice Item,Weight UOM,Вес Единица измерения
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Аккаунт {0} не существует в диаграмме панели {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Список доступных Акционеров с номерами фолио
 DocType: Salary Structure Employee,Salary Structure Employee,Зарплата Структура сотрудников
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Показать атрибуты варианта
@@ -3844,6 +3896,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Текущая оценка
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Количество корневых учетных записей не может быть меньше 4
 DocType: Training Event,Advance,авансировать
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Против займа:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Настройки шлюза без платы без оплаты
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Обмен Прибыль / убыток
 DocType: Opportunity,Lost Reason,Забыли Причина
@@ -3928,8 +3981,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Выберите номер партии
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Неверный {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,"Строка {0}: дата рождения родного брата не может быть больше, чем сегодня."
 DocType: Fee Validity,Reference Inv,Ссылка Inv
 DocType: Sales Invoice Advance,Advance Amount,Предварительная сумма
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Процентная ставка штрафа (%) в день
 DocType: Manufacturing Settings,Capacity Planning,Планирование мощностей
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Корректировка округления (Валюта компании
 DocType: Asset,Policy number,Номер полиса
@@ -3945,7 +4000,9 @@
 DocType: Normal Test Items,Require Result Value,Требовать значение результата
 DocType: Purchase Invoice,Pricing Rules,Правила ценообразования
 DocType: Item,Show a slideshow at the top of the page,Показывать слайд-шоу в верхней части страницы
+DocType: Appointment Letter,Body,тело
 DocType: Tax Withholding Rate,Tax Withholding Rate,Ставки удержания налогов
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Дата начала погашения обязательна для срочных кредитов
 DocType: Pricing Rule,Max Amt,Макс Амт
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Магазины
@@ -3965,7 +4022,7 @@
 DocType: Call Log,Received By,Получено
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Продолжительность встречи (в минутах)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Подробное описание шаблонов движения денежных средств
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управление кредитами
+DocType: Loan,Loan Management,Управление кредитами
 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,Update Cost,Обновление Стоимость
@@ -3973,6 +4030,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Вид транспорта
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Показать Зарплата скольжению
+DocType: Loan,Is Term Loan,Срок кредита
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,О передаче материала
 DocType: Fees,Send Payment Request,Отправить запрос на оплату
 DocType: Travel Request,Any other details,Любые другие детали
@@ -3990,6 +4048,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Поток денежных средств от финансовой
 DocType: Budget Account,Budget Account,Бюджет аккаунта
 DocType: Quality Inspection,Verified By,Утверждено
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Добавить кредит безопасности
 DocType: Travel Request,Name of Organizer,Имя организатора
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,Ответственность подоходного налога
@@ -4040,6 +4099,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Обязательно На
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Если установлен этот флажок, скрывает и отключает поле «Округленная сумма» в закладках зарплаты."
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Это смещение по умолчанию (дни) для даты поставки в заказах на продажу. Смещение отступления составляет 7 дней с даты размещения заказа.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка&gt; Серия нумерации"
 DocType: Rename Tool,File to Rename,Файл Переименовать
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Выберите в строке {0} спецификацию для продукта
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Получение обновлений подписки
@@ -4052,6 +4112,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Серийные номера созданы
 DocType: POS Profile,Applicable for Users,Применимо для пользователей
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,С даты и до даты являются обязательными
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Установить проект и все задачи в статус {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Set Advances and Allocate (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Нет рабочих заказов
@@ -4061,6 +4122,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Предметы по
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Стоимость поставленных продуктов
 DocType: Employee Separation,Employee Separation Template,Шаблон разделения сотрудников
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},"Нулевое количество {0}, заложенное по кредиту {0}"
 DocType: Selling Settings,Sales Order Required,Требования Сделки
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Стать продавцом
 ,Procurement Tracker,Отслеживание закупок
@@ -4158,11 +4220,12 @@
 ,Minutes to First Response for Opportunity,"Время первого ответа для Выявления, минут"
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Всего Отсутствует
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Продукт или склад для строки {0} не соответствует запросу на материалы
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Сумма к оплате
+DocType: Loan Repayment,Payable Amount,Сумма к оплате
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Выявление
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Максимальная сила не может быть меньше нуля.
 DocType: Options,Option,вариант
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Вы не можете создавать учетные записи в закрытом отчетном периоде {0}
 DocType: Operation,Default Workstation,По умолчанию Workstation
@@ -4204,6 +4267,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Сумма процентов является обязательной
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Отпуск без оплаты не входит в утвержденные типы отпусков
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Следующие шаги
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Сохраненные предметы
@@ -4274,8 +4338,6 @@
 DocType: Grant Application,Grant Application Details ,Сведения о предоставлении гранта
 DocType: Employee Separation,Employee Separation,Разделение сотрудников
 DocType: BOM Item,Original Item,Оригинальный товар
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Пожалуйста, удалите Сотрудника <a href=""#Form/Employee/{0}"">{0}</a> \, чтобы отменить этот документ"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата документа
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Создано записей платы - {0}
 DocType: Asset Category Account,Asset Category Account,Категория активов Счет
@@ -4311,6 +4373,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Элемент лабораторного теста {0} уже существует
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} - праздник компании
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Оплачиваемые часы
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Штрафная процентная ставка взимается на сумму отложенного процента на ежедневной основе в случае задержки выплаты
+DocType: Appointment Letter content,Appointment Letter content,Письмо о назначении
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставить уведомление о состоянии
 DocType: Patient Appointment,Procedure Prescription,Процедура рецепта
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Мебель и Светильники
@@ -4330,7 +4394,7 @@
 DocType: Opportunity,Customer / Lead Name,Имя Клиента / Обращения
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Клиренс Дата не упоминается
 DocType: Payroll Period,Taxable Salary Slabs,Налоговые слябы
-DocType: Job Card,Production,Производство
+DocType: Plaid Settings,Production,Производство
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Неверный GSTIN! Введенный вами ввод не соответствует формату GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Стоимость аккаунта
 DocType: Guardian,Occupation,Род занятий
@@ -4475,6 +4539,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Коллекция программы лояльности
 DocType: Stock Entry Detail,Subcontracted Item,Субподрядный товар
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Студент {0} не принадлежит группе {1}
+DocType: Appointment Letter,Appointment Date,Назначенная дата
 DocType: Budget,Cost Center,Центр затрат
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Ваучер #
 DocType: Tax Rule,Shipping Country,Доставка Страна
@@ -4545,6 +4610,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Бухгалтерский учет
 ,Profit and Loss Statement,Счет прибыль/убытки
 DocType: Bank Reconciliation Detail,Cheque Number,Чек Количество
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Оплаченная сумма не может быть нулевой
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Элемент, на который ссылается {0} - {1}, уже выставлен счет"
 ,Sales Browser,Браузер по продажам
 DocType: Journal Entry,Total Credit,Всего очков
@@ -4661,6 +4727,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Добавить / изменить условия купона
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Расходов / Разница счет ({0}) должен быть ""прибыль или убыток» счета"
 DocType: Stock Entry Detail,Stock Entry Child,Фондовый вход ребенка
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Кредитная залоговая компания и Кредитная компания должны быть одинаковыми
 DocType: Project,Copied From,Скопировано из
 DocType: Project,Copied From,Скопировано из
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,"Счет, уже созданный для всех платежных часов"
@@ -4669,6 +4736,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Стоимость финансирования
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Посещаемость за работника {0} уже отмечен
 DocType: Packing Slip,If more than one package of the same type (for print),Если несколько пакетов одного типа (для печати)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»&gt; «Настройки образования»"
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Укажите клиента по умолчанию в настройках ресторана
 ,Salary Register,Доход Регистрация
 DocType: Company,Default warehouse for Sales Return,Склад по умолчанию для возврата товара
@@ -4713,7 +4781,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Текущий серийный номер
 DocType: Employee,Attendance and Leave Details,Посещаемость и детали отпуска
 ,BOM Comparison Tool,Инструмент сравнения спецификации
-,Requested,Запрошено
+DocType: Loan Security Pledge,Requested,Запрошено
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Нет Замечания
 DocType: Asset,In Maintenance,В обеспечении
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Нажмите эту кнопку, чтобы получить данные вашей Сделки из Amazon MWS."
@@ -4725,7 +4793,6 @@
 DocType: Drug Prescription,Drug Prescription,Рецепт лекарств
 DocType: Service Level,Support and Resolution,Поддержка и разрешение
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Бесплатный код товара не выбран
-DocType: Loan,Repaid/Closed,Возвращенный / Closed
 DocType: Amazon MWS Settings,CA,Калифорния
 DocType: Item,Total Projected Qty,Общая запланированная Кол-во
 DocType: Monthly Distribution,Distribution Name,Распределение Имя
@@ -4759,6 +4826,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Бухгалтерская Проводка по Запасам
 DocType: Lab Test,LabTest Approver,Подтверждение LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Вы уже оценили критерии оценки {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Сумма дефицита
 DocType: Vehicle Service,Engine Oil,Машинное масло
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Созданы рабочие задания: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},"Пожалуйста, установите идентификатор электронной почты для отведения {0}"
@@ -4777,6 +4845,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Учетная запись не настроена для диаграммы панели мониторинга {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Применить Дополнительную Скидку на
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Выберите тип ...
+DocType: Loan Interest Accrual,Amounts,суммы
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Ваши билеты
 DocType: Account,Root Type,Корневая Тип
 DocType: Item,FIFO,FIFO (ФИФО)
@@ -4784,6 +4853,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Ряд # {0}: Невозможно вернуть более {1} для п {2}
 DocType: Item Group,Show this slideshow at the top of the page,Показать этот слайд-шоу в верхней части страницы
 DocType: BOM,Item UOM,Единиц продукта
+DocType: Loan Security Price,Loan Security Price,Цена займа
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Сумма налога после скидки Сумма (Компания валют)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Розничные операции
@@ -4924,6 +4994,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Пакет является обязательным в строке {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Пакет является обязательным в строке {0}
 DocType: Company,Default Buying Terms,Условия покупки по умолчанию
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Выдача кредита
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Покупка Получение товара Поставляется
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Включить запланированную синхронизацию
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Для DateTime
@@ -4952,6 +5023,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Введите значение между {0} и {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Введите имя кампании, если источником исследования является кампания"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Информационное издательство
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Не найдена действительная <b>цена обеспечения кредита</b> для {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Будущие даты не допускаются
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Ожидаемая дата доставки должна быть после даты Сделки
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Уровень переупорядочения
@@ -5018,6 +5090,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Предложение / цена
 DocType: Antibiotic,Healthcare,Здравоохранение
 DocType: Target Detail,Target Detail,Цель Подробности
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Кредитные процессы
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Одноместный вариант
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Все Вакансии
 DocType: Sales Order,% of materials billed against this Sales Order,"% материалов, выставленных на счет этой Сделки"
@@ -5081,7 +5154,7 @@
 DocType: Item,Reorder level based on Warehouse,Уровень переупорядочивания на основе склада
 DocType: Activity Cost,Billing Rate,Платежная Оценить
 ,Qty to Deliver,Кол-во для доставки
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Создать расходную запись
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Создать расходную запись
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon будет синхронизировать данные, обновленные после этой даты"
 ,Stock Analytics,Аналитика запасов
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,"Операции, не может быть оставлено пустым"
@@ -5115,6 +5188,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Отключить внешние интеграции
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Выберите соответствующий платеж
 DocType: Pricing Rule,Item Code,Код продукта
+DocType: Loan Disbursement,Pending Amount For Disbursal,Ожидающая сумма для выплаты
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Гарантия / подробная информация
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Выберите учащихся вручную для группы на основе действий
@@ -5140,6 +5214,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Количество Всего
 DocType: Landed Cost Item,Receipt Document,Документ получения
 DocType: Employee Education,School/University,Школа / университет
+DocType: Loan Security Pledge,Loan  Details,Детали займа
 DocType: Sales Invoice Item,Available Qty at Warehouse,Доступное Кол-во на складе
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Счетов выдано количество
 DocType: Share Transfer,(including),(в том числе)
@@ -5163,6 +5238,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Группы
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Группа по Счет
 DocType: Purchase Invoice,Hold Invoice,Держать счет-фактуру
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Статус залога
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Выберите Сотрудник
 DocType: Sales Order,Fully Delivered,Полностью доставлен
 DocType: Promotional Scheme Price Discount,Min Amount,Минимальная сумма
@@ -5172,7 +5248,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},"Освоено Сумма не может быть больше, чем сумма займа {0}"
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Строка {0} # Выделенная сумма {1} не может быть больше, чем невостребованная сумма {2}"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry направляются листья
@@ -5200,6 +5275,7 @@
 DocType: Pick List Item,Serial No and Batch,Серийный номер и партия
 DocType: Warranty Claim,From Company,От компании
 DocType: GSTR 3B Report,January,январь
+DocType: Loan Repayment,Principal Amount Paid,Выплаченная основная сумма
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Сумма десятков критериев оценки должно быть {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Пожалуйста, установите Количество отчислений на амортизацию бронирования"
 DocType: Supplier Scorecard Period,Calculations,вычисления
@@ -5225,6 +5301,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,О вашей компании
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Показать данные о старении запасов
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на счету должен быть баланс счета
+DocType: Loan Repayment,Penalty Amount,Сумма штрафа
 DocType: Donor,Donor,даритель
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Обновить налоги на товары
 DocType: Global Defaults,Disable In Words,Отключить в словах
@@ -5255,6 +5332,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Центр затрат и бюджетирование
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Начальная Балансовая стоимость собственных средств
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Частичная Платная Запись
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Пожалуйста, установите график оплаты"
 DocType: Pick List,Items under this warehouse will be suggested,Товары под этот склад будут предложены
 DocType: Purchase Invoice,N,N
@@ -5288,7 +5366,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} не найден для продукта {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Значение должно быть между {0} и {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Показать Включенный налог в печать
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банковский счет, с даты и до даты, являются обязательными"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Сообщение отправлено
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,"Счет с дочерних узлов, не может быть установлен как книгу"
 DocType: C-Form,II,II
@@ -5302,6 +5379,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Включить автоматический повторный заказ
 DocType: Stock Settings,Item Naming By,Наименование продукта по
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Другой Период Окончание Вступление {0} был сделан после {1}
+DocType: Proposed Pledge,Proposed Pledge,Предлагаемый залог
 DocType: Work Order,Material Transferred for Manufacturing,Материал переведен на Производство
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Счет {0} не существует
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Выберите программу лояльности
@@ -5312,7 +5390,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Настройка событий для {0}, так как работник прилагается к ниже продавцы не имеют идентификатор пользователя {1}"
 DocType: Timesheet,Billing Details,Платежные реквизиты
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Исходный и целевой склад должны быть разными
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»&gt; «Настройки HR»"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Платеж не прошел. Пожалуйста, проверьте свою учетную запись GoCardless для получения более подробной информации."
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Не допускается обновление операций перемещений по складу, старше чем {0}"
 DocType: Stock Entry,Inspection Required,Инспекция Обязательные
@@ -5325,6 +5402,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,Программа
+DocType: Unpledge,Against Pledge,Против залога
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Пользователи с этой ролью могут замороживать счета, а также создавать / изменять бухгалтерские проводки замороженных счетов"
 DocType: Plaid Settings,Plaid Environment,Плед среды
 ,Project Billing Summary,Сводка платежных данных по проекту
@@ -5377,6 +5455,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Порции
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Количество дней встречи можно забронировать заранее
 DocType: Article,LMS User,Пользователь LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Залоговый залог является обязательным для обеспеченного кредита
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Место поставки (штат / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Единица измерения запасов
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Заказ на закупку {0} не проведен
@@ -5452,6 +5531,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Создать вакансию
 DocType: Quotation,Referral Sales Partner,Реферальный партнер по продажам
 DocType: Quality Procedure Process,Process Description,Описание процесса
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Невозможно отменить залог, стоимость обеспечения кредита превышает сумму погашения"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клиент {0} создан.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Сейчас нет доступного запаса на складах
 ,Payment Period Based On Invoice Date,Оплата период на основе Накладная Дата
@@ -5472,7 +5552,7 @@
 DocType: Asset,Insurance Details,Страхование Подробнее
 DocType: Account,Payable,К оплате
 DocType: Share Balance,Share Type,Share Тип
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Пожалуйста, введите сроки погашения"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Пожалуйста, введите сроки погашения"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Должники ({0})
 DocType: Pricing Rule,Margin,Разница
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Новые клиенты
@@ -5481,6 +5561,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Выявления из источника обращения
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Изменить профиль POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Кол-во или сумма является мандатрой для обеспечения кредита
 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,Assessment Report,Отчет об оценке
@@ -5516,6 +5597,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Счет на продажу {0} создан
 DocType: Employee,Confirmation Date,Дата подтверждения
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Пожалуйста, удалите Сотрудника <a href=""#Form/Employee/{0}"">{0}</a> \, чтобы отменить этот документ"
 DocType: Inpatient Occupancy,Check Out,Проверка
 DocType: C-Form,Total Invoiced Amount,Всего Сумма по счетам
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,"Мин Кол-во не может быть больше, чем максимальное Кол-во"
@@ -5529,7 +5612,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Идентификатор компании Quickbooks
 DocType: Travel Request,Travel Funding,Финансирование путешествия
 DocType: Employee Skill,Proficiency,умение
-DocType: Loan Application,Required by Date,Требуется Дата
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Деталь квитанции о покупке
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Ссылка на все Местоположения в который растет Урожай
 DocType: Lead,Lead Owner,Ответственный
@@ -5548,7 +5630,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,"Текущий спецификации и Нью-BOM не может быть таким же,"
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Зарплата скольжения ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Поставщик&gt; Тип поставщика
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Несколько вариантов
 DocType: Sales Invoice,Against Income Account,Со счета доходов
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% доставлено
@@ -5581,7 +5662,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Обвинения типа Оценка не может отмечен как включено
 DocType: POS Profile,Update Stock,Обновить склад
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,Детали оплаты
+DocType: Loan Repayment,Payment Details,Детали оплаты
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Цена спецификации
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Чтение загруженного файла
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Прекращенный рабочий заказ не может быть отменен, отмените его сначала, чтобы отменить"
@@ -5617,6 +5698,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Максимальная стоимость кредита
 ,Stock Ledger,Книга учета Запасов
 DocType: Company,Exchange Gain / Loss Account,Обмен Прибыль / убытках
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
@@ -5624,6 +5706,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Цель должна быть одна из {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Заполните и сохранить форму
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Форум
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Сотрудникам не выделено ни одного листа: {0} для типа отпуска: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Количество штук в наличии
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Количество штук в наличии
 DocType: Homepage,"URL for ""All Products""",URL для &quot;Все продукты&quot;
@@ -5726,7 +5809,6 @@
 DocType: Fee Schedule,Fee Schedule,График оплат
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Метки колонок:
 DocType: Bank Transaction,Settled,Установившаяся
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Дата выплаты не может быть позже даты начала погашения кредита
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,налог
 DocType: Quality Feedback,Parameters,параметры
 DocType: Company,Create Chart Of Accounts Based On,"Создание плана счетов бухгалтерского учета, основанные на"
@@ -5746,6 +5828,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Кредитный лимит и условия оплаты
 DocType: Loyalty Program,Collection Rules,Правила сбора
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Пункт 3
+DocType: Loan Security Shortfall,Shortfall Time,Время нехватки
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Порядок въезда
 DocType: Purchase Order,Customer Contact Email,Контактный адрес электронной почты Клиента
 DocType: Warranty Claim,Item and Warranty Details,Продукт и гарантийные условия
@@ -5765,12 +5848,14 @@
 DocType: Sales Person,Sales Person Name,Имя продавца
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Пожалуйста, введите не менее чем 1-фактуру в таблице"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Лабораторный тест не создан
+DocType: Loan Security Shortfall,Security Value ,Значение безопасности
 DocType: POS Item Group,Item Group,Продуктовая группа
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студенческая группа:
 DocType: Depreciation Schedule,Finance Book Id,Идентификатор финансовой книги
 DocType: Item,Safety Stock,Страховой запас
 DocType: Healthcare Settings,Healthcare Settings,Настройки здравоохранения
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Всего выделенных листов
+DocType: Appointment Letter,Appointment Letter,Назначение письмо
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},Для {0}
@@ -5825,6 +5910,7 @@
 DocType: Stock Entry,From BOM,Из спецификации
 DocType: Assessment Code,Assessment Code,Код оценки
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основной
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Кредитные заявки от клиентов и сотрудников.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Перемещения по складу до {0} заморожены
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Пожалуйста, нажмите на кнопку ""Generate Расписание"""
 DocType: Job Card,Current Time,Текущее время
@@ -5851,7 +5937,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ни один студент группы не создано.
 DocType: Purchase Invoice Item,Serial No,Серийный номер
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,"Ежемесячное погашение Сумма не может быть больше, чем сумма займа"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,"Ежемесячное погашение Сумма не может быть больше, чем сумма займа"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Пожалуйста, введите Maintaince Подробности"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Строка # {0}: ожидаемая дата поставки не может быть до даты заказа на поставку
 DocType: Purchase Invoice,Print Language,Язык печати
@@ -5865,6 +5951,7 @@
 DocType: Asset,Finance Books,Финансовая литература
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Декларация об освобождении от налога с сотрудников
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,Все Территории
+DocType: Plaid Settings,development,развитие
 DocType: Lost Reason Detail,Lost Reason Detail,Потерянная причина подробно
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,Укажите политику отпуска сотрудника {0} в записи Employee / Grade
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,Недействительный заказ на одеяло для выбранного клиента и предмета
@@ -5929,12 +6016,14 @@
 DocType: Staffing Plan Detail,Current Openings,Текущие открытия
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Поток денежных средств от операций
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Значение
+DocType: Vehicle Log,Current Odometer value ,Текущее значение одометра
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Создать ученика
 DocType: Asset Movement Item,Asset Movement Item,Элемент Движения Актива
 DocType: Purchase Invoice,Shipping Rule,Правило доставки
 DocType: Patient Relation,Spouse,супруга
 DocType: Lab Test Groups,Add Test,Добавить тест
 DocType: Manufacturer,Limited to 12 characters,Ограничено до 12 символов
+DocType: Appointment Letter,Closing Notes,Заметки
 DocType: Journal Entry,Print Heading,Распечатать Заголовок
 DocType: Quality Action Table,Quality Action Table,Таблица качественных действий
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Всего не может быть нулевым
@@ -6002,6 +6091,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Всего (сумма)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Укажите / создайте учетную запись (группу) для типа - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Развлечения и досуг
+DocType: Loan Security,Loan Security,Кредитная безопасность
 ,Item Variant Details,Подробности модификации продукта
 DocType: Quality Inspection,Item Serial No,Серийный номер продукта
 DocType: Payment Request,Is a Subscription,Является подпиской
@@ -6014,7 +6104,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Поздняя стадия
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,"Запланированные и принятые даты не могут быть меньше, чем сегодня"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Перевести Материал Поставщику
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад. Склад должен быть установлен на фондовой Вступил или приобрести получении
 DocType: Lead,Lead Type,Тип Обращения
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Создание цитаты
@@ -6032,7 +6121,6 @@
 DocType: Leave Allocation,Leave Period,Период отпуска
 DocType: Item,Default Material Request Type,Тип заявки на материал по умолчанию
 DocType: Supplier Scorecard,Evaluation Period,Период оценки
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Группа клиентов&gt; Территория
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,неизвестный
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Рабочий заказ не создан
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6118,7 +6206,8 @@
 ,Customer-wise Item Price,Цена товара для клиента
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,О движении денежных средств
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Нет созданных заявок на материал
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Сумма кредита не может превышать максимальный Сумма кредита {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Сумма кредита не может превышать максимальный Сумма кредита {0}
+DocType: Loan,Loan Security Pledge,Залог безопасности займа
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Лицензия
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"Пожалуйста, выберите переносить, если вы также хотите включить баланс предыдущего финансового года оставляет в этом финансовом году"
@@ -6136,6 +6225,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Схема скидок
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Статус обслуживания должен быть отменен или завершен для отправки
 DocType: Amazon MWS Settings,US,НАС
+DocType: Loan Security Pledge,Pledged,Заложенные
 DocType: Holiday List,Add Weekly Holidays,Добавить еженедельные каникулы
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Элемент отчета
 DocType: Staffing Plan Detail,Vacancies,Вакансии
@@ -6154,7 +6244,6 @@
 DocType: Production Plan Item,Planned Start Date,Планируемая дата начала
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Выберите спецификацию
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Доступный Интегрированный налог МТЦ
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Создать запись погашения
 DocType: Purchase Order Item,Blanket Order Rate,Стоимость заказа на одеяло
 ,Customer Ledger Summary,Сводная книга клиентов
 apps/erpnext/erpnext/hooks.py,Certification,сертификация
@@ -6175,6 +6264,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Оценка шаблона Название
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Коммерческий сектор
 DocType: Patient,Alcohol Current Use,Использование алкоголя
+DocType: Loan,Loan Closure Requested,Требуется закрытие кредита
 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,Категория освобождения от налогов
@@ -6198,6 +6288,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Продажи
 DocType: Stock Entry Detail,Basic Amount,Основное количество
 DocType: Training Event,Exam,Экзамен
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Недостаток безопасности процесса займа
 DocType: Email Campaign,Email Campaign,Кампания по электронной почте
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Ошибка рынка
 DocType: Complaint,Complaint,жалоба
@@ -6277,6 +6368,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Отправьте это, чтобы создать запись сотрудника"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Цена залогового кредита перекрывается с {0}
 DocType: Item Default,Item Default,Пункт По умолчанию
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Внутригосударственные поставки
 DocType: Chapter Member,Leave Reason,Оставить разум
@@ -6304,6 +6396,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,Использован {0} купон: {1}. Допустимое количество исчерпано
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Вы хотите отправить материальный запрос
 DocType: Job Offer,Awaiting Response,В ожидании ответа
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Кредит обязателен
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Выше
 DocType: Support Search Source,Link Options,Параметры ссылки
@@ -6316,6 +6409,7 @@
 DocType: Training Event Employee,Optional,Необязательный
 DocType: Salary Slip,Earning & Deduction,Заработок & Вычет
 DocType: Agriculture Analysis Criteria,Water Analysis,Анализ воды
+DocType: Pledge,Post Haircut Amount,Сумма после стрижки
 DocType: Sales Order,Skip Delivery Note,Пропустить накладную
 DocType: Price List,Price Not UOM Dependent,Цена не зависит от UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,Созданы варианты {0}.
@@ -6342,6 +6436,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Получить продукты из продуктового набора
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Метод погашения обязателен для срочных кредитов
 DocType: Asset,Straight Line,Прямая линия
 DocType: Project User,Project User,Пользователь проекта
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Трещина
@@ -6389,7 +6484,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Роль разрешено устанавливать замороженные счета & Редактировать Замороженные Записи
 DocType: Supplier Scorecard Scoring Variable,Path,Дорожка
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге, как это имеет дочерние узлы"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Коэффициент преобразования UOM ({0} -&gt; {1}) не найден для элемента: {2}
 DocType: Production Plan,Total Planned Qty,Общее количество запланированных
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Транзакции уже получены из заявления
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Начальное значение
@@ -6398,11 +6492,8 @@
 DocType: Material Request Plan Item,Required Quantity,Необходимое количество
 DocType: Lab Test Template,Lab Test Template,Шаблон лабораторных тестов
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Отчетный период перекрывается с {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Поставщик&gt; Тип поставщика
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Сбыт
 DocType: Purchase Invoice Item,Total Weight,Общий вес
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Пожалуйста, удалите Сотрудника <a href=""#Form/Employee/{0}"">{0}</a> \, чтобы отменить этот документ"
 DocType: Pick List Item,Pick List Item,Элемент списка выбора
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комиссия по продажам
 DocType: Job Offer Term,Value / Description,Значение / Описание
@@ -6449,6 +6540,7 @@
 DocType: Patient Encounter,Encounter Date,Дата встречи
 DocType: Work Order,Update Consumed Material Cost In Project,Обновление потребленной стоимости материала в проекте
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Счет: {0} с валютой: {1} не может быть выбран
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,"Кредиты, предоставленные клиентам и сотрудникам."
 DocType: Bank Statement Transaction Settings Item,Bank Data,Банковские данные
 DocType: Purchase Receipt Item,Sample Quantity,Количество образцов
 DocType: Bank Guarantee,Name of Beneficiary,Имя получателя
@@ -6517,7 +6609,6 @@
 DocType: Contract,Signed On,Подпись
 DocType: Bank Account,Party Type,Партия Тип
 DocType: Discounted Invoice,Discounted Invoice,Счет со скидкой
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отметить посещаемость как <b></b>
 DocType: Payment Schedule,Payment Schedule,График оплаты
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Сотрудник не найден для данного значения поля сотрудника. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Аббревиатура
@@ -6589,6 +6680,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Кредиторы
 DocType: Assessment Plan,Assessment Name,Название оценки
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ряд # {0}: Серийный номер является обязательным
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Для закрытия ссуды требуется сумма {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрый Налоговый Подробно
 DocType: Employee Onboarding,Job Offer,Предложение работы
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,институт Аббревиатура
@@ -6613,7 +6705,6 @@
 DocType: Purchase Order,To Receive,Получить
 DocType: Leave Period,Holiday List for Optional Leave,Список праздников для дополнительного отпуска
 DocType: Item Tax Template,Tax Rates,Налоговые ставки
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код товара&gt; Группа товаров&gt; Марка
 DocType: Asset,Asset Owner,Владелец актива
 DocType: Item,Website Content,Содержание сайта
 DocType: Bank Account,Integration ID,ID интеграции
@@ -6630,6 +6721,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Синхронные заказы
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,"Заказы, выпущенные для производства."
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Выберите финансовый год ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},"Пожалуйста, выберите Тип кредита для компании {0}"
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,"POS-профиля требуется, чтобы сделать запись POS"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Точки лояльности будут рассчитываться исходя из проведенного (с помощью счета-фактуры) на основе упомянутого коэффициента сбора.
 DocType: Program Enrollment Tool,Enroll Students,зачислить студентов
@@ -6658,6 +6750,7 @@
 DocType: Customer,Mention if non-standard receivable account,Отметка при нестандартном счете
 DocType: Bank,Plaid Access Token,Жетон доступа к пледу
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Добавьте оставшиеся преимущества {0} к любому из существующих компонентов
+DocType: Bank Account,Is Default Account,Учетная запись по умолчанию
 DocType: Journal Entry Account,If Income or Expense,Если доходов или расходов
 DocType: Course Topic,Course Topic,Тема курса
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},В течение {0} между датой {1} и {2} существует закрытый ваучер POS
@@ -6670,7 +6763,7 @@
 DocType: Disease,Treatment Task,Лечебная задача
 DocType: Payment Order Reference,Bank Account Details,Детали банковского счета
 DocType: Purchase Order Item,Blanket Order,Заказать одеяло
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Сумма погашения должна быть больше
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Сумма погашения должна быть больше
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Налоговые активы
 DocType: BOM Item,BOM No,ВМ №
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Обновить данные
@@ -6727,6 +6820,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Продукты WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Синтаксическая ошибка в формуле или условие: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Пункт {0} игнорируется, так как это не складские позиции"
+,Loan Security Status,Состояние безопасности ссуды
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Чтобы не применять правило ценообразования в конкретной транзакции, все применимые Правила ценообразования должны быть отключены."
 DocType: Payment Term,Day(s) after the end of the invoice month,День (ы) после окончания месяца счета-фактуры
 DocType: Assessment Group,Parent Assessment Group,Родительская группа по оценке
@@ -6741,7 +6835,6 @@
 DocType: Stock Entry Detail,Additional Cost,Дополнительная стоимость
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не можете фильтровать на основе ваучером Нет, если сгруппированы по ваучером"
 DocType: Quality Inspection,Incoming,Входящий
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка&gt; Серия нумерации"
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Создаются шаблоны налогов по умолчанию для продаж и покупки.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Запись результатов оценки {0} уже существует.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: ABCD. #####. Если серия установлена, а номер партии не упоминается в транзакциях, то на основе этой серии автоматически будет создан номер партии. Если вы хотите всегда специально указывать номер партии для этого продукта, оставьте это поле пустым. Примечание: эта настройка будет иметь приоритет над Префиксом идентификации по имени в Настройках Склада."
@@ -6752,8 +6845,10 @@
 DocType: Contract,Party User,Пользователь Party
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Активы не созданы для <b>{0}</b> . Вам нужно будет создать актив вручную.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Пожалуйста, установите фильтр компании blank, если Group By является «Company»"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Группа клиентов&gt; Территория
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Дата размещения не может быть будущая дата
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},"Ряд # {0}: Серийный номер {1}, не соответствует {2} {3}"
+DocType: Loan Repayment,Interest Payable,Проценты к выплате
 DocType: Stock Entry,Target Warehouse Address,Адрес целевого склада
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Повседневная Оставить
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Время до начала смены, в течение которого регистрация сотрудников рассматривается для посещения."
@@ -6882,6 +6977,7 @@
 DocType: Issue,Reset Service Level Agreement,Сбросить соглашение об уровне обслуживания
 ,Sales Person-wise Transaction Summary,Отчет по сделкам продавцов
 DocType: Training Event,Contact Number,Контактный номер
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Сумма кредита обязательна
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Склад {0} не существует
 DocType: Cashier Closing,Custody,Опека
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Сведения об отказе от налогообложения сотрудников
@@ -6930,6 +7026,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Баланс Кол-во
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Условия будут применены ко всем выбранным элементам вместе взятым.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Цели не могут быть пустыми
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Неправильный склад
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Регистрация студентов
 DocType: Item Group,Parent Item Group,Родитель Пункт Группа
 DocType: Appointment Type,Appointment Type,Тип назначения
@@ -6985,10 +7082,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Средняя оценка
 DocType: Appointment,Appointment With,Встреча с
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общая сумма платежа в Графе платежей должна быть равна Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отметить посещаемость как <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",«Предоставленный клиентом товар» не может иметь оценку
 DocType: Subscription Plan Detail,Plan,План
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Банк балансовый отчет за Главную книгу
-DocType: Job Applicant,Applicant Name,Имя заявителя
+DocType: Appointment Letter,Applicant Name,Имя заявителя
 DocType: Authorization Rule,Customer / Item Name,Клиент / Название продукта
 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**. 
 
@@ -7032,11 +7130,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не может быть удалён, так как существует запись в складкой книге  этого склада."
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Распределение
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Статус сотрудника не может быть установлен на «Слева», так как следующие сотрудники в настоящее время отчитываются перед этим сотрудником:"
-DocType: Journal Entry Account,Loan,ссуда
+DocType: Loan Repayment,Amount Paid,Выплачиваемая сумма
+DocType: Loan Security Shortfall,Loan,ссуда
 DocType: Expense Claim Advance,Expense Claim Advance,Претензия на увеличение расходов
 DocType: Lab Test,Report Preference,Предпочтение отчета
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Информация о волонтерах.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Менеджер проектов
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Группировать по клиенту
 ,Quoted Item Comparison,Цитируется Сравнение товара
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Перекрытие при подсчете между {0} и {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Отправка
@@ -7056,6 +7156,7 @@
 DocType: Material Request Plan Item,Material Issue,Вопрос по материалу
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Бесплатный товар не указан в правиле ценообразования {0}
 DocType: Employee Education,Qualification,Квалификаци
+DocType: Loan Security Shortfall,Loan Security Shortfall,Недостаток кредита
 DocType: Item Price,Item Price,Цена продукта
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Моющие средства
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Сотрудник {0} не принадлежит компании {1}
@@ -7078,6 +7179,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Информация о назначении
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Готовый продукт
 DocType: Warehouse,Warehouse Name,Название склада
+DocType: Loan Security Pledge,Pledge Time,Время залога
 DocType: Naming Series,Select Transaction,Выберите операцию
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Пожалуйста, введите утверждении роли или утверждении Пользователь"
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Соглашение об уровне обслуживания с типом объекта {0} и объектом {1} уже существует.
@@ -7085,7 +7187,6 @@
 DocType: BOM,Rate Of Materials Based On,Оценить материалов на основе
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Если включено, поле «Академический срок» будет обязательным в Инструменте регистрации программы."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Значения льготных, нулевых и не связанных с GST внутренних поставок"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клиент&gt; Группа клиентов&gt; Территория
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Компания</b> является обязательным фильтром.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Снять все
 DocType: Purchase Taxes and Charges,On Item Quantity,На количество товара
@@ -7131,7 +7232,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Нехватка Кол-во
 DocType: Purchase Invoice,Input Service Distributor,Дистрибьютор услуг ввода
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Модификация продукта {0} с этими атрибутами существует
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»&gt; «Настройки образования»"
 DocType: Loan,Repay from Salary,Погашать из заработной платы
 DocType: Exotel Settings,API Token,API-токен
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Запрос платеж против {0} {1} на сумму {2}
@@ -7151,6 +7251,7 @@
 DocType: Salary Slip,Total Interest Amount,Общая сумма процентов
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,Склады с дочерними узлами не могут быть преобразованы в бухгалтерской книге
 DocType: BOM,Manage cost of operations,Управление стоимостью операций
+DocType: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Прошлые дни
 DocType: Travel Itinerary,Arrival Datetime,Время прибытия
 DocType: Tax Rule,Billing Zipcode,"Индекс по банковскому переводу, по счету"
@@ -7337,6 +7438,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Часов
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Для вас создана новая встреча с {0}
 DocType: Project,Expected Start Date,Ожидаемая дата начала
+DocType: Work Order,This is a location where raw materials are available.,"Это место, где есть сырье."
 DocType: Purchase Invoice,04-Correction in Invoice,04-Исправление в счете-фактуре
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Рабочий заказ уже создан для всех элементов с спецификацией
 DocType: Bank Account,Party Details,Партия Подробности
@@ -7355,6 +7457,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Предложения:
 DocType: Contract,Partially Fulfilled,Частично выполнено
 DocType: Maintenance Visit,Fully Completed,Полностью завершен
+DocType: Loan Security,Loan Security Name,Название обеспечительного займа
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Специальные символы, кроме &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; И &quot;}&quot;, не допускаются в именных сериях"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Ноль оценен или освобожден
 DocType: Employee,Educational Qualification,Образовательный ценз
@@ -7411,6 +7514,7 @@
 DocType: Program,Is Featured,Показано
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Fetching ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Пользователь сельского хозяйства
+DocType: Loan Security Shortfall,America/New_York,Америка / Триатлон
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Действителен до даты не может быть до даты транзакции
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,Категория студентов
@@ -7488,8 +7592,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,Ваши настройки доступа не позволяют замораживать значения
 DocType: Payment Reconciliation,Get Unreconciled Entries,Получить несверенные записи
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Сотрудник {0} отправляется в {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Не выбрано никаких выплат для записи журнала
 DocType: Purchase Invoice,GST Category,GST Категория
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Предлагаемые залоги являются обязательными для обеспеченных займов
 DocType: Payment Reconciliation,From Invoice Date,От Дата Счета
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Бюджеты
 DocType: Invoice Discounting,Disbursed,Освоено
@@ -7547,14 +7651,13 @@
 DocType: Restaurant,Active Menu,Активное меню
 DocType: Accounting Dimension Detail,Default Dimension,Размер по умолчанию
 DocType: Target Detail,Target Qty,Целевое количество
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Против кредита: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Checkout Настройки
 DocType: Student Attendance,Present,Присутствует
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Уведомление о доставке {0} не должно быть проведено
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Письмо с зарплатой сотруднику будет защищено паролем, пароль будет сгенерирован на основе политики паролей."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,Закрытие счета {0} должен быть типа ответственностью / собственный капитал
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},Зарплата Скольжение работника {0} уже создан для табеля {1}
-DocType: Vehicle Log,Odometer,одометр
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,одометр
 DocType: Production Plan Item,Ordered Qty,Заказал Кол-во
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Пункт {0} отключена
 DocType: Stock Settings,Stock Frozen Upto,Фото Замороженные До
@@ -7613,7 +7716,6 @@
 DocType: Serial No,Delivery Document Type,Тип документа поставки
 DocType: Sales Order,Partly Delivered,Частично доставлен
 DocType: Item Variant Settings,Do not update variants on save,Не обновлять варианты при сохранении
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Кастмер Групп
 DocType: Email Digest,Receivables,Дебиторская задолженность
 DocType: Lead Source,Lead Source,Источник Обращения
 DocType: Customer,Additional information regarding the customer.,"Дополнительная информация, относящаяся к клиенту"
@@ -7711,6 +7813,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Фактически
 DocType: Appointment,Skype ID,Скайп ай-ди
 DocType: Restaurant Menu,Restaurant Manager,Менеджер ресторана
+DocType: Loan,Penalty Income Account,Счет пенальти
 DocType: Call Log,Call Log,Журнал вызовов
 DocType: Authorization Rule,Customerwise Discount,Customerwise Скидка
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Табель для задач.
@@ -7799,6 +7902,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Схема скидок на товары
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Никакая проблема не была поднята вызывающим абонентом.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Группа по поставщикам
 DocType: Restaurant Reservation,Waitlisted,лист ожидания
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категория освобождения
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Валюта не может быть изменена после внесения записи, используя другой валюты"
@@ -7809,7 +7913,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Консалтинг
 DocType: Subscription Plan,Based on price list,На основе прайс листа
 DocType: Customer Group,Parent Customer Group,Родительская группа клиента
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON можно генерировать только из счета-фактуры
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Максимальное количество попыток для этого теста достигнуто!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Подписка
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Платежное создание ожидается
@@ -7827,6 +7930,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Профилактика
 DocType: Delivery Note Item,Against Sales Invoice,Повторная накладная
 DocType: Purchase Invoice,07-Others,07-Другие
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Сумма котировки
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Введите серийные номера для серийных продуктов
 DocType: Bin,Reserved Qty for Production,Reserved Кол-во для производства
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Оставьте непроверенным, если вы не хотите рассматривать пакет, создавая группы на основе курса."
@@ -7937,6 +8041,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Оплата Получение Примечание
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Это основано на операциях против этого клиента. См график ниже для получения подробной информации
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Создать заявку на материал
+DocType: Loan Interest Accrual,Pending Principal Amount,Ожидающая основная сумма
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Даты начала и окончания не в допустимом Периоде платежной ведомости, не может вычислить {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,Новый учебный термин
@@ -7980,6 +8085,7 @@
 											to fullfill Sales Order {2}","Невозможно доставить Серийный № {0} продукта {1}, поскольку он зарезервирован \ для полного выполнения Сделки {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Предложение Поставщика {0} создано
+DocType: Loan Security Unpledge,Unpledge Type,Тип залога
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Год окончания не может быть раньше начала года
 DocType: Employee Benefit Application,Employee Benefits,Вознаграждения работникам
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID сотрудника
@@ -8062,6 +8168,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Код курса:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Пожалуйста, введите Expense счет"
 DocType: Quality Action Resolution,Problem,проблема
+DocType: Loan Security Type,Loan To Value Ratio,Соотношение займа к стоимости
 DocType: Account,Stock,Запасы
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа на поставку, счета-фактуры Покупка или журнал запись"
 DocType: Employee,Current Address,Текущий адрес
@@ -8079,6 +8186,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Ввод транзакции с банковским выпиской
 DocType: Sales Invoice Item,Discount and Margin,Скидка и маржа
 DocType: Lab Test,Prescription,давность
+DocType: Process Loan Security Shortfall,Update Time,Время обновления
 DocType: Import Supplier Invoice,Upload XML Invoices,Загрузить XML-счета
 DocType: Company,Default Deferred Revenue Account,По умолчанию отложенная учетная запись
 DocType: Project,Second Email,Второй адрес электронной почты
@@ -8092,7 +8200,7 @@
 DocType: Quality Action,Preventive,превентивный
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Поставки, сделанные незарегистрированным лицам"
 DocType: Company,Date of Incorporation,Дата включения
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Совокупная налоговая
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Совокупная налоговая
 DocType: Manufacturing Settings,Default Scrap Warehouse,Склад отходов по умолчанию
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Последняя цена покупки
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Для Количество (Изготовитель Количество) является обязательным
@@ -8111,6 +8219,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Установка режима оплаты по умолчанию
 DocType: Stock Entry Detail,Against Stock Entry,Против входа в акции
 DocType: Grant Application,Withdrawn,Изъятое
+DocType: Loan Repayment,Regular Payment,Регулярный платеж
 DocType: Support Search Source,Support Search Source,Поддержка источника поиска
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Валовая маржа %
@@ -8124,8 +8233,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Без уплаты налога
 DocType: BOM Operation,BOM Operation,ВМ Операция
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На Сумму предыдущей строки
+DocType: Student,Home Address,Домашний адрес
 DocType: Options,Is Correct,Верно
 DocType: Item,Has Expiry Date,Имеет дату истечения срока действия
+DocType: Loan Repayment,Paid Accrual Entries,Оплаченные начисления
+DocType: Loan Security,Loan Security Type,Тип безопасности ссуды
 apps/erpnext/erpnext/config/support.py,Issue Type.,Тип проблемы.
 DocType: POS Profile,POS Profile,POS-профиля
 DocType: Training Event,Event Name,Название события
@@ -8137,6 +8249,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезонность для установки бюджеты, целевые и т.п."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Нет значений
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Имя переменной
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Выберите банковский счет для сверки.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Пункт {0} шаблона, выберите один из его вариантов"
 DocType: Purchase Invoice Item,Deferred Expense,Отложенные расходы
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Вернуться к сообщениям
@@ -8188,7 +8301,6 @@
 DocType: GL Entry,To Rename,Переименовать
 DocType: Stock Entry,Repack,Перепаковать
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Выберите, чтобы добавить серийный номер."
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»&gt; «Настройки образования»"
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Пожалуйста, установите фискальный код для клиента &quot;% s&quot;"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Сначала выберите компанию
 DocType: Item Attribute,Numeric Values,Числовые значения
@@ -8212,6 +8324,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Выборка на основе FIFO
 DocType: Soil Texture,Clay Loam,Суглинок
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Корневая не могут быть изменены.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Ценность займа
 DocType: Item,Units of Measure,Единицы измерения
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Сдается в метро
 DocType: Supplier,Default Tax Withholding Config,Конфигурация удержания налога по умолчанию
@@ -8258,6 +8371,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Пожалуйста, выберите категорию первый"
 apps/erpnext/erpnext/config/projects.py,Project master.,Мастер проекта.
 DocType: Contract,Contract Terms,Условия договора
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Утвержденный лимит суммы
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Продолжить настройку
 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,Maximum benefit amount of component {0} exceeds {1},Максимальное количество преимуществ компонента {0} превышает {1}
@@ -8290,6 +8404,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Просмотр журнала звонков
 DocType: BOM Operation,Operating Cost(Company Currency),Эксплуатационные расходы (Компания Валюта)
 DocType: Loan Application,Rate of Interest,Процентная ставка
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Залог по кредиту уже передан в залог {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Санкционированный Количество
 DocType: Item,Shelf Life In Days,Срок хранения в днях
 DocType: GL Entry,Is Opening,Открывает
@@ -8303,3 +8418,4 @@
 DocType: Account,Cash,Наличные
 DocType: Sales Invoice,Unpaid and Discounted,Неоплачиваемый и со скидкой
 DocType: Employee,Short biography for website and other publications.,Краткая биография для веб-сайта и других изданий.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Строка № {0}: невозможно выбрать склад поставщика при подаче сырья субподрядчику
diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv
index cd66197..af65205 100644
--- a/erpnext/translations/si.csv
+++ b/erpnext/translations/si.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,අවස්ථාව අහිමි වීමට හේතුව
 DocType: Patient Appointment,Check availability,ලබා ගන්න
 DocType: Retention Bonus,Bonus Payment Date,Bonus Payment Date
-DocType: Employee,Job Applicant,රැකියා අයදුම්කරු
+DocType: Appointment Letter,Job Applicant,රැකියා අයදුම්කරු
 DocType: Job Card,Total Time in Mins,මිනිත්තු ගණන
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,මෙය මේ සැපයුම්කරු එරෙහිව ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහනකට බලන්න
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,වැඩ පිළිවෙල සඳහා වැඩිපුර නිෂ්පාදනය කිරීම
@@ -180,6 +180,7 @@
 DocType: Delivery Stop,Contact Information,සබඳතා තොරතුරු
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ඕනෑම දෙයක් සොයන්න ...
 ,Stock and Account Value Comparison,කොටස් හා ගිණුම් අගය සංසන්දනය
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,බෙදා හරින ලද මුදල ණය ප්‍රමාණයට වඩා වැඩි විය නොහැක
 DocType: Company,Phone No,දුරකතන අංකය
 DocType: Delivery Trip,Initial Email Notification Sent,ආරම්භක ඊමේල් දැනුම්දීම යැවූ
 DocType: Bank Statement Settings,Statement Header Mapping,ප්රකාශන ශීර්ෂ සිතියම්කරණය
@@ -284,6 +285,7 @@
 DocType: Lead,Interested,උනන්දුවක් දක්වන
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,විවෘත
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,වැඩසටහන:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,වලංගු කාලය කාලයට වඩා වලංගු විය යුතුය.
 DocType: Item,Copy From Item Group,විෂය සමූහ වෙතින් පිටපත්
 DocType: Journal Entry,Opening Entry,විවෘත පිවිසුම්
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,ගිණුම් පමණක් ගෙවන්න
@@ -331,6 +333,7 @@
 DocType: Student,B-,බී-
 DocType: Assessment Result,Grade,ශ්රේණියේ
 DocType: Restaurant Table,No of Seats,ආසන ගණන
+DocType: Loan Type,Grace Period in Days,දින තුළ ග්‍රේස් කාලය
 DocType: Sales Invoice,Overdue and Discounted,කල් ඉකුත් වූ සහ වට්ටම්
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,අමතන්න විසන්ධි කරන්න
 DocType: Sales Invoice Item,Delivered By Supplier,සැපයුම්කරු විසින් ඉදිරිපත්
@@ -381,7 +384,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,නියමිත ක්රියාපටිපාටිය
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS පමණක් පෙන්වන්න
 DocType: Supplier Group,Supplier Group Name,සැපයුම් කණ්ඩායම් නම
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,පැමිණීම ලෙස සලකුණු කරන්න <b></b>
 DocType: Driver,Driving License Categories,රියදුරු බලපත්ර කාණ්ඩය
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,කරුණාකර සැපයුම් දිනය ඇතුලත් කරන්න
 DocType: Depreciation Schedule,Make Depreciation Entry,ක්ෂය සටහන් කරන්න
@@ -398,10 +400,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,මෙහෙයුම් පිළිබඳ විස්තර සිදු කරන ලදී.
 DocType: Asset Maintenance Log,Maintenance Status,නඩත්තු කිරීම තත්වය
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,අයිතම බදු මුදල වටිනාකමට ඇතුළත් වේ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,ණය ආරක්ෂණ අසම්පූර්ණයි
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,සාමාජිකත්ව තොරතුරු
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: සැපයුම්කරු ගෙවිය යුතු ගිණුම් {2} එරෙහිව අවශ්ය වේ
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,ද්රව්ය හා මිල ගණන්
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},මුළු පැය: {0}
+DocType: Loan,Loan Manager,ණය කළමනාකරු
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},දිනය සිට මුදල් වර්ෂය තුළ විය යුතුය. දිනය සිට උපකල්පනය = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,කාලය
@@ -460,6 +464,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',&#39;කාලය පිළිබඳ ලඝු-සටහන&#39; හරහා යාවත්කාලීන කිරීම
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,පාරිභෝගිකයා හෝ සැපයුම්කරු තෝරන්න.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ගොනුවේ ඇති රට කේතය පද්ධතියේ පිහිටුවා ඇති රට කේත සමඟ නොගැලපේ
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},ගිණුම {0} සමාගම {1} අයත් නොවේ
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,පෙරනිමියෙන් එක් ප්‍රමුඛතාවයක් පමණක් තෝරන්න.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},{0} {1} වඩා වැඩි උසස් ප්රමාණය විය නොහැකි
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","තාවකාලික ස්ලට් පෝලිමෙන්, ස්ලට් {0} සිට {1} දක්වා ඇති විනිවිදක ස්තරය {2} දක්වා {3}"
@@ -537,7 +542,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,අවසරය ඇහිරීම
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},අයිතමය {0} {1} මත ජීවය එහි අවසානය කරා එළඹ ඇති
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,බැංකු අයැදුම්පත්
-DocType: Customer,Is Internal Customer,අභ්යන්තර ගනුදෙනුකරුවෙක්ද?
+DocType: Sales Invoice,Is Internal Customer,අභ්යන්තර ගනුදෙනුකරුවෙක්ද?
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,විකුණුම් ඉන්වොයිසිය නොමැත
@@ -561,6 +566,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,"ද්රව්ය, ඉල්ලීම්"
 DocType: Bank Reconciliation,Update Clearance Date,යාවත්කාලීන නිශ්කාශනෙය් දිනය
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,බණ්ඩල් Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,අයදුම්පත අනුමත වන තුරු ණය නිර්මාණය කළ නොහැක
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"අයිතමය {0} මිලදී ගැනීමේ නියෝගයක් {1} තුළ &#39;, අමු ද්රව්ය සැපයූ&#39; වගුව තුල සොයාගත නොහැකි"
 DocType: Salary Slip,Total Principal Amount,මුලික මුදල
@@ -568,6 +574,7 @@
 DocType: Quiz Result,Correct,නිවැරදි
 DocType: Student Guardian,Mother,මව
 DocType: Restaurant Reservation,Reservation End Time,වෙන් කිරීම අවසාන කාලය
+DocType: Salary Slip Loan,Loan Repayment Entry,ණය ආපසු ගෙවීමේ ප්‍රවේශය
 DocType: Crop,Biennial,ද්විවාර්ෂිකයි
 ,BOM Variance Report,BOM විචලතාව වාර්තාව
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,ගනුදෙනුකරුවන් තහවුරු නියෝග.
@@ -588,6 +595,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} විශිෂ්ට මුදල {2} වඩා වැඩි විය නොහැකි එරෙහිව ගෙවීම්
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,සියලුම සෞඛ්ය සේවා ඒකක
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,අවස්ථාව පරිවර්තනය කිරීමේ දී
+DocType: Loan,Total Principal Paid,ගෙවන ලද මුළු විදුහල්පති
 DocType: Bank Account,Address HTML,ලිපිනය HTML
 DocType: Lead,Mobile No.,ජංගම අංක
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,ගෙවීමේ ක්රමය
@@ -606,12 +614,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,ෙශේෂ මුදලේ ශේෂය
 DocType: Supplier Scorecard Scoring Standing,Max Grade,මැක්ස් ශ්රේණියේ
 DocType: Email Digest,New Quotations,නව මිල ගණන්
+DocType: Loan Interest Accrual,Loan Interest Accrual,ණය පොලී උපචිතය
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} නිවාඩු නොදී {1} සඳහා ඉදිරිපත් නොකරන ලද පැමිණීම.
 DocType: Journal Entry,Payment Order,ගෙවීම් නියෝගය
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,විද්‍යුත් තැපෑල සත්‍යාපනය කරන්න
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,වෙනත් ප්‍රභවයන්ගෙන් ලැබෙන ආදායම
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","හිස් නම්, මව් ගබඩාව හෝ සමාගමේ පැහැර හැරීම සලකා බලනු ලැබේ"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,සේවක තෝරාගත් කැමති ඊ-තැපැල් මත පදනම් සේවකයාට විද්යුත් තැපැල් පණිවුඩ වැටුප් ස්ලිප්
+DocType: Work Order,This is a location where operations are executed.,මෙය මෙහෙයුම් ක්‍රියාත්මක කරන ස්ථානයකි.
 DocType: Tax Rule,Shipping County,නැව් කවුන්ටි
 DocType: Currency Exchange,For Selling,විකිණීම සඳහා
 apps/erpnext/erpnext/config/desktop.py,Learn,ඉගෙන ගන්න
@@ -620,6 +630,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,ව්‍යවහාරික කූපන් කේතය
 DocType: Asset,Next Depreciation Date,ඊළඟ ක්ෂය දිනය
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,සේවක අනුව ලද වියදම
+DocType: Loan Security,Haircut %,කප්පාදුව%
 DocType: Accounts Settings,Settings for Accounts,ගිණුම් සඳහා සැකසුම්
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},සැපයුම්කරු ගෙවීම් නොමැත ගැනුම් {0} පවතින
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,විකුණුම් පුද්ගලයෙක් රුක් කළමනාකරණය කරන්න.
@@ -658,6 +669,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},කරුණාකර හෝටල් කාමර ගාස්තු {{
 DocType: Journal Entry,Multi Currency,බහු ව්යවහාර මුදල්
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ඉන්වොයිසිය වර්ගය
+DocType: Loan,Loan Security Details,ණය ආරක්ෂණ තොරතුරු
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,දින සිට වලංගු වන්නේ වලංගු දිනට වඩා අඩු විය යුතුය
 DocType: Purchase Invoice,Set Accepted Warehouse,පිළිගත් ගබඩාව සකසන්න
 DocType: Employee Benefit Claim,Expense Proof,වියදම් සාධක
@@ -761,7 +773,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,පරීක්ෂණය සඳහා අනුමැතිය අවශ්ය වේ
 DocType: Attendance,Working Hours,වැඩ කරන පැය
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,විශිෂ්ටයි
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},අයිතමය සඳහා UOM පරිවර්තන සාධකය ({0} -&gt; {1}) හමු නොවීය: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,දැනට පවතින මාලාවේ ආරම්භක / වත්මන් අනුක්රමය අංකය වෙනස් කරන්න.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ඇණවුම් කළ මුදලට සාපේක්ෂව වැඩි බිල්පත් ගෙවීමට ඔබට අවසර දී ඇති ප්‍රතිශතය. උදාහරණයක් ලෙස: අයිතමයක් සඳහා ඇණවුම් වටිනාකම ඩොලර් 100 ක් නම් සහ ඉවසීම 10% ක් ලෙස සකසා ඇත්නම් ඔබට ඩොලර් 110 ක් සඳහා බිල් කිරීමට අවසර දෙනු ලැබේ.
 DocType: Dosage Strength,Strength,ශක්තිය
@@ -778,6 +789,7 @@
 DocType: Purchase Receipt,Vehicle Date,වාහන දිනය
 DocType: Campaign Email Schedule,Campaign Email Schedule,ප්‍රචාරක විද්‍යුත් තැපැල් කාලසටහන
 DocType: Student Log,Medical,වෛද්ය
+DocType: Work Order,This is a location where scraped materials are stored.,මෙය සීරීම් ද්‍රව්‍ය ගබඩා කරන ස්ථානයකි.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,කරුණාකර ඖෂධය තෝරන්න
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,ඊයම් න පෙරමුණ ලෙස සමාන විය නොහැකි
 DocType: Announcement,Receiver,ලබන්නා
@@ -872,7 +884,7 @@
 DocType: Driver,Applicable for external driver,බාහිර රියදුරු සඳහා අදාළ වේ
 DocType: Sales Order Item,Used for Production Plan,නිශ්පාදන සැළැස්ම සඳහා භාවිතා
 DocType: BOM,Total Cost (Company Currency),මුළු පිරිවැය (සමාගම් මුදල්)
-DocType: Loan,Total Payment,මුළු ගෙවීම්
+DocType: Repayment Schedule,Total Payment,මුළු ගෙවීම්
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,සෑම අලෙවිකරණ ඇණවුම් අයිතම සඳහාම PO නිර්මාණය කර ඇත
@@ -897,6 +909,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,අනතුරු ඇඟවීම් මිලදී ගැනීමේ ඇණවුම්
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,දිනෙයන් ලබා ගන්නා ලදි
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,ගොඩනගනු කිරීමට තරම් අමතර කොටස්
+DocType: Loan Security,Loan Security Code,ණය ආරක්ෂක කේතය
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,කරුණාකර පළමුව සුරකින්න
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ඒ හා සම්බන්ධ අමුද්‍රව්‍ය අදින්න අයිතම අවශ්‍ය වේ.
 DocType: POS Profile User,POS Profile User,POS පැතිකඩ පරිශීලක
@@ -953,6 +966,7 @@
 DocType: Patient,Risk Factors,අවදානම් සාධක
 DocType: Patient,Occupational Hazards and Environmental Factors,වෘත්තීයමය හා පාරිසරික සාධක
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,වැඩ පිළිවෙළ සඳහා දැනටමත් නිර්මාණය කර ඇති කොටස් සටහන්
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,අයිතම කේතය&gt; අයිතම සමූහය&gt; වෙළඳ නාමය
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,අතීත ඇණවුම් බලන්න
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} සංවාද
 DocType: Vital Signs,Respiratory rate,ශ්වසන වේගය
@@ -1015,6 +1029,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,බදු රඳවා ගැනීමේ ගිණුම
 DocType: Pricing Rule,Sales Partner,විකුණුම් සහයෝගිතාකරු
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,සියලු සැපයුම්කරුවන්ගේ ලකුණු දර්ශක.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ඇණවුම් මුදල
+DocType: Loan,Disbursed Amount,බෙදා හරින ලද මුදල
 DocType: Buying Settings,Purchase Receipt Required,මිලදී ගැනීම කුවිතාන්සිය අවශ්ය
 DocType: Sales Invoice,Rail,දුම්රිය
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,තථ්‍ය පිරිවැය
@@ -1051,6 +1067,7 @@
 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},පාවා: {0}
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks සමඟ සම්බන්ධ වේ
 DocType: Bank Statement Transaction Entry,Payable Account,ගෙවිය යුතු ගිණුම්
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,ගෙවීම් ඇතුළත් කිරීම් ලබා ගැනීම සඳහා ගිණුම අනිවාර්ය වේ
 DocType: Payment Entry,Type of Payment,ගෙවීම් වර්ගය
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,අර්ධ දින දිනය අනිවාර්ය වේ
 DocType: Sales Order,Billing and Delivery Status,බිල්පත් ගෙවීම් හා සැපයුම් තත්ත්වය
@@ -1087,7 +1104,7 @@
 DocType: Purchase Order Item,Billed Amt,අසූහත ඒඑම්ටී
 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,Principal Amount,විදුහල්පති මුදල
+DocType: Repayment Schedule,Principal Amount,විදුහල්පති මුදල
 DocType: Loan Application,Total Payable Interest,මුළු ගෙවිය යුතු පොලී
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},කැපී පෙනෙන ලෙස: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,විවෘත සම්බන්ධතා
@@ -1100,6 +1117,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,යාවත්කාලීන කිරීමේ ක්රියාවලියේදී දෝශයක් ඇතිවිය
 DocType: Restaurant Reservation,Restaurant Reservation,ආපන ශාලා
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ඔබේ අයිතම
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,සැපයුම්කරු&gt; සැපයුම්කරු වර්ගය
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,යෝජනාව ලේඛන
 DocType: Payment Entry Deduction,Payment Entry Deduction,ගෙවීම් සටහන් අඩු
 DocType: Service Level Priority,Service Level Priority,සේවා මට්ටමේ ප්‍රමුඛතාවය
@@ -1254,7 +1272,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),මූලික අනුපාතිකය (සමාගම ව්යවහාර මුදල්)
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,බෙදීම් නිකුත් කිරීම
 DocType: Student Attendance,Student Attendance,ශිෂ්ය පැමිණීම
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,අපනයනය කිරීමට දත්ත නොමැත
 DocType: Sales Invoice Timesheet,Time Sheet,කාලය පත්රය
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,"Backflush, අමු ද්රව්ය මත පදනම් වන දින"
 DocType: Sales Invoice,Port Code,වරාය කේතය
@@ -1267,6 +1284,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,සත්‍ය භාරදීමේ දිනය
 DocType: Lab Test,Test Template,ටෙස්ටින් සැකිල්ල
+DocType: Loan Security Pledge,Securities,සුරැකුම්පත්
 DocType: Restaurant Order Entry Item,Served,සේවය කළේය
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,තොරතුරු පරිච්ඡේදය.
 DocType: Account,Accounts,ගිණුම්
@@ -1360,6 +1378,7 @@
 DocType: Inpatient Record,O Negative,සෘණාත්මකව
 DocType: Work Order Operation,Planned End Time,සැලසුම්ගත අවසන් වන වේලාව
 DocType: POS Profile,Only show Items from these Item Groups,මෙම අයිතම කණ්ඩායම් වලින් අයිතම පමණක් පෙන්වන්න
+DocType: Loan,Is Secured Loan,සුරක්ෂිත ණය වේ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,පවත්නා ගනුදෙනුව ගිණුමක් ලෙජර් බවට පරිවර්තනය කළ නොහැකි
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,මයික්රොසොෆ්ට් වර්ගය විස්තර
 DocType: Delivery Note,Customer's Purchase Order No,පාරිභෝගික මිලදී ගැනීමේ නියෝගයක් නැත
@@ -1396,6 +1415,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,කරුණාකර ඇතුළත් කිරීම සඳහා සමාගම හා දිනය පළ කිරීම තෝරන්න
 DocType: Asset,Maintenance,නඩත්තු
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,Patient Encounter වෙතින් ලබාගන්න
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},අයිතමය සඳහා UOM පරිවර්තන සාධකය ({0} -&gt; {1}) හමු නොවීය: {2}
 DocType: Subscriber,Subscriber,ග්රාහකයා
 DocType: Item Attribute Value,Item Attribute Value,අයිතමය Attribute අගය
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,විනිමය හෝ විකිණීම සඳහා මුදල් හුවමාරුව අදාළ විය යුතුය.
@@ -1475,6 +1495,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,කිසිදු අවසරය
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,කොන්ත්රාත් ඉටු කිරීම පිරික්සුම් ලැයිස්තුව
 DocType: Vital Signs,Heart Rate / Pulse,හෘද ස්පන්දනය / ස්පන්දනය
+DocType: Customer,Default Company Bank Account,පෙරනිමි සමාගම් බැංකු ගිණුම
 DocType: Supplier,Default Bank Account,පෙරනිමි බැංකු ගිණුම්
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","පක්ෂය මත පදනම් පෙරහන් කිරීමට ප්රථම, පක්ෂය වර්ගය තෝරා"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},භාණ්ඩ {0} හරහා ලබා නැති නිසා &#39;යාවත්කාලීන කොටස්&#39; පරීක්ෂා කළ නොහැකි
@@ -1591,7 +1612,6 @@
 DocType: Sales Team,Incentives,සහන
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,සමමුහුර්තතාවයෙන් පිටත වටිනාකම්
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,වෙනස අගය
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම&gt; අංකනය මාලාව හරහා සකසන්න
 DocType: SMS Log,Requested Numbers,ඉල්ලන ගණන්
 DocType: Volunteer,Evening,සන්ධ්යාව
 DocType: Quiz,Quiz Configuration,ප්‍රශ්නාවලිය වින්‍යාසය
@@ -1611,6 +1631,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,පසුගිය ෙරෝ මුළු මත
 DocType: Purchase Invoice Item,Rejected Qty,ප්රතික්ෂේප යවන ලද
 DocType: Setup Progress Action,Action Field,ක්රියාකාරී ක්ෂේත්රය
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,පොලී සහ දඩ ගාස්තු සඳහා ණය වර්ගය
 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,බෙදාහැරීම් සීමාව
@@ -1622,6 +1643,7 @@
 ,Final Assessment Grades,අවසාන ඇගයීම් ශ්රේණි
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,ඔබ මෙම පද්ධතිය සකස්කර සඳහා ඔබේ සමාගම සඳහා වන නම.
 DocType: HR Settings,Include holidays in Total no. of Working Days,කිසිදු මුළු නිවාඩු දින ඇතුලත් වේ. වැඩ කරන දින වල
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,මුළු එකතුවෙන්%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext හි ඔබේ ආයතනය පිහිටුවන්න
 DocType: Agriculture Analysis Criteria,Plant Analysis,ශාක විශ්ලේෂණය
 DocType: Task,Timeline,කාල නියමය
@@ -1629,9 +1651,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,විකල්ප අයිතම
 DocType: Shopify Log,Request Data,ඉල්ලීම් දත්ත
 DocType: Employee,Date of Joining,සමඟ සම්බන්ධවීම දිනය
+DocType: Delivery Note,Inter Company Reference,අන්තර් සමාගම් යොමු කිරීම
 DocType: Naming Series,Update Series,යාවත්කාලීන ශ්රේණි
 DocType: Supplier Quotation,Is Subcontracted,උප කොන්ත්රාත්තුවක් ඇත
 DocType: Restaurant Table,Minimum Seating,අවම ආසන
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,ප්‍රශ්නය අනුපිටපත් කළ නොහැක
 DocType: Item Attribute,Item Attribute Values,අයිතමය Attribute වටිනාකම්
 DocType: Examination Result,Examination Result,විභාග ප්රතිඵල
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,මිලදී ගැනීම කුවිතාන්සිය
@@ -1732,6 +1756,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි
 DocType: Payment Request,Paid,ගෙවුම්
 DocType: Service Level,Default Priority,පෙරනිමි ප්‍රමුඛතාවය
+DocType: Pledge,Pledge,ප්‍රති ledge ාව
 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 වල නවතම මිලක් ද එය යාවත්කාලීන කරයි."
@@ -1745,6 +1770,7 @@
 DocType: Guardian,Guardian Name,ගාඩියන් නම
 DocType: Cheque Print Template,Has Print Format,ඇත මුද්රණය ආකෘතිය
 DocType: Support Settings,Get Started Sections,ආරම්භ කළ අංශ
+,Loan Repayment and Closure,ණය ආපසු ගෙවීම සහ වසා දැමීම
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,අනුමත
 ,Base Amount,මූලික මුදල
@@ -1758,7 +1784,6 @@
 DocType: Student Admission,Publish on website,වෙබ් අඩවිය ප්රකාශයට පත් කරනු ලබයි
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"සැපයුම්කරු ගෙවීම් දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල වඩා වැඩි විය නොහැකි"
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,අයිතම කේතය&gt; අයිතම සමූහය&gt; වෙළඳ නාමය
 DocType: Subscription,Cancelation Date,අවලංගු දිනය
 DocType: Purchase Invoice Item,Purchase Order Item,මිලදී ගැනීමේ නියෝගයක් අයිතමය
 DocType: Agriculture Task,Agriculture Task,කෘෂිකාර්මික කාර්යය
@@ -1777,7 +1802,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,අතිරේක වට්ටම් ප්රතිශතය
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,සියළු උපකාර වීඩියෝ ලැයිස්තුවක් බලන්න
 DocType: Agriculture Analysis Criteria,Soil Texture,පාංශු සැකැස්ම
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,චෙක්පත තැන්පත් කර එහිදී බැංකුවේ ගිණුමක් හිස තෝරන්න.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,පරිශීලක ගනුදෙනු මිල ලැයිස්තුව අනුපාතිකය සංස්කරණය කිරීමට ඉඩ දෙන්න
 DocType: Pricing Rule,Max Qty,මැක්ස් යවන ලද
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,මුද්රණ වාර්තා කාඩ්පත මුද්රණය කරන්න
@@ -1912,7 +1936,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","සැකසූ පසු, නියමිත දිනට තෙක් මෙම ඉන්වොයිසිය සුදානම් වේ"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,මුදල විකිණීම
-DocType: Repayment Schedule,Interest Amount,පොලී මුදල
+DocType: Loan Interest Accrual,Interest Amount,පොලී මුදල
 DocType: Job Card,Time Logs,කාල සටහන්
 DocType: Sales Invoice,Loyalty Amount,ලෝයල්ටිං මුදල
 DocType: Employee Transfer,Employee Transfer Detail,සේවක ස්ථාන මාරු විස්තරය
@@ -1952,7 +1976,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,භාණ්ඩ මිලදී ගැනීම් නියෝග කල් ඉකුත් වේ
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,කලාප කේතය
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},විකුණුම් සාමය {0} වේ {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},පොලී ආදායම් ගිණුමක් තෝරන්න {0}
 DocType: Opportunity,Contact Info,සම්බන්ධ වීම
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,කොටස් අයැදුම්පත් කිරීම
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,සේවකයාගේ තත්වය වාමාංශය සමඟ ප්රවර්ධනය කළ නොහැක
@@ -2034,7 +2057,6 @@
 DocType: Salary Slip,Deductions,අඩු කිරීම්
 DocType: Setup Progress Action,Action Name,ක්රියාකාරී නම
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ආරම්භක වර්ෂය
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ණය සාදන්න
 DocType: Purchase Invoice,Start date of current invoice's period,ආරම්භ කරන්න වත්මන් ඉන්වොයිස් කාලයේ දිනය
 DocType: Shift Type,Process Attendance After,පැමිණීමේ ක්‍රියාවලිය
 ,IRS 1099,IRS 1099
@@ -2055,6 +2077,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ඔබගේ වසම් තෝරන්න
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,සාප්පු සැපයුම්කරු
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ගෙවීම් ඉන්වොයිසි අයිතම
+DocType: Repayment Schedule,Is Accrued,උපචිත වේ
 DocType: Payroll Entry,Employee Details,සේවක විස්තර
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ගොනු සැකසීම
 DocType: Amazon MWS Settings,CN,CN
@@ -2084,6 +2107,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,ලෝයල්ටි පේදුරු පිවිසුම
 DocType: Employee Checkin,Shift End,මාරුව අවසානය
 DocType: Stock Settings,Default Item Group,පෙරනිමි අයිතමය සමූහ
+DocType: Loan,Partially Disbursed,අර්ධ වශයෙන් මුදාහැරේ
 DocType: Job Card Time Log,Time In Mins,කාලය තුල මිනුම්
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,තොරතුරු ලබා දෙන්න.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,මෙම ක්‍රියාව ඔබගේ බැංකු ගිණුම් සමඟ ERPNext ඒකාබද්ධ කරන ඕනෑම බාහිර සේවාවකින් මෙම ගිණුම ඉවත් කරයි. එය අහෝසි කළ නොහැක. ඔබට විශ්වාසද?
@@ -2099,6 +2123,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,එම අයිතමය වාර කිහිපයක් ඇතුළත් කළ නොහැක.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","කණ්ඩායම් යටතේ තව දුරටත් ගිණුම් කළ හැකි නමුත්, ඇතුළත් කිරීම්-කණ්ඩායම් නොවන එරෙහිව කළ හැකි"
+DocType: Loan Repayment,Loan Closure,ණය වසා දැමීම
 DocType: Call Log,Lead,ඊයම්
 DocType: Email Digest,Payables,ගෙවිය යුතු
 DocType: Amazon MWS Settings,MWS Auth Token,MWS ඔට් ටෙක්න්
@@ -2131,6 +2156,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,සේවක බදු සහ ප්‍රතිලාභ
 DocType: Bank Guarantee,Validity in Days,දින තුළ වලංගු
 DocType: Bank Guarantee,Validity in Days,දින තුළ වලංගු
+DocType: Unpledge,Haircut,කප්පාදුව
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-පත්රය ඉන්වොයිසිය සඳහා අදාළ නොවේ: {0}
 DocType: Certified Consultant,Name of Consultant,උපදේශකගේ නම
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled ගෙවීම් විස්තර
@@ -2184,7 +2210,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,ලෝකයේ සෙසු
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,අයිතමය {0} කණ්ඩායම ලබා ගත නොහැකි
 DocType: Crop,Yield UOM,අස්වැන්න නෙලීම
+DocType: Loan Security Pledge,Partially Pledged,අර්ධ වශයෙන් ප්‍රති led ා දී ඇත
 ,Budget Variance Report,අයවැය විචලතාව වාර්තාව
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,අනුමත ණය මුදල
 DocType: Salary Slip,Gross Pay,දළ වැටුප්
 DocType: Item,Is Item from Hub,අයිතමයේ සිට අයිතමය දක්වා ඇත
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,සෞඛ්ය සේවා වෙතින් අයිතම ලබා ගන්න
@@ -2219,6 +2247,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,නව තත්ත්ව ක්‍රියා පටිපාටිය
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},ගිණුම සඳහා ශේෂ {0} සැමවිටම විය යුතුය {1}
 DocType: Patient Appointment,More Info,තවත් තොරතුරු
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,උපන් දිනය සම්බන්ධ වන දිනයට වඩා වැඩි විය නොහැක.
 DocType: Supplier Scorecard,Scorecard Actions,ලකුණු කරන්න
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},සපයන්නා {0} {1}
 DocType: Purchase Invoice,Rejected Warehouse,ප්රතික්ෂේප ගබඩාව
@@ -2313,6 +2342,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,කරුණාකර අයිතම කේතය මුලින්ම සකසන්න
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ඩොක් වර්ගය
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},ණය ආරක්ෂණ ප්‍රති ledge ාව නිර්මාණය කරන ලදි: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,පත්වීම් සහ රෝගීන්ගේ ගැටුම්
@@ -2367,6 +2397,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,සමගාමී පත්වීම් ගණන
 apps/erpnext/erpnext/config/desktop.py,Getting Started,ඇරඹේ
 DocType: Purchase Invoice,Taxes and Charges Calculation,බදු හා බදු ගාස්තු ගණනය කිරීම
+DocType: Loan Interest Accrual,Payable Principal Amount,ගෙවිය යුතු ප්‍රධාන මුදල
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ස්වයංක්රීයව පොත වත්කම් ක්ෂය වීම සටහන්
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ස්වයංක්රීයව පොත වත්කම් ක්ෂය වීම සටහන්
 DocType: BOM Operation,Workstation,සේවා පරිගණකයක්
@@ -2403,7 +2434,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ආහාර
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,වයස්ගතවීම රංගේ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS අවසාන වවුචර් විස්තර
-DocType: Bank Account,Is the Default Account,පෙරනිමි ගිණුම වේ
 DocType: Shopify Log,Shopify Log,ලොග් කරන්න
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,සන්නිවේදනයක් හමු නොවීය.
 DocType: Inpatient Occupancy,Check In,ඇතුල් වීම
@@ -2457,12 +2487,14 @@
 DocType: Sales Order Item,Planned Quantity,සැලසුම් ප්රමාණ
 DocType: Water Analysis,Water Analysis Criteria,ජල විශ්ලේෂණ නිර්ණායක
 DocType: Item,Maintain Stock,කොටස් වෙළඳ පවත්වා
+DocType: Loan Security Unpledge,Unpledge Time,කාලය ඉවත් කරන්න
 DocType: Terms and Conditions,Applicable Modules,අදාළ මොඩියුල
 DocType: Employee,Prefered Email,Prefered විද්යුත්
 DocType: Student Admission,Eligibility and Details,සුදුසුකම් සහ විස්තර
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,දළ ලාභයට ඇතුළත් කර ඇත
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ස්ථාවර වත්කම් ශුද්ධ වෙනස්
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,මෙය අවසාන නිෂ්පාදනය ගබඩා කළ ස්ථානයකි.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},මැක්ස්: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,දිනයවේලාව සිට
@@ -2502,8 +2534,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,වගකීම් / විදේශ මුදල් හුවමාරු කරන්නන් තත්ත්වය
 ,Accounts Browser,ගිණුම් බ්රව්සරය
 DocType: Procedure Prescription,Referral,යොමු කිරීම
+,Territory-wise Sales,කලාපීය වශයෙන් විකුණුම්
 DocType: Payment Entry Reference,Payment Entry Reference,ගෙවීම් සටහන් විමර්ශන
 DocType: GL Entry,GL Entry,ජී.එල් සටහන්
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,පේළිය # {0}: පිළිගත් ගබඩාව සහ සැපයුම් ගබඩාව සමාන විය නොහැක
 DocType: Support Search Source,Response Options,ප්රතිචාර විකල්ප
 DocType: Pricing Rule,Apply Multiple Pricing Rules,බහු මිල නියමයන් යොදන්න
 DocType: HR Settings,Employee Settings,සේවක සැකසුම්
@@ -2577,6 +2611,7 @@
 DocType: Item,Sales Details,විකුණුම් විස්තර
 DocType: Coupon Code,Used,භාවිතා කර ඇත
 DocType: Opportunity,With Items,අයිතම සමග
+DocType: Vehicle Log,last Odometer Value ,අන්තිම ඕඩෝමීටර අගය
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',{1} &#39;{2}&#39; සඳහා &#39;{0}&#39; ව්‍යාපාරය දැනටමත් පවතී.
 DocType: Asset Maintenance,Maintenance Team,නඩත්තු කණ්ඩායම
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","කොටස් දිස්විය යුතු අනුපිළිවෙල. 0 පළමුව, 1 දෙවන හා එසේ ය."
@@ -2587,7 +2622,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,වියදම් හිමිකම් {0} දැනටමත් වාහන ඇතුළුවන්න සඳහා පවතී
 DocType: Asset Movement Item,Source Location,මූලාශ්ර ස්ථානය
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,සංවිධානයේ නම
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ණය ආපසු ගෙවීමේ ප්රමාණය ඇතුලත් කරන්න
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,ණය ආපසු ගෙවීමේ ප්රමාණය ඇතුලත් කරන්න
 DocType: Shift Type,Working Hours Threshold for Absent,නොපැමිණීම සඳහා වැඩකරන සීමාව
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,මුළු වියදම මත පදනම් වූ විවිධාකාර එකතු කිරීමේ සාධක ඇති විය හැකිය. එහෙත් මිදීම සඳහා හැරවීමේ සාධකය සෑම ස්ථරයක් සඳහාම එකම වේ.
 apps/erpnext/erpnext/config/help.py,Item Variants,අයිතමය ප්රභේද
@@ -2610,6 +2645,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,වාර්තා ගෙවීම් වගුව සොයාගැනීමට නොමැත
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},මෙම {0} {2} {3} සඳහා {1} සමග ගැටුම්
 DocType: Student Attendance Tool,Students HTML,සිසුන් සඳහා HTML
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,කරුණාකර පළමුව අයදුම්කරු වර්ගය තෝරන්න
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty සහ ගබඩාව තෝරන්න"
 DocType: GST HSN Code,GST HSN Code,GST HSN සංග්රහයේ
 DocType: Employee External Work History,Total Experience,මුළු අත්දැකීම්
@@ -2697,7 +2733,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",අයිතමයට {0} අයිතමය සඳහා සක්රීයව BOM කිසිවක් සොයාගත නොහැකි විය. \ Serial අංකය මගින් ලබා දීම සහතික කළ නොහැක
 DocType: Sales Partner,Sales Partner Target,විකුණුම් සහකරු ඉලක්ක
-DocType: Loan Type,Maximum Loan Amount,උපරිම ණය මුදල
+DocType: Loan Application,Maximum Loan Amount,උපරිම ණය මුදල
 DocType: Coupon Code,Pricing Rule,මිල ගණන් පාලනය
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ශිෂ්ය {0} සඳහා රෝල් අංකය අනුපිටපත්
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},ශිෂ්ය {0} සඳහා රෝල් අංකය අනුපිටපත්
@@ -2721,6 +2757,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},{0} සඳහා සාර්ථකව වෙන් කොළ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,පැක් කරගන්න අයිතම කිසිදු
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,දැනට සහය දක්වන්නේ .csv සහ .xlsx ගොනු පමණි
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්&gt; මානව සම්පත් සැකසුම් තුළ සකසන්න
 DocType: Shipping Rule Condition,From Value,අගය
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,නිෂ්පාදන ප්රමාණය අනිවාර්ය වේ
 DocType: Loan,Repayment Method,ණය ආපසු ගෙවීමේ ක්රමය
@@ -2868,6 +2905,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,ශුද්ධ ලාභය
 DocType: Purchase Invoice,Eligibility For ITC,සුදුසුකම්: ITC සඳහා
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,නොකැඩූ
 DocType: Journal Entry,Entry Type,ප්රවේශය වර්ගය
 ,Customer Credit Balance,පාරිභෝගික ණය ශේෂ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ගෙවිය යුතු ගිණුම් ශුද්ධ වෙනස්
@@ -2879,6 +2917,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),පැමිණීමේ උපාංග හැඳුනුම්පත (ජෛවමිතික / ආර්එෆ් ටැග් හැඳුනුම්පත)
 DocType: Quotation,Term Details,කාලීන තොරතුරු
 DocType: Item,Over Delivery/Receipt Allowance (%),බෙදා හැරීමේ / ලැබීම් දීමනාව (%)
+DocType: Appointment Letter,Appointment Letter Template,පත්වීම් ලිපි ආකෘතිය
 DocType: Employee Incentive,Employee Incentive,සේවක දිරි දීමනා
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} මෙම ශිෂ්ය කන්ඩායමක් සඳහා සිසුන් වඩා ලියාපදිංචි කල නොහැක.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),මුළු (බදු රහිත)
@@ -2902,6 +2941,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",\ Serial {0} සමඟ බෙදාහැරීම සහතික කිරීම සහතික කළ නොහැකි ය.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ඉන්වොයිසිය අවලංගු මත ගෙවීම් විසන්ධි කරන්න
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,ණය පොලී උපචිත ක්‍රියාවලිය
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},කියවීම ඇතුළු වත්මන් Odometer මූලික වාහන Odometer {0} වඩා වැඩි විය යුතුය
 ,Purchase Order Items To Be Received or Billed,ලැබිය යුතු හෝ බිල් කළ යුතු ඇණවුම් අයිතම මිලදී ගන්න
 DocType: Restaurant Reservation,No Show,පෙන්වන්නෙ නැහැ
@@ -2987,6 +3027,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: පිරිවැය මධ්යස්ථානය ලාභ සහ අලාභ ගිණුම {2} සඳහා අවශ්ය වේ. එම සමාගමේ පෙරනිමි වියදම මධ්යස්ථානයක් පිහිටුවා කරන්න.
 DocType: Payment Schedule,Payment Term,ගෙවීම් කොන්දේසි
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ඒ කස්ටමර් සමූහයේ එකම නමින් පවතී පාරිභෝගික නම වෙනස් හෝ කස්ටමර් සමූහයේ නම වෙනස් කරන්න
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,ඇතුළත් වීමේ අවසන් දිනය ඇතුළත් වීමේ ආරම්භක දිනයට වඩා වැඩි විය යුතුය.
 DocType: Location,Area,ප්රදේශය
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,නව අමතන්න
 DocType: Company,Company Description,සමාගමේ විස්තරය
@@ -3060,6 +3101,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,සිතියම්ගත දත්ත
 DocType: Purchase Order Item,Warehouse and Reference,ගබඩාවක් සහ විමර්ශන
 DocType: Payroll Period Date,Payroll Period Date,වැටුප් ලේඛණ කාල දිනය
+DocType: Loan Disbursement,Against Loan,ණයට එරෙහිව
 DocType: Supplier,Statutory info and other general information about your Supplier,ව්යවස්ථාපිත තොරතුරු හා ඔබගේ සැපයුම්කරු ගැන අනෙක් සාමාන්ය තොරතුරු
 DocType: Item,Serial Nos and Batches,අනුක්රමික අංක සහ කාණ්ඩ
 DocType: Item,Serial Nos and Batches,අනුක්රමික අංක සහ කාණ්ඩ
@@ -3273,6 +3315,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),මූලික මුදල (සමාගම ව්යවහාර මුදල්)
 DocType: Purchase Invoice,Registered Regular,ලියාපදිංචි නිතිපතා
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,අමු ද්රව්ය
+DocType: Plaid Settings,sandbox,වැලිපිල්ල
 DocType: Payment Reconciliation Payment,Reference Row,විමර්ශන ෙරෝ
 DocType: Installation Note,Installation Time,ස්ථාපන කාල
 DocType: Sales Invoice,Accounting Details,මුල්ය විස්තර
@@ -3285,12 +3328,11 @@
 DocType: Leave Ledger Entry,Transaction Type,ගනුදෙනු වර්ගය
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,පිළිගැනීම නිර්ණායක
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ඉහත වගුවේ ද්රව්ය ඉල්ලීම් ඇතුලත් කරන්න
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,මුළු ගෙවිය යුතු මුදල
 DocType: Task,Expected Time (in hours),අපේක්ෂිත කාලය (පැය)
 DocType: Item Reorder,Check in (group),(කණ්ඩායම්) දී පරීක්ෂා
 DocType: Soil Texture,Silt,සිල්ට්
@@ -3322,6 +3364,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,බදු විරහිත බදු ඔප්පු කිරීම සඳහා වන බදු ඉවත් කිරීම
 DocType: Volunteer,Anytime,ඕනෑම අවස්ථාවක
 DocType: Bank Account,Bank Account No,බැංකු ගිණුම් අංක
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,මුදල් ගෙවීම සහ ආපසු ගෙවීම
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,සේවක බදු නිදහස් කිරීම් ඉදිරිපත් කිරිම
 DocType: Patient,Surgical History,ශල්ය ඉතිහාසය
 DocType: Bank Statement Settings Item,Mapped Header,සිතියම්ගත කළ ශීර්ෂකය
@@ -3382,6 +3425,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,විකුණුම් ඉන්වොයිසිය ඉදිරිපත් කිරීමට පරීක්ෂණාගාරය සාදන්න
 DocType: Serial No,Invoice Details,ඉන්වොයිසිය විස්තර
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,බදු නිදහස් කිරීමේ ප්‍රකාශය ඉදිරිපත් කිරීමට පෙර වැටුප් ව්‍යුහය ඉදිරිපත් කළ යුතුය
+DocType: Loan Application,Proposed Pledges,යෝජිත පොරොන්දු
 DocType: Grant Application,Show on Website,වෙබ් අඩවියෙන් පෙන්වන්න
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,පටන් ගන්න
 DocType: Hub Tracked Item,Hub Category,ප්රවර්ග කේන්ද්රස්ථානය
@@ -3393,7 +3437,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,සැපයුම් සිතුවම් ස්ථාවර
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},පේළියේ {0}: ද්රව්ය පනත් කෙටුම්පත අයිතමය {1} සඳහා සොයාගත නොහැකි
 DocType: Contract Fulfilment Checklist,Requirement,අවශ්යතාව
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්&gt; මානව සම්පත් සැකසුම් තුළ සකසන්න
 DocType: Journal Entry,Accounts Receivable,ලැබිය යුතු ගිණුම්
 DocType: Quality Goal,Objectives,අරමුණු
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,පසුගාමී නිවාඩු අයදුම්පතක් සෑදීමට අවසර දී ඇති භූමිකාව
@@ -3650,6 +3693,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,වලංගු වන දිනයට වඩා දින සිට වලංගු විය යුතුය.
 DocType: Employee Skill,Evaluation Date,ඇගයීමේ දිනය
 DocType: Quotation Item,Stock Balance,කොටස් වෙළඳ ශේෂ
+DocType: Loan Security Pledge,Total Security Value,සම්පූර්ණ ආරක්ෂක වටිනාකම
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ගෙවීම විකුණුම් න්යාය
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,විධායක නිලධාරී
 DocType: Purchase Invoice,With Payment of Tax,බදු ගෙවීමෙන්
@@ -3741,6 +3785,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,වත්මන් තක්සේරු අනුපාත
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,මූල ගිණුම් ගණන 4 ට නොඅඩු විය යුතුය
 DocType: Training Event,Advance,අත්තිකාරම්
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,ණයට එරෙහිව:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless ගෙවීම් මාර්ග සැකසුම්
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,විනිමය ලාභ / අඞු කිරීමට
 DocType: Opportunity,Lost Reason,අහිමි හේතුව
@@ -3825,8 +3870,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,කණ්ඩායම තේරීම් නොමැත
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},වලංගු නොවන {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,පේළිය {0}: සහෝදර සහෝදරියන්ගේ උපන් දිනය අදට වඩා වැඩි විය නොහැක.
 DocType: Fee Validity,Reference Inv,ආශ්රිත Inv
 DocType: Sales Invoice Advance,Advance Amount,උසස් මුදල
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,දඩ පොලී අනුපාතය (%) දිනකට
 DocType: Manufacturing Settings,Capacity Planning,ධාරිතාව සැලසුම්
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,වටය ගැලපීම (සමාගම් ව්යවහාර මුදල්
 DocType: Asset,Policy number,ප්රතිපත්ති අංකය
@@ -3842,7 +3889,9 @@
 DocType: Normal Test Items,Require Result Value,ප්රතිඵල වටිනාකම
 DocType: Purchase Invoice,Pricing Rules,මිල නියමයන්
 DocType: Item,Show a slideshow at the top of the page,පිටුවේ ඉහළ ඇති වූ අතිබහුතරයකගේ පෙන්වන්න
+DocType: Appointment Letter,Body,සිරුර
 DocType: Tax Withholding Rate,Tax Withholding Rate,බදු රඳවා ගැනීමේ අනුපාතිකය
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,කාලීන ණය සඳහා ආපසු ගෙවීමේ ආරම්භක දිනය අනිවාර්ය වේ
 DocType: Pricing Rule,Max Amt,මැක්ස් අම්ට්
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,ස්ටෝර්ස්
@@ -3860,7 +3909,7 @@
 DocType: Call Log,Received By,ලැබුනේ
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),පත්වීම් කාලය (මිනිත්තු වලින්)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,මුදල් ප්රවාහ සිතියම් කිරීමේ තොරතුරු විස්තර
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,ණය කළමනාකරණය
+DocType: Loan,Loan Management,ණය කළමනාකරණය
 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,Update Cost,යාවත්කාලීන වියදම
@@ -3868,6 +3917,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B- ආකෘතිය
 DocType: Sales Invoice,Mode of Transport,ප්රවාහන ක්රමය
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,වැටුප පුරවා පෙන්වන්න
+DocType: Loan,Is Term Loan,කාලීන ණය වේ
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,ද්රව්ය මාරු
 DocType: Fees,Send Payment Request,ගෙවීම් ඉල්ලුම යවන්න
 DocType: Travel Request,Any other details,වෙනත් තොරතුරු
@@ -3885,6 +3935,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,මූල්ය පහසුකම් මුදල් ප්රවාහ
 DocType: Budget Account,Budget Account,අයවැය ගිණුම්
 DocType: Quality Inspection,Verified By,වන විට තහවුරු කර
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,ණය ආරක්ෂාව එක් කරන්න
 DocType: Travel Request,Name of Organizer,සංවිධායක නාමය
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,ආදායම් බදු වගකීම්
@@ -3934,6 +3985,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,දා අවශ්ය
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","පරීක්ෂා කර ඇත්නම්, වැටුප් ස්ලිප් වල වටකුරු මුළු ක්ෂේත්‍රය සඟවා අක්‍රීය කරයි"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,විකුණුම් ඇණවුම් භාරදීමේ දිනය සඳහා වන පෙරනිමි ඕෆ්සෙට් (දින) මෙයයි. ආපසු ගෙවීමේ ඕෆ්සෙට් ඇණවුම් ස්ථානගත කිරීමේ දින සිට දින 7 කි.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම&gt; අංකනය මාලාව හරහා සකසන්න
 DocType: Rename Tool,File to Rename,නැවත නම් කරන්න කිරීමට ගොනු
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},කරුණාකර ෙරෝ {0} තුළ අයිතමය සඳහා ද ෙව් තෝරා
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,අනුගාමිකයන් යාවත්කාලීන කිරීම්
@@ -3946,6 +3998,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,අනුක්‍රමික අංක නිර්මාණය කරන ලදි
 DocType: POS Profile,Applicable for Users,පරිශීලකයින් සඳහා අදාළ වේ
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,දිනය හා දිනය අනිවාර්ය වේ
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),අත්තිකාරම් සහ වෙන් කිරීම (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,රැකියා ඇණවුම් නිර්මාණය කළේ නැත
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,සේවක වැටුප් පුරවා {0} දැනටමත් මෙම කාල සීමාව සඳහා නිර්මාණය
@@ -4049,11 +4102,12 @@
 ,Minutes to First Response for Opportunity,අවස්ථා සඳහා පළමු ප්රතිචාර සඳහා විනාඩි
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,මුළු නැති කල
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,විරසකයන් අයිතමය හෝ ගබඩා {0} ද්රව්ය ඉල්ලීම් නොගැලපේ
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,ගෙවිය යුතු මුදල
+DocType: Loan Repayment,Payable Amount,ගෙවිය යුතු මුදල
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,අවස්ථාවක්
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,උපරිම ශක්තිය බිංදුවට වඩා අඩු විය නොහැක.
 DocType: Options,Option,විකල්පය
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},සංවෘත ගිණුම්කරණ කාල සීමාව තුළ ඔබට ගිණුම් ඇතුළත් කිරීම් සෑදිය නොහැක {0}
 DocType: Operation,Default Workstation,පෙරනිමි වර්ක්ස්ටේෂන්
@@ -4095,6 +4149,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,පොලී මුදල අනිවාර්ය වේ
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,වැටුප් නැතිව නිවාඩු අනුමත නිවාඩු ඉල්ලුම් වාර්තා සමග නොගැලපේ
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ඊළඟ පියවර
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,සුරකින ලද අයිතම
@@ -4146,8 +4201,6 @@
 DocType: Grant Application,Grant Application Details ,අයදුම් කිරීමේ තොරතුරු ලබා දීම
 DocType: Employee Separation,Employee Separation,සේවක වෙන්වීම
 DocType: BOM Item,Original Item,මුල්ම අයිතමය
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා <a href=""#Form/Employee/{0}"">{0}</a> delete මකන්න"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ලේඛන දිනය
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},නිර්මාණය කරන ලද්දේ ගාස්තු වාර්තා - {0}
 DocType: Asset Category Account,Asset Category Account,වත්කම් ප්රවර්ගය ගිණුම්
@@ -4182,6 +4235,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,පරීක්ෂණාගාර පරීක්ෂණ අයිතමය {0} දැනටමත් පවතී
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} යනු සමාගම් නිවාඩු දිනයකි
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,බිල් කළ හැකි පැය
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,ආපසු ගෙවීම ප්‍රමාද වුවහොත් දිනපතා අපේක්ෂිත පොලී මුදල මත දඩ පොලී අනුපාතය අය කෙරේ
+DocType: Appointment Letter content,Appointment Letter content,පත්වීම් ලිපි අන්තර්ගතය
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,තත්ත්වය දැනුම්දීම
 DocType: Patient Appointment,Procedure Prescription,ක්රියා පටිපාටිය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,ගෘහ භාණ්ඞ සහ සවිකිරීම්
@@ -4200,7 +4255,7 @@
 DocType: Opportunity,Customer / Lead Name,ගණුදෙනුකරු / ඊයම් නම
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,නිශ්කාශනෙය් දිනය සඳහන් නොවීම
 DocType: Payroll Period,Taxable Salary Slabs,බදු ගත හැකි පඩිනඩි
-DocType: Job Card,Production,නිෂ්පාදනය
+DocType: Plaid Settings,Production,නිෂ්පාදනය
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,අවලංගු GSTIN! ඔබ ඇතුළත් කළ ආදානය GSTIN ආකෘතියට නොගැලපේ.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ගිණුම් වටිනාකම
 DocType: Guardian,Occupation,රැකියාව
@@ -4340,6 +4395,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,ලෝයෙල්ටි වැඩසටහන් එකතුව
 DocType: Stock Entry Detail,Subcontracted Item,උප කොන්ත්රාත් භාණ්ඩයක්
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},ශිෂ්ය {0} කණ්ඩායමට අයත් නොවේ {1}
+DocType: Appointment Letter,Appointment Date,පත්වීම් දිනය
 DocType: Budget,Cost Center,පිරිවැය මධ්යස්ථානය
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,වවුචරය #
 DocType: Tax Rule,Shipping Country,නැව් රට
@@ -4409,6 +4465,7 @@
 DocType: Accounting Dimension,Accounting Dimension,ගිණුම්කරණ මානය
 ,Profit and Loss Statement,ලාභ අලාභ ප්රකාශය
 DocType: Bank Reconciliation Detail,Cheque Number,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් අංකය"
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,ගෙවන මුදල ශුන්‍ය විය නොහැක
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} මගින් යොමු කරන ලද අයිතමය දැනටමත් ඉන්වොයිසියට ඇත
 ,Sales Browser,විකුණුම් බ්රව්සරය
 DocType: Journal Entry,Total Credit,මුළු ණය
@@ -4513,6 +4570,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,කූපන් කොන්දේසි එකතු කරන්න / සංස්කරණය කරන්න
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,වියදම් / වෙනස ගිණුම ({0}) වන &#39;ලාභය හෝ අලාභය&#39; ගිණුම් විය යුතුය
 DocType: Stock Entry Detail,Stock Entry Child,කොටස් ඇතුළත් කිරීමේ දරුවා
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,ණය ආරක්ෂක ප්‍රති ledge ා සමාගම සහ ණය සමාගම සමාන විය යුතුය
 DocType: Project,Copied From,සිට පිටපත්
 DocType: Project,Copied From,සිට පිටපත්
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,සෑම බිල්පත් පැය සඳහාම දැනටමත් නිර්මාණය කර ඇති ඉන්වොයිසිය
@@ -4521,6 +4579,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,මූල්ය පිරිවැය
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,සේවක {0} සඳහා සහභාගි වන විටත් ලකුණු කර ඇත
 DocType: Packing Slip,If more than one package of the same type (for print),එකම වර්ගයේ (මුද්රිත) එකකට වඩා වැඩි පැකේජය නම්
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,කරුණාකර අධ්‍යාපන&gt; අධ්‍යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,රෙස්ටුරන්ට් සැකසීම් තුළ ප්රකෘති පාරිභෝගිකයා සකසන්න
 ,Salary Register,වැටුප් රෙජිස්ටර්
 DocType: Company,Default warehouse for Sales Return,විකුණුම් ප්‍රතිලාභ සඳහා පෙරනිමි ගබඩාව
@@ -4565,7 +4624,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,වත්මන් අනුක්‍රමික අංකය
 DocType: Employee,Attendance and Leave Details,පැමිණීම සහ නිවාඩු විස්තර
 ,BOM Comparison Tool,BOM සංසන්දනාත්මක මෙවලම
-,Requested,ඉල්ලා
+DocType: Loan Security Pledge,Requested,ඉල්ලා
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,කිසිදු සටහන්
 DocType: Asset,In Maintenance,නඩත්තු කිරීම
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ඔබේ විකුණුම් නියෝගය Amazon MWS වෙතින් ලබා ගැනීම සඳහා මෙම බොත්තම ක්ලික් කරන්න.
@@ -4577,7 +4636,6 @@
 DocType: Drug Prescription,Drug Prescription,ඖෂධ නියම කිරීම
 DocType: Service Level,Support and Resolution,සහාය සහ විසර්ජනය
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,නොමිලේ අයිතම කේතය තෝරා නොමැත
-DocType: Loan,Repaid/Closed,ආපසු ගෙවන / වසා
 DocType: Amazon MWS Settings,CA,සීඒ
 DocType: Item,Total Projected Qty,මුලූ ව්යාපෘතිමය යවන ලද
 DocType: Monthly Distribution,Distribution Name,බෙදා හැරීම නම
@@ -4609,6 +4667,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,කොටස් සඳහා මුල්ය සටහන්
 DocType: Lab Test,LabTest Approver,LabTest අනුමැතිය
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,තක්සේරු නිර්ණායක {} සඳහා ඔබ දැනටමත් තක්සේරු කර ඇත.
+DocType: Loan Security Shortfall,Shortfall Amount,හිඟ මුදල
 DocType: Vehicle Service,Engine Oil,එන්ජින් ඔයිල්
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},රැකියා ඇණවුම් නිර්මාණය: {0}
 DocType: Sales Invoice,Sales Team1,විකුණුම් Team1
@@ -4625,6 +4684,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,වාසස්ථාන තත්ත්වය
 DocType: Purchase Invoice,Apply Additional Discount On,අදාළ අතිරේක වට්ටම් මත
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,වර්ගය තෝරන්න ...
+DocType: Loan Interest Accrual,Amounts,මුදල්
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,ඔබේ ප්රවේශපත්
 DocType: Account,Root Type,මූල වර්ගය
 DocType: Item,FIFO,FIFO
@@ -4632,6 +4692,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},ෙරෝ # {0}: {1} අයිතමය සඳහා {2} වඩා වැඩි ආපසු නොහැක
 DocType: Item Group,Show this slideshow at the top of the page,පිටුවේ ඉහළ ඇති මෙම අතිබහුතරයකගේ පෙන්වන්න
 DocType: BOM,Item UOM,අයිතමය UOM
+DocType: Loan Security Price,Loan Security Price,ණය ආරක්ෂණ මිල
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),වට්ටම් මුදල (සමාගම ව්යවහාර මුදල්) පසු බදු මුදල
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ඉලක්ක ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ
 apps/erpnext/erpnext/config/retail.py,Retail Operations,සිල්ලර මෙහෙයුම්
@@ -4768,6 +4829,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},කණ්ඩායම පේළිය {0} අනිවාර්ය වේ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},කණ්ඩායම පේළිය {0} අනිවාර්ය වේ
 DocType: Company,Default Buying Terms,පෙරනිමි මිලදී ගැනීමේ නියමයන්
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,ණය බෙදා හැරීම
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,සපයා මිලදී රිසිට්පත අයිතමය
 DocType: Amazon MWS Settings,Enable Scheduled Synch,උපලේඛනගත Synch සක්රිය කරන්න
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,දිනයවේලාව කිරීමට
@@ -4859,6 +4921,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,යෝජනාව / මිළ ගණන්
 DocType: Antibiotic,Healthcare,සෞඛ්ය සත්කාර
 DocType: Target Detail,Target Detail,ඉලක්ක විස්තර
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,ණය ක්‍රියාවලි
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,තනි ප්රභේදනය
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,සියලු රැකියා
 DocType: Sales Order,% of materials billed against this Sales Order,මෙම වෙළෙඳ න්යාය එරෙහිව ගොඩනගන ද්රව්ය%
@@ -4920,7 +4983,7 @@
 DocType: Item,Reorder level based on Warehouse,ගබඩාව මත පදනම් මොහොත මට්ටමේ
 DocType: Activity Cost,Billing Rate,බිල්පත් අනුපාතය
 ,Qty to Deliver,ගලවාගනියි යවන ලද
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,විසර්ජන ප්‍රවේශය සාදන්න
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,විසර්ජන ප්‍රවේශය සාදන්න
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,මෙම දිනයෙන් පසු Amazon විසින් දත්ත යාවත්කාලීන කරනු ලැබේ
 ,Stock Analytics,කොටස් විශ්ලේෂණ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,මෙහෙයුම් හිස්ව තැබිය නොහැක
@@ -4953,6 +5016,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,බාහිර අනුකලනයන් ඉවත් කරන්න
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,අනුරූප ගෙවීමක් තෝරන්න
 DocType: Pricing Rule,Item Code,අයිතමය සංග්රහයේ
+DocType: Loan Disbursement,Pending Amount For Disbursal,බෙදා හැරීම සඳහා ඉතිරිව ඇති මුදල
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,වගකීම් / විදේශ මුදල් හුවමාරු කරන්නන් විස්තර
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,සිසුන් ක්රියාකාරකම් පදනම් කණ්ඩායම සඳහා තෝරා
@@ -4978,6 +5042,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,එකතුව
 DocType: Landed Cost Item,Receipt Document,රිසිට්පත ලේඛන
 DocType: Employee Education,School/University,පාසල් / විශ්ව
+DocType: Loan Security Pledge,Loan  Details,ණය විස්තර
 DocType: Sales Invoice Item,Available Qty at Warehouse,ගබඩා ලබා ගත හැක යවන ලද
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,බිල්පතක් මුදල
 DocType: Share Transfer,(including),(ඇතුලුව)
@@ -5001,6 +5066,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,කණ්ඩායම්
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,ගිණුම් විසින් සමූහ
 DocType: Purchase Invoice,Hold Invoice,ඉන්වොයිසිය තබන්න
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,ප්‍රති ledge ා තත්ත්වය
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,කරුණාකර සේවකයා තෝරන්න
 DocType: Sales Order,Fully Delivered,සම්පූර්ණයෙන්ම භාර
 DocType: Promotional Scheme Price Discount,Min Amount,අවම මුදල
@@ -5010,7 +5076,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},උපෙයෝජන ණය මුදල {0} ට වඩා වැඩි විය නොහැක
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},පේළිය {0} # වෙන් කළ ප්රමාණය {1} නොලැබූ මුදලට වඩා විශාල විය නොහැක {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},විෂය {0} සඳහා අවශ්ය මිලදී ගැනීමේ නියෝගයක් අංකය
 DocType: Leave Allocation,Carry Forwarded Leaves,ඉදිරියට ගෙන ගිය කොළ රැගෙන යන්න
@@ -5038,6 +5103,7 @@
 DocType: Pick List Item,Serial No and Batch,අනු අංකය හා කණ්ඩායම
 DocType: Warranty Claim,From Company,සමාගම වෙතින්
 DocType: GSTR 3B Report,January,ජනවාරි
+DocType: Loan Repayment,Principal Amount Paid,ගෙවන ලද ප්‍රධාන මුදල
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,තක්සේරු නිර්ණායකයන් ලකුණු මුදලක් {0} විය යුතුය.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,වෙන් කරවා අගය පහත සංඛ්යාව සකස් කරන්න
 DocType: Supplier Scorecard Period,Calculations,ගණනය කිරීම්
@@ -5064,6 +5130,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ඔබේ සමාගම ගැන
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,කොටස් වයස්ගත දත්ත පෙන්වන්න
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ගිණුමක් සඳහා ක්රෙඩිට් ශේෂ පත්රය ගිණුමක් විය යුතුය
+DocType: Loan Repayment,Penalty Amount,දඩ මුදල
 DocType: Donor,Donor,ඩොනර්
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,අයිතම සඳහා බදු යාවත්කාලීන කරන්න
 DocType: Global Defaults,Disable In Words,වචන දී අක්රීය
@@ -5093,6 +5160,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,පිරිවැය මධ්‍යස්ථානය සහ අයවැයකරණය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ශේෂ කොටස් විවෘත
 DocType: Appointment,CRM,සී.ආර්.එම්
+DocType: Loan Repayment,Partial Paid Entry,අර්ධ ගෙවුම් ප්‍රවේශය
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,කරුණාකර ගෙවීම් කාලසටහන සකසන්න
 DocType: Pick List,Items under this warehouse will be suggested,මෙම ගබඩාව යටතේ ඇති අයිතම යෝජනා කෙරේ
 DocType: Purchase Invoice,N,එම්
@@ -5124,7 +5192,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,සැපයුම්කරුවන් ලබා ගන්න
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} අයිතමයට {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,මුද්රිතයේ ඇතුළත් කර ඇති බදු පෙන්වන්න
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","බැංකු ගිණුම, දිනය හා දිනය දක්වා වේ"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,පණිවිඩය යැව්වා
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය ලෙස සැකසීම කළ නොහැකි
 DocType: C-Form,II,දෙවන
@@ -5138,6 +5205,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,ස්වයංක්‍රීය නැවත ඇණවුම සක්‍රීය කරන්න
 DocType: Stock Settings,Item Naming By,කිරීම අනුප්රාප්තිකයා නම් කිරීම අයිතමය
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},{0} {1} පසු කර තිබේ තවත් කාලය අවසාන සටහන්
+DocType: Proposed Pledge,Proposed Pledge,යෝජිත පොරොන්දුව
 DocType: Work Order,Material Transferred for Manufacturing,නිෂ්පාදන කම්කරුවන් සඳහා වන ස්ථාන මාරුවී ද්රව්ය
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,ගිණුම {0} පවතින්නේ නැත
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ලෝයල්ටි වැඩසටහන තෝරන්න
@@ -5148,7 +5216,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",", {0} වෙත සිදුවීම් කිරීම විකුණුම් පුද්ගලයන් පහත අනුයුක්ත සේවක වූ පරිශීලක අනන්යාංකය {1} සිදු නොවන බැවිනි"
 DocType: Timesheet,Billing Details,බිල්ගත විස්තර
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,මූලාශ්රය සහ ඉලක්කය ගබඩා සංකීර්ණය වෙනස් විය යුතුය
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්&gt; මානව සම්පත් සැකසුම් තුළ සකසන්න
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ගෙවීම් අසාර්ථකයි. වැඩි විස්තර සඳහා ඔබගේ GoCardless ගිණුම පරීක්ෂා කරන්න
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} කට වඩා පැරණි කොටස් ගනුදෙනු යාවත්කාලීන කිරීමට අවසර නැත
 DocType: Stock Entry,Inspection Required,පරීක්ෂණ අවශ්ය
@@ -5161,6 +5228,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,වැඩසටහන
+DocType: Unpledge,Against Pledge,ප්‍රති ledge ාවට එරෙහිව
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,මෙම භූමිකාව ඇති පරිශීලකයන්ට ශීත කළ ගිණුම් සකස් කිරීම හා නිර්මාණ / ශීත කළ ගිණුම් එරෙහිව ගිණුම් සටහන් ඇතුළත් කිරීම් වෙනස් කිරීමට අවසර ඇත
 DocType: Plaid Settings,Plaid Environment,ප්ලයිඩ් පරිසරය
 ,Project Billing Summary,ව්‍යාපෘති බිල් කිරීමේ සාරාංශය
@@ -5213,6 +5281,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,කාණ්ඩ
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,පත්වීම් දින ගණන කල්තියා වෙන් කරවා ගත හැකිය
 DocType: Article,LMS User,LMS පරිශීලකයා
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,සුරක්ෂිත ණය සඳහා ණය ආරක්ෂණ ප්‍රති ledge ාව අනිවාර්ය වේ
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),සැපයුම් ස්ථානය (රාජ්‍ය / යූටී)
 DocType: Purchase Order Item Supplied,Stock UOM,කොටස් UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,මිලදී ගැනීමේ නියෝගයක් {0} ඉදිරිපත් කර නැත
@@ -5286,6 +5355,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,රැකියා කාඩ්පතක් සාදන්න
 DocType: Quotation,Referral Sales Partner,යොමු විකුණුම් සහකරු
 DocType: Quality Procedure Process,Process Description,ක්‍රියාවලි විස්තරය
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","ඉවත් කළ නොහැක, ණය ආරක්ෂණ වටිනාකම ආපසු ගෙවූ මුදලට වඩා වැඩිය"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,පාරිභෝගිකයා {0} නිර්මාණය වේ.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,දැනට කිසිදු ගබඩාවක් නොමැත
 ,Payment Period Based On Invoice Date,ගෙවීම් කාලය ඉන්වොයිසිය දිනය පදනම්
@@ -5305,7 +5375,7 @@
 DocType: Asset,Insurance Details,රක්ෂණ විස්තර
 DocType: Account,Payable,ගෙවිය යුතු
 DocType: Share Balance,Share Type,කොටස් වර්ගය
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,ණය ආපසු ගෙවීමේ කාල සීමාවක් ඇතුල් කරන්න
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,ණය ආපසු ගෙවීමේ කාල සීමාවක් ඇතුල් කරන්න
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ණය ගැතියන් ({0})
 DocType: Pricing Rule,Margin,ආන්තිකය
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,නව ගනුදෙනුකරුවන්
@@ -5314,6 +5384,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,ඊයම් ප්රභවය මගින් ඇති අවස්ථා
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS පැතිකඩ බලන්න
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,ණය සුරක්‍ෂිතතාවය සඳහා Qty හෝ මුදල මැන්ඩට්‍රෝයි
 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,Assessment Report,තක්සේරු වාර්තාව
@@ -5348,6 +5419,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share ලෙජරය
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,විකුණුම් ඉන්වොයිසිය {0} සෑදී ඇත
 DocType: Employee,Confirmation Date,ස්ථිර කිරීම දිනය
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා <a href=""#Form/Employee/{0}"">{0}</a> delete මකන්න"
 DocType: Inpatient Occupancy,Check Out,පරීක්ෂාකාරී වන්න
 DocType: C-Form,Total Invoiced Amount,මුළු ඉන්වොයිස් මුදල
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,යි යවන ලද මැක්ස් යවන ලද වඩා වැඩි විය නොහැකි
@@ -5360,7 +5433,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ක්ෂණික පොත් සමාගම් හැඳුනුම්පත
 DocType: Travel Request,Travel Funding,සංචාරක අරමුදල්
 DocType: Employee Skill,Proficiency,ප්‍රවීණතාවය
-DocType: Loan Application,Required by Date,දිනය අවශ්ය
 DocType: Purchase Invoice Item,Purchase Receipt Detail,කුවිතාන්සි විස්තර මිලදී ගන්න
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,බෝග වර්ධනය වන සියලු ස්ථාන වලට සබැඳියක්
 DocType: Lead,Lead Owner,ඊයම් න
@@ -5379,7 +5451,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,වත්මන් ද්රව්ය ලේඛණය හා නව ද්රව්ය ලේඛණය සමාන විය නොහැකි
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,වැටුප් පුරවා හැඳුනුම්පත
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,විශ්රාම ගිය දිනය සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,සැපයුම්කරු&gt; සැපයුම්කරු වර්ගය
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,බහු ප්රභේද
 DocType: Sales Invoice,Against Income Account,ආදායම් ගිණුම එරෙහිව
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% භාර
@@ -5412,7 +5483,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,තක්සේරු වර්ගය චෝදනා සියල්ල ඇතුළත් ලෙස සලකුණු නොහැකි
 DocType: POS Profile,Update Stock,කොටස් යාවත්කාලීන
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,ගෙවීම් තොරතුරු
+DocType: Loan Repayment,Payment Details,ගෙවීම් තොරතුරු
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,ද්රව්ය ලේඛණය අනුපාතිකය
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,උඩුගත කළ ගොනුව කියවීම
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",නව වැඩ පිළිවෙළ නවතා දැමිය නොහැක
@@ -5446,6 +5517,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,උපරිම ණය වටිනාකම
 ,Stock Ledger,කොටස් ලේජර
 DocType: Company,Exchange Gain / Loss Account,විනිමය ලාභ / අලාභ ගිණුම්
 DocType: Amazon MWS Settings,MWS Credentials,MWS අක්තපත්ර
@@ -5554,7 +5626,6 @@
 DocType: Fee Schedule,Fee Schedule,ගාස්තු උපෙල්ඛනෙය්
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,තීරු ලේබල:
 DocType: Bank Transaction,Settled,පදිංචි විය
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,ණය ආපසු ගෙවීමේ දිනය ණය ආපසු ගෙවීමේ ආරම්භක දිනයට පසුව විය නොහැක
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,සෙස්
 DocType: Quality Feedback,Parameters,පරාමිතීන්
 DocType: Company,Create Chart Of Accounts Based On,ගිණුම් පදනම් කරගත් මත සටහන නිර්මාණය
@@ -5574,6 +5645,7 @@
 DocType: Customer,Credit Limit and Payment Terms,ණය සීමාව සහ ගෙවීම් නියමයන්
 DocType: Loyalty Program,Collection Rules,එකතු කිරීමේ නීති
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,අයිතමය 3
+DocType: Loan Security Shortfall,Shortfall Time,හිඟ කාලය
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ඇණවුම
 DocType: Purchase Order,Customer Contact Email,පාරිභෝගික ඇමතුම් විද්යුත්
 DocType: Warranty Claim,Item and Warranty Details,භාණ්ඩය හා Warranty විස්තර
@@ -5593,12 +5665,14 @@
 DocType: Sales Person,Sales Person Name,විකුණුම් පුද්ගලයා නම
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,වගුවේ බෙ 1 ඉන්වොයිස් ඇතුලත් කරන්න
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,කිසිඳු පරීක්ෂණයක් නොලැබුණි
+DocType: Loan Security Shortfall,Security Value ,ආරක්ෂක වටිනාකම
 DocType: POS Item Group,Item Group,අයිතමය සමූහ
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ශිෂ්ය කණ්ඩායම:
 DocType: Depreciation Schedule,Finance Book Id,මූල්ය පොත් අංකය
 DocType: Item,Safety Stock,ආරක්ෂාව කොටස්
 DocType: Healthcare Settings,Healthcare Settings,සෞඛ්ය ආරක්ෂණ සැකසුම්
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,සමස්ථ වෙන් කළ කොළ
+DocType: Appointment Letter,Appointment Letter,පත්වීම් ලිපිය
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},{0} වෙත
@@ -5653,6 +5727,7 @@
 DocType: Stock Entry,From BOM,ද්රව්ය ලේඛණය සිට
 DocType: Assessment Code,Assessment Code,තක්සේරු සංග්රහයේ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,මූලික
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,ගනුදෙනුකරුවන්ගෙන් සහ සේවකයින්ගෙන් ණය අයදුම්පත්.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} කැටි වේ කොටස් ගනුදෙනු පෙර
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&#39;උත්පාදනය උපෙල්ඛනෙය්&#39; මත ක්ලික් කරන්න
 DocType: Job Card,Current Time,දැන් වේලාව
@@ -5679,7 +5754,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,ග්රාන්ට්
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,කිසිදු ශිෂ්ය කණ්ඩායම් නිර්මාණය.
 DocType: Purchase Invoice Item,Serial No,අනුක්රමික අංකය
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,මාසික නැවත ගෙවීමේ ප්රමාණය ණය මුදල වඩා වැඩි විය නොහැකි
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,මාසික නැවත ගෙවීමේ ප්රමාණය ණය මුදල වඩා වැඩි විය නොහැකි
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Maintaince විස්තර පළමු ඇතුලත් කරන්න
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,පේළිය # {0}: අපේක්ෂිත සැපයුම් දිනය මිලදී ගැනීමේ නියෝගය දිනට පෙර නොවිය හැක
 DocType: Purchase Invoice,Print Language,මුද්රණය භාෂා
@@ -5692,6 +5767,7 @@
 DocType: Asset,Finance Books,මුදල් පොත්
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,සේවක බදු නිදහස් කිරීමේ ප්රකාශය වර්ගය
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,සියලු ප්රදේශ
+DocType: Plaid Settings,development,වර්ධනය
 DocType: Lost Reason Detail,Lost Reason Detail,නැතිවූ හේතුව විස්තර
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,සේවක / ශ්රේණිගත වාර්තාවෙහි සේවකයා {0} සඳහා නිවාඩු ප්රතිපත්තිය සකස් කරන්න
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,තෝරාගත් පාරිභෝගිකයා සහ අයිතමය සඳහා වලංගු නොවන නිමි භාණ්ඩයක්
@@ -5756,12 +5832,14 @@
 DocType: Staffing Plan Detail,Current Openings,වත්මන් විවෘත කිරීම්
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,මෙහෙයුම් වලින් මුදල් ප්රවාහ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST මුදල
+DocType: Vehicle Log,Current Odometer value ,වත්මන් ඕඩෝමීටර අගය
 apps/erpnext/erpnext/utilities/activation.py,Create Student,ශිෂ්යයා නිර්මාණය කරන්න
 DocType: Asset Movement Item,Asset Movement Item,වත්කම් චලනය අයිතමය
 DocType: Purchase Invoice,Shipping Rule,නැව් පාලනය
 DocType: Patient Relation,Spouse,කලත්රයා
 DocType: Lab Test Groups,Add Test,ටෙස්ට් එකතු කරන්න
 DocType: Manufacturer,Limited to 12 characters,අක්ෂර 12 කට සීමා
+DocType: Appointment Letter,Closing Notes,සංවෘත සටහන්
 DocType: Journal Entry,Print Heading,මුද්රණය ශීර්ෂය
 DocType: Quality Action Table,Quality Action Table,තත්ත්ව ක්‍රියාකාරී වගුව
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,මුළු ශුන්ය විය නොහැකි
@@ -5828,6 +5906,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,විකුණුම් සාරාංශය
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),එකතුව (ඒඑම්ටී)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,විනෝදාස්වාදය සහ විනෝද
+DocType: Loan Security,Loan Security,ණය ආරක්ෂාව
 ,Item Variant Details,අයිතම ප්රභේද විස්තරය
 DocType: Quality Inspection,Item Serial No,අයිතමය අනු අංකය
 DocType: Payment Request,Is a Subscription,දායකත්වයක් යනු කුමක්ද?
@@ -5840,7 +5919,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,නවතම වයස
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,උපලේඛනගත හා ඇතුළත් කළ දිනයන් අදට වඩා අඩු විය නොහැක
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ද්‍රව්‍ය සැපයුම්කරු වෙත මාරු කරන්න
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ඊඑම්අයි
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,නව අනු අංකය ගබඩා තිබිය නොහැකිය. පොත් ගබඩාව කොටස් සටහන් හෝ මිළදී රිසිට්පත විසින් තබා ගත යුතු
 DocType: Lead,Lead Type,ඊයම් වර්ගය
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,උපුටා දැක්වීම් සාදන්න
@@ -5856,7 +5934,6 @@
 DocType: Leave Allocation,Leave Period,නිවාඩු කාලය
 DocType: Item,Default Material Request Type,පෙරනිමි ද්රව්ය ඉල්ලීම් වර්ගය
 DocType: Supplier Scorecard,Evaluation Period,ඇගයීම් කාලය
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,පාරිභෝගික&gt; පාරිභෝගික කණ්ඩායම&gt; ප්‍රදේශය
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,නොදන්නා
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,වැඩ පිළිවෙල නිර්මාණය කර නැත
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5941,7 +6018,8 @@
 ,Customer-wise Item Price,පාරිභෝගිකයා අනුව අයිතමයේ මිල
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,මුදල් ප්රවාහ ප්රකාශය
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,කිසිදු ද්රව්යමය ඉල්ලීමක් නිර්මාණය කර නැත
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ණය මුදල {0} උපරිම ණය මුදල ඉක්මවා නො හැකි
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},ණය මුදල {0} උපරිම ණය මුදල ඉක්මවා නො හැකි
+DocType: Loan,Loan Security Pledge,ණය ආරක්ෂක පොරොන්දුව
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,බලපත්රය
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,ඔබ ද පෙර මූල්ය වර්ෂය ශේෂ මෙම මුදල් වසරේදී පිටත්ව ඇතුළත් කිරීමට අවශ්ය නම් ඉදිරියට ගෙන කරුණාකර තෝරා
@@ -5959,6 +6037,7 @@
 DocType: Pricing Rule,Price Discount Scheme,මිල වට්ටම් යෝජනා ක්‍රමය
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,නඩත්තු කිරීමේ තත්වය අවලංගු කිරීමට හෝ සම්පූර්ණ කිරීමට ඉදිරිපත් කළ යුතුය
 DocType: Amazon MWS Settings,US,එක්සත් ජනපදය
+DocType: Loan Security Pledge,Pledged,ප්‍රති led ා දී ඇත
 DocType: Holiday List,Add Weekly Holidays,සතිපතා නිවාඩු දින එකතු කරන්න
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,අයිතමය වාර්තා කරන්න
 DocType: Staffing Plan Detail,Vacancies,පුරප්පාඩු
@@ -5976,7 +6055,6 @@
 DocType: Production Plan Item,Planned Start Date,සැලසුම් ඇරඹුම් දිනය
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,කරුණාකර BOM එකක් තෝරන්න
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC ඒකාබද්ධ බදු අනුපමාණය
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,ආපසු ගෙවීමේ ප්‍රවේශය සාදන්න
 DocType: Purchase Order Item,Blanket Order Rate,නිමි ඇඳුම් මිල
 ,Customer Ledger Summary,පාරිභෝගික ලෙජර් සාරාංශය
 apps/erpnext/erpnext/hooks.py,Certification,සහතික කිරීම
@@ -5997,6 +6075,7 @@
 DocType: Appraisal Template,Appraisal Template Title,ඇගයීෙම් සැකිල්ල හිමිකම්
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,වාණිජ
 DocType: Patient,Alcohol Current Use,මත්පැන් භාවිතය
+DocType: Loan,Loan Closure Requested,ණය වසා දැමීම ඉල්ලා ඇත
 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,බදු ඉවත් කිරීමේ වර්ගය
@@ -6020,6 +6099,7 @@
 DocType: Opening Invoice Creation Tool,Sales,විකුණුම්
 DocType: Stock Entry Detail,Basic Amount,මූලික මුදල
 DocType: Training Event,Exam,විභාග
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,ක්‍රියාවලි ණය ආරක්ෂණ හිඟය
 DocType: Email Campaign,Email Campaign,ඊමේල් ව්‍යාපාරය
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,වෙළඳපල වැරැද්ද
 DocType: Complaint,Complaint,පැමිණිල්ලක්
@@ -6123,6 +6203,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,පාවිච්චි කළ කොළ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,ද්‍රව්‍යමය ඉල්ලීම ඉදිරිපත් කිරීමට ඔබට අවශ්‍යද?
 DocType: Job Offer,Awaiting Response,බලා සිටින ප්රතිචාර
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,ණය අනිවාර්ය වේ
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,ඉහත
 DocType: Support Search Source,Link Options,සබැඳි විකල්පයන්
@@ -6135,6 +6216,7 @@
 DocType: Training Event Employee,Optional,විකල්පයකි
 DocType: Salary Slip,Earning & Deduction,උපයන සහ අඩු කිරීම්
 DocType: Agriculture Analysis Criteria,Water Analysis,ජල විශ්ලේෂණය
+DocType: Pledge,Post Haircut Amount,කප්පාදුවේ මුදල
 DocType: Sales Order,Skip Delivery Note,බෙදා හැරීමේ සටහන මඟ හරින්න
 DocType: Price List,Price Not UOM Dependent,මිල UOM යැපෙන්නන් නොවේ
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} නිර්මාණය කර ඇත.
@@ -6161,6 +6243,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,නිෂ්පාදන පැකේජය සිට අයිතම ලබා ගන්න
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,කාලීන ණය සඳහා ආපසු ගෙවීමේ ක්‍රමය අනිවාර්ය වේ
 DocType: Asset,Straight Line,සරල රේඛාව
 DocType: Project User,Project User,ව්යාපෘති පරිශීලක
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,බෙදුණු
@@ -6209,7 +6292,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ශීත කළ ගිණුම් සහ සංස්කරණය කරන්න ශීත කළ අයැදුම්පත් සිටුවම් කිරීමට කාර්යභාරය
 DocType: Supplier Scorecard Scoring Variable,Path,මාර්ගය
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ලෙජර් පිරිවැය මධ්යස්ථානය බවට පත් කළ නොහැක එය ළමා මංසල කර ඇති පරිදි
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},අයිතමය සඳහා UOM පරිවර්තන සාධකය ({0} -&gt; {1}) හමු නොවීය: {2}
 DocType: Production Plan,Total Planned Qty,මුලුමනින් සැලසුම්ගත Q
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ගනුදෙනු දැනටමත් ප්රකාශයෙන් ලබාගෙන ඇත
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,විවෘත කළ අගය
@@ -6217,11 +6299,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,අනු #
 DocType: Material Request Plan Item,Required Quantity,අවශ්‍ය ප්‍රමාණය
 DocType: Lab Test Template,Lab Test Template,පරීක්ෂණ පරීක්ෂණ ආකෘතිය
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,සැපයුම්කරු&gt; සැපයුම්කරු වර්ගය
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,විකුණුම් ගිණුම
 DocType: Purchase Invoice Item,Total Weight,සම්පූර්ණ බර
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා <a href=""#Form/Employee/{0}"">{0}</a> delete මකන්න"
 DocType: Pick List Item,Pick List Item,ලැයිස්තු අයිතමය තෝරන්න
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,විකුණුම් මත කොමිසම
 DocType: Job Offer Term,Value / Description,අගය / විස්තරය
@@ -6267,6 +6346,7 @@
 DocType: Patient Encounter,Encounter Date,රැස්වීම් දිනය
 DocType: Work Order,Update Consumed Material Cost In Project,ව්යාපෘතියේ පරිභෝජනය කරන ද්රව්යමය පිරිවැය යාවත්කාලීන කරන්න
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ගිණුම: {0} මුදල් සමග: {1} තෝරා ගත නොහැකි
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,ගනුදෙනුකරුවන්ට සහ සේවකයින්ට ලබා දෙන ණය.
 DocType: Bank Statement Transaction Settings Item,Bank Data,බැංකු දත්ත
 DocType: Purchase Receipt Item,Sample Quantity,සාම්පල ප්රමාණය
 DocType: Bank Guarantee,Name of Beneficiary,ප්රතිලාභියාගේ නම
@@ -6333,7 +6413,6 @@
 DocType: Contract,Signed On,අත්සන් කර ඇත
 DocType: Bank Account,Party Type,පක්ෂය වර්ගය
 DocType: Discounted Invoice,Discounted Invoice,වට්ටම් ඉන්වොයිසිය
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,පැමිණීම ලෙස සලකුණු කරන්න <b></b>
 DocType: Payment Schedule,Payment Schedule,ගෙවීම් උපලේඛනය
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ලබා දී ඇති සේවක ක්ෂේත්‍ර වටිනාකම සඳහා කිසිදු සේවකයෙකු හමු නොවීය. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,කෙටි යෙදුම්
@@ -6427,7 +6506,6 @@
 DocType: Purchase Order,To Receive,ලබා ගැනීමට
 DocType: Leave Period,Holiday List for Optional Leave,විකල්ප නිවාඩු සඳහා නිවාඩු ලැයිස්තුව
 DocType: Item Tax Template,Tax Rates,බදු අනුපාත
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,අයිතම කේතය&gt; අයිතම සමූහය&gt; වෙළඳ නාමය
 DocType: Asset,Asset Owner,වත්කම් අයිතිකරු
 DocType: Item,Website Content,වෙබ් අඩවි අන්තර්ගතය
 DocType: Bank Account,Integration ID,ඒකාබද්ධ කිරීමේ හැඳුනුම්පත
@@ -6471,6 +6549,7 @@
 DocType: Customer,Mention if non-standard receivable account,සම්මත නොවන ලැබිය නම් සඳහන්
 DocType: Bank,Plaid Access Token,ප්ලයිඩ් ප්‍රවේශ ටෝකනය
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,කරුණාකර දැනට ඇති සංරචකය සඳහා ඉතිරි ප්රතිලාභ {0} එකතු කරන්න
+DocType: Bank Account,Is Default Account,පෙරනිමි ගිණුම වේ
 DocType: Journal Entry Account,If Income or Expense,ආදායම් හෝ වියදම් නම්
 DocType: Course Topic,Course Topic,පා se මාලා මාතෘකාව
 DocType: Bank Statement Transaction Entry,Matching Invoices,ගැලපුම් ඉන්වොයිසි
@@ -6482,7 +6561,7 @@
 DocType: Disease,Treatment Task,ප්රතිකාර කාර්යය
 DocType: Payment Order Reference,Bank Account Details,බැංකු ගිණුම් විස්තර
 DocType: Purchase Order Item,Blanket Order,බිල්ට් ඇණවුම
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ආපසු ගෙවීමේ මුදල වඩා වැඩි විය යුතුය
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ආපසු ගෙවීමේ මුදල වඩා වැඩි විය යුතුය
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,බදු වත්කම්
 DocType: BOM Item,BOM No,ද්රව්ය ලේඛණය නොමැත
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,විස්තර යාවත්කාලීන කරන්න
@@ -6538,6 +6617,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce නිෂ්පාදන
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},සූත්රයක් හෝ තත්ත්වය කාරක රීති දෝෂය: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,අයිතමය {0} නොසලකා එය කොටස් භාණ්ඩයක් නොවන නිසා
+,Loan Security Status,ණය ආරක්ෂණ තත්ත්වය
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","යම් ගනුදෙනුවක දී, මිල නියම කිරීම පාලනය අදාළ නොවේ කිරීම සඳහා, සියලු අදාල මිල ගණන් රීති අක්රිය කළ යුතුය."
 DocType: Payment Term,Day(s) after the end of the invoice month,ඉන්වොයිස් මාසය අවසන් වීමෙන් පසු දිනය
 DocType: Assessment Group,Parent Assessment Group,මව් තක්සේරු කණ්ඩායම
@@ -6552,7 +6632,6 @@
 DocType: Stock Entry Detail,Additional Cost,අමතර පිරිවැය
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","වවුචරයක් වර්ගීකරණය නම්, වවුචරයක් නොමැත මත පදනම් පෙරීමට නොහැකි"
 DocType: Quality Inspection,Incoming,ලැබෙන
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම&gt; අංකනය මාලාව හරහා සකසන්න
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,විකිණුම් සහ මිලදී ගැනීම සඳහා පෙරනිමි බදු ආකෘති නිර්මාණය කර ඇත.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,තක්සේරු ප්රතිඵල ප්රතිඵලය {0} දැනටමත් පවතී.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","උදාහරණය: ABCD. #####. කාණ්ඩ මාලාවක් සකසා ඇත්නම් සහ කාණ්ඩ අංක සඳහන් නොකරනු ලැබේ. පසුව මෙම ශ්රේණිය පදනම් කර ගත් ස්වයංක්රීය කාණ්ඩය වේ. මෙම අයිතමය සඳහා යාවත්කාලීන කිරීම සඳහා ඔබ සැමවිටම අවශ්ය නම්, මෙය හිස්ව තබන්න. සටහන: මෙම සැකසුම නාමකරණ අනුප්රාප්තිකය තුළ ඇති සැකසීම් වලදී ප්රමුඛතාව හිමිවනු ඇත."
@@ -6562,8 +6641,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,සමාලෝචනය ඉදිරිපත් කරන්න
 DocType: Contract,Party User,පක්ෂ පරිශීලක
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',පිරිසක් විසින් &#39;සමාගම&#39; නම් හිස් පෙරීමට සමාගම සකස් කරන්න
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,පාරිභෝගික&gt; පාරිභෝගික කණ්ඩායම&gt; ප්‍රදේශය
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,"ගිය තැන, දිනය අනාගත දිනයක් විය නොහැකි"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ෙරෝ # {0}: අනු අංකය {1} {2} {3} සමග නොගැලපේ
+DocType: Loan Repayment,Interest Payable,පොලී ගෙවිය යුතු
 DocType: Stock Entry,Target Warehouse Address,ඉලක්කගත ගබඩා ලිපිනය
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,අනියම් නිවාඩු
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,සේවක පිරික්සුම පැමිණීම සඳහා සලකා බලනු ලබන මාරුව ආරම්භක වේලාවට පෙර කාලය.
@@ -6689,6 +6770,7 @@
 DocType: Issue,Reset Service Level Agreement,සේවා මට්ටමේ ගිවිසුම යළි පිහිටුවන්න
 ,Sales Person-wise Transaction Summary,විකුණුම් පුද්ගලයා ප්රඥාවෙන් ගනුදෙනු සාරාංශය
 DocType: Training Event,Contact Number,ඇමතුම් අංකය
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,ණය මුදල අනිවාර්ය වේ
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,පොත් ගබඩාව {0} නොපවතියි
 DocType: Cashier Closing,Custody,භාරකාරත්වය
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,සේවක බදු නිදහස් කිරීම් ඔප්පු ඉදිරිපත් කිරීමේ විස්තර
@@ -6735,6 +6817,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ශේෂ යවන ලද
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,තෝරාගත් සියලුම අයිතම ඒකාබද්ධව කොන්දේසි අදාළ වේ.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,ඉලක්ක හිස් විය නොහැක
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,වැරදි ගබඩාව
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,සිසුන් ඇතුළත් කිරීම
 DocType: Item Group,Parent Item Group,මව් අයිතමය සමූහ
 DocType: Appointment Type,Appointment Type,පත්වීම් වර්ගය
@@ -6790,10 +6873,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,සාමාන්ය අනුපාතය
 DocType: Appointment,Appointment With,සමඟ පත්වීම
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ගෙවීම් කිරීමේ උපලේඛනයේ මුළු මුදල / ග්රෑන්ඩ් / වටලා ඇති මුළු එකතුව සමාන විය යුතුය
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,පැමිණීම ලෙස සලකුණු කරන්න <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;පාරිභෝගිකයා විසින් සපයනු ලබන අයිතමයට&quot; තක්සේරු අනුපාතයක් තිබිය නොහැක
 DocType: Subscription Plan Detail,Plan,සැලැස්ම
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,පොදු ලෙජරය අනුව බැංකු ප්රකාශය ඉතිරි
-DocType: Job Applicant,Applicant Name,අයදුම්කරු නම
+DocType: Appointment Letter,Applicant Name,අයදුම්කරු නම
 DocType: Authorization Rule,Customer / Item Name,පාරිභෝගික / අයිතම නම
 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**. 
 
@@ -6837,11 +6921,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,කොටස් ලෙජර් ප්රවේශය මෙම ගබඩා සංකීර්ණය සඳහා පවතින අයුරිනි ගබඩා සංකීර්ණය ඉවත් කල නොහැක.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,බෙදා හැරීම
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,පහත සඳහන් සේවකයින් දැනට මෙම සේවකයාට වාර්තා කරන බැවින් සේවක තත්ත්වය &#39;වමට&#39; සැකසිය නොහැක.
-DocType: Journal Entry Account,Loan,ණය
+DocType: Loan Repayment,Amount Paid,ු ර්
+DocType: Loan Security Shortfall,Loan,ණය
 DocType: Expense Claim Advance,Expense Claim Advance,වියදම් හිමිකම් අත්තිකාරම්
 DocType: Lab Test,Report Preference,වාර්තා අභිමතය
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ස්වේච්ඡා තොරතුරු.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,ව්යාපෘති කළමනාකරු
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,පාරිභෝගිකයා විසින් සමූහය
 ,Quoted Item Comparison,උපුටා අයිතමය සංසන්දනය
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} සහ {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,සරයක
@@ -6860,6 +6946,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","මාස්ටර් දත්ත සමමුහුර්ත, එය යම් කාලයක් ගත විය හැකියි"
 DocType: Material Request Plan Item,Material Issue,ද්රව්ය නිකුත්
 DocType: Employee Education,Qualification,සුදුසුකම්
+DocType: Loan Security Shortfall,Loan Security Shortfall,ණය ආරක්ෂණ හිඟය
 DocType: Item Price,Item Price,අයිතමය මිල
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,සබන් සහ ඩිටර්ජන්ට්
 DocType: BOM,Show Items,අයිතම පෙන්වන්න
@@ -6880,13 +6967,13 @@
 DocType: Appointment Booking Settings,Appointment Details,පත්වීම් විස්තර
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,නිමි භාණ්ඩය
 DocType: Warehouse,Warehouse Name,පොත් ගබඩාව නම
+DocType: Loan Security Pledge,Pledge Time,ප්‍රති ledge ා කාලය
 DocType: Naming Series,Select Transaction,ගනුදෙනු තෝරන්න
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,කාර්යභාරය අනුමත හෝ පරිශීලක අනුමත ඇතුලත් කරන්න
 DocType: Journal Entry,Write Off Entry,පිවිසුම් Off ලියන්න
 DocType: BOM,Rate Of Materials Based On,ද්රව්ය මත පදනම් මත අනුපාතය
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","සක්රීය නම්, වැඩසටහන් බඳවා ගැනීමේ මෙවලමෙහි ඇති ක්ෂේත්ර අධ්යයන වාරය අනිවාර්ය වේ."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","නිදහස් කරන ලද, ශ්‍රේණිගත නොකළ සහ ජීඑස්ටී නොවන අභ්‍යන්තර සැපයුම්වල වටිනාකම්"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,පාරිභෝගික&gt; පාරිභෝගික කණ්ඩායම&gt; ප්‍රදේශය
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>සමාගම</b> අනිවාර්ය පෙරණයකි.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,සියලු නොතේරූ නිසාවෙන්
 DocType: Purchase Taxes and Charges,On Item Quantity,අයිතමයේ ප්‍රමාණය මත
@@ -6932,7 +7019,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,හිඟය යවන ලද
 DocType: Purchase Invoice,Input Service Distributor,ආදාන සේවා බෙදාහරින්නා
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,අයිතමය ප්රභේද්යයක් {0} එම ලක්ෂණ සහිත පවතී
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,කරුණාකර අධ්‍යාපන&gt; අධ්‍යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න
 DocType: Loan,Repay from Salary,වැටුප් සිට ආපසු ගෙවීම
 DocType: Exotel Settings,API Token,API ටෝකන්
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},මුදල සඳහා {0} {1} එරෙහිව ගෙවීම් ඉල්ලා {2}
@@ -6951,6 +7037,7 @@
 DocType: Salary Slip,Total Interest Amount,මුළු පොළී ප්රමාණය
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ බඞු ගබඞාව ලෙජර් බවට පරිවර්තනය කළ නොහැකි
 DocType: BOM,Manage cost of operations,මෙහෙයුම් පිරිවැය කළමනාකරණය
+DocType: Unpledge,Unpledge,ඉවත් කරන්න
 DocType: Accounts Settings,Stale Days,ස්ටේට් ඩේව්
 DocType: Travel Itinerary,Arrival Datetime,පැමිණීම් දත්ත සටහන්
 DocType: Tax Rule,Billing Zipcode,බිල්ගත කිරීමේ ශිපෙක්
@@ -7132,6 +7219,7 @@
 DocType: Employee Transfer,Employee Transfer,සේවක ස්ථාන මාරු
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,පැය
 DocType: Project,Expected Start Date,අපේක්ෂිත ඇරඹුම් දිනය
+DocType: Work Order,This is a location where raw materials are available.,මෙය අමුද්‍රව්‍ය ලබා ගත හැකි ස්ථානයකි.
 DocType: Purchase Invoice,04-Correction in Invoice,ඉන්වොයිස් 04-නිවැරදි කිරීම
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM මගින් සියලු අයිතම සඳහා නිර්මාණය කරන ලද වැඩ පිළිවෙල
 DocType: Bank Account,Party Details,පක්ෂය විස්තර
@@ -7150,6 +7238,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,උපුටා දැක්වීම්:
 DocType: Contract,Partially Fulfilled,අර්ධ වශයෙන් සපුරා ඇත
 DocType: Maintenance Visit,Fully Completed,සම්පූර්ණයෙන්ම සම්පූර්ණ
+DocType: Loan Security,Loan Security Name,ණය ආරක්ෂණ නම
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; සහ &quot;}&quot; හැර විශේෂ අක්ෂර නම් කිරීමේ ශ්‍රේණියේ අවසර නැත"
 DocType: Purchase Invoice Item,Is nil rated or exempted,ශ්‍රේණිගත කර හෝ නිදහස් කර ඇත
 DocType: Employee,Educational Qualification,අධ්යාපන සුදුසුකම්
@@ -7207,6 +7296,7 @@
 DocType: Program,Is Featured,විශේෂාංග වේ
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ලබා ගැනීම ...
 DocType: Agriculture Analysis Criteria,Agriculture User,කෘෂිකර්ම පරිශීලක
+DocType: Loan Security Shortfall,America/New_York,ඇමරිකාව / නිව්_යෝක්
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,වලංගු වන දිනට ගනුදෙනු දිනට පෙර විය නොහැක
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,ශිෂ්ය ප්රවර්ගය
@@ -7282,8 +7372,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,ඔබ ශීත කළ අගය නියම කිරීමට අවසර නැත
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled අයැදුම්පත් ලබා ගන්න
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},සේවකයා {0} මත {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Journal Entry සඳහා තෝරාගත් ආපසු ගෙවීම් නොමැත
 DocType: Purchase Invoice,GST Category,GST කාණ්ඩය
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,සුරක්ෂිත ණය සඳහා යෝජිත ප්‍රති led ා අනිවාර්ය වේ
 DocType: Payment Reconciliation,From Invoice Date,ඉන්වොයිසිය දිනය
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,අයවැය
 DocType: Invoice Discounting,Disbursed,උපෙයෝජනය
@@ -7338,14 +7428,13 @@
 DocType: Restaurant,Active Menu,ක්රියාකාරී මෙනුව
 DocType: Accounting Dimension Detail,Default Dimension,පෙරනිමි මානය
 DocType: Target Detail,Target Qty,ඉලක්ක යවන ලද
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},ණයට එරෙහිව: {0}
 DocType: Shopping Cart Settings,Checkout Settings,ලොව පුරාවටම සැකසුම්
 DocType: Student Attendance,Present,වර්තමාන
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,සැපයුම් සටහන {0} ඉදිරිපත් නොකළ යුතුය
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","සේවකයාට විද්‍යුත් තැපැල් කරන වැටුප් පත්‍රය මුරපදයකින් ආරක්‍ෂා වනු ඇත, මුරපදය ප්‍රතිපත්තිය මත පදනම්ව මුරපදය ජනනය වේ."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,ගිණුම {0} වසා වර්ගය වගකීම් / කොටස් ගනුදෙනු විය යුතුය
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},සේවක වැටුප් පුරවා {0} දැනටමත් කාල පත්රය {1} සඳහා නිර්මාණය
-DocType: Vehicle Log,Odometer,Odometer
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,නියෝග යවන ලද
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,අයිතමය {0} අක්රීය කර ඇත
 DocType: Stock Settings,Stock Frozen Upto,කොටස් ශීත කළ තුරුත්
@@ -7400,7 +7489,6 @@
 DocType: Serial No,Delivery Document Type,සැපයුම් ලේඛන වර්ගය
 DocType: Sales Order,Partly Delivered,අර්ධ වශයෙන් භාර
 DocType: Item Variant Settings,Do not update variants on save,සුරැකීමේදී ප්රභේද යාවත්කාලීන නොකරන්න
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,කස්ට්මර් සමූහය
 DocType: Email Digest,Receivables,මුදල් ලැබිය
 DocType: Lead Source,Lead Source,ඊයම් ප්රභවය
 DocType: Customer,Additional information regarding the customer.,පාරිභෝගික සම්බන්ධ අතිරේක තොරතුරු.
@@ -7494,6 +7582,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,සැබෑ
 DocType: Appointment,Skype ID,ස්කයිප් හැඳුනුම්පත
 DocType: Restaurant Menu,Restaurant Manager,ආපනශාලා කළමනාකරු
+DocType: Loan,Penalty Income Account,දඩ ආදායම් ගිණුම
 DocType: Call Log,Call Log,ඇමතුම් ලැයිස්තුව
 DocType: Authorization Rule,Customerwise Discount,Customerwise වට්ටම්
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,කාර්යයන් සඳහා Timesheet.
@@ -7580,6 +7669,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,නිෂ්පාදන වට්ටම් යෝජනා ක්‍රමය
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,අමතන්නා විසින් කිසිදු ගැටළුවක් මතු කර නොමැත.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,සැපයුම්කරු විසින් සමූහය
 DocType: Restaurant Reservation,Waitlisted,බලාගෙන ඉන්න
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,බදු නිදහස් කාණ්ඩ
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ව්යවහාර මුදල් ෙවනත් මුදල් භාවිතා සටහන් කිරීමෙන් පසුව එය වෙනස් කළ නොහැක
@@ -7590,7 +7680,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,උපදේශන
 DocType: Subscription Plan,Based on price list,මිල ලැයිස්තුව මත පදනම්ව
 DocType: Customer Group,Parent Customer Group,මව් කස්ටමර් සමූහයේ
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ඊ-වේ බිල් JSON උත්පාදනය කළ හැක්කේ විකුණුම් ඉන්වොයිසියෙනි
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,මෙම ප්‍රශ්නාවලිය සඳහා උපරිම උත්සාහයන් ළඟා විය!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,දායකත්වය
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ගාස්තු නිර්මාණ ඉදිරිපත් කිරීම
@@ -7607,6 +7696,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,නිවාරණ නඩත්තු කිරීම
 DocType: Delivery Note Item,Against Sales Invoice,විකුණුම් ඉන්වොයිසිය එරෙහිව
 DocType: Purchase Invoice,07-Others,07-අන්යයෝ
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,මිල ගණන්
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,serialized අයිතමය සඳහා අනුක්රමික අංක ඇතුලත් කරන්න
 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. ,ඔබ මත පාඨමාලා කණ්ඩායම් ඇති කරමින් කණ්ඩායම සලකා බැලීමට අවශ්ය නැති නම් පරීක්ෂාවෙන් තොරව තබන්න.
@@ -7716,6 +7806,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ගෙවීම් ලදුපත සටහන
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,මෙය මේ පාරිභෝගික එරෙහිව ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහනකට බලන්න
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,ද්‍රව්‍යමය ඉල්ලීමක් සාදන්න
+DocType: Loan Interest Accrual,Pending Principal Amount,ප්‍රධාන මුදල ඉතිරිව තිබේ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,පාඨමාලා නැණවත් ඇගයීම් වාර්තාව
@@ -7756,6 +7847,7 @@
 DocType: Loyalty Point Entry,Purchase Amount,මිලදී ගැනීම මුදල
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,සැපයුම්කරු උද්ධෘත {0} නිර්මාණය
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge වර්ගය
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,අවසන් වසර ආරම්භය අවුරුද්දට පෙර විය නොහැකි
 DocType: Employee Benefit Application,Employee Benefits,සේවක ප්රතිලාභ
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,සේවක හැදුනුම්පත
@@ -7838,6 +7930,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,පාඨමාලා කේතය:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ගෙවීමේ ගිණුම් ඇතුලත් කරන්න
 DocType: Quality Action Resolution,Problem,ගැටලුව
+DocType: Loan Security Type,Loan To Value Ratio,අගය අනුපාතයට ණය
 DocType: Account,Stock,කොටස්
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය මිලදී ගැනීමේ නියෝගයක්, මිලදී ගැනීම ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය"
 DocType: Employee,Current Address,වර්තමාන ලිපිනය
@@ -7855,6 +7948,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,බැංකු ප්රකාශය
 DocType: Sales Invoice Item,Discount and Margin,වට්ටමක් සහ ආන්තිකය
 DocType: Lab Test,Prescription,බෙහෙත් වට්ටෝරුව
+DocType: Process Loan Security Shortfall,Update Time,යාවත්කාලීන කාලය
 DocType: Import Supplier Invoice,Upload XML Invoices,XML ඉන්වොයිසි උඩුගත කරන්න
 DocType: Company,Default Deferred Revenue Account,පෙරගෙවුම්කාලීන ආදායම් ගිණුම
 DocType: Project,Second Email,දෙවන විද්යුත් තැපෑල
@@ -7868,7 +7962,7 @@
 DocType: Quality Action,Preventive,වැළැක්වීම
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ලියාපදිංචි නොකළ පුද්ගලයින්ට සැපයුම්
 DocType: Company,Date of Incorporation,සංස්ථාගත කිරීමේ දිනය
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,මුළු බදු
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,මුළු බදු
 DocType: Manufacturing Settings,Default Scrap Warehouse,පෙරනිමි සීරීම් ගබඩාව
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,අවසන් මිලදී ගැනීමේ මිල
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ප්රමාණ සඳහා (නිශ්පාදිත යවන ලද) අනිවාර්ය වේ
@@ -7887,6 +7981,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ගෙවීමේ පෙරනිමි ආකාරය සකසන්න
 DocType: Stock Entry Detail,Against Stock Entry,කොටස් ප්‍රවේශයට එරෙහිව
 DocType: Grant Application,Withdrawn,ඉල්ලා අස්කර
+DocType: Loan Repayment,Regular Payment,නිතිපතා ගෙවීම
 DocType: Support Search Source,Support Search Source,සෙවුම් මූලාශ්රය සහාය
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,අයකිරීම
 DocType: Project,Gross Margin %,දළ ආන්තිකය%
@@ -7900,8 +7995,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,බදු ගෙවීමකින් තොරව
 DocType: BOM Operation,BOM Operation,ද්රව්ය ලේඛණය මෙහෙයුම
 DocType: Purchase Taxes and Charges,On Previous Row Amount,පසුගිය ෙරෝ මුදල මත
+DocType: Student,Home Address,නිවසේ ලිපිනය
 DocType: Options,Is Correct,නිවැරදි ය
 DocType: Item,Has Expiry Date,කල් ඉකුත්වන දිනය
+DocType: Loan Repayment,Paid Accrual Entries,ගෙවන උපචිත සටහන්
+DocType: Loan Security,Loan Security Type,ණය ආරක්ෂණ වර්ගය
 apps/erpnext/erpnext/config/support.py,Issue Type.,නිකුත් කිරීමේ වර්ගය.
 DocType: POS Profile,POS Profile,POS නරඹන්න
 DocType: Training Event,Event Name,අවස්ථාවට නම
@@ -7913,6 +8011,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","අයවැය සැකසීම සඳහා යමක සෘතුමය බලපෑම, ඉලක්ක ආදිය"
 apps/erpnext/erpnext/www/all-products/index.html,No values,අගයන් නොමැත
 DocType: Supplier Scorecard Scoring Variable,Variable Name,විචල්ය නම
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,ප්‍රතිසන්ධානය සඳහා බැංකු ගිණුම තෝරන්න.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","අයිතමය {0} සැකිලි වේ, කරුණාකර එහි විවිධ එකක් තෝරන්න"
 DocType: Purchase Invoice Item,Deferred Expense,විෙමෝචිත වියදම්
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,පණිවිඩ වෙත ආපසු
@@ -7964,7 +8063,6 @@
 DocType: GL Entry,To Rename,නැවත නම් කිරීමට
 DocType: Stock Entry,Repack,අනූපම
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,අනුක්‍රමික අංකය එක් කිරීමට තෝරන්න.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,කරුණාකර අධ්‍යාපන&gt; අධ්‍යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',කරුණාකර &#39;% s&#39; පාරිභෝගිකයා සඳහා මූල්‍ය කේතය සකසන්න
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,කරුණාකර මුලින්ම සමාගම තෝරා ගන්න
 DocType: Item Attribute,Numeric Values,සංඛ්යාත්මක අගයන්
@@ -7988,6 +8086,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO මත පදනම්ව ලබා ගන්න
 DocType: Soil Texture,Clay Loam,ක්ලේ ලොම්
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,මූල සංස්කරණය කල නොහැක.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,ණය ආරක්ෂණ වටිනාකම
 DocType: Item,Units of Measure,නු ඒකක
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,මෙට්රෝ නගරයේ දී කුලියට ගැනීම
 DocType: Supplier,Default Tax Withholding Config,පැහැර හරින ලද රඳවාගැනීම් සැකසුම
@@ -8034,6 +8133,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,කරුණාකර පළමු ප්රවර්ගය තෝරන්න
 apps/erpnext/erpnext/config/projects.py,Project master.,ව්යාපෘති ස්වාමියා.
 DocType: Contract,Contract Terms,කොන්ත්රාත් කොන්දේසි
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,අනුමත කළ සීමාව
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,වින්‍යාසය දිගටම කරගෙන යන්න
 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,Maximum benefit amount of component {0} exceeds {1},{0} සංරචකයේ උපරිම ප්රතිලාභ ප්රමාණය {1} ඉක්මවයි.
@@ -8077,3 +8177,4 @@
 DocType: Account,Cash,මුදල්
 DocType: Sales Invoice,Unpaid and Discounted,නොගෙවූ සහ වට්ටම්
 DocType: Employee,Short biography for website and other publications.,වෙබ් අඩවිය සහ අනෙකුත් ප්රකාශන සඳහා කෙටි චරිතාපදානය.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,පේළිය # {0}: උප කොන්ත්‍රාත්කරුට අමුද්‍රව්‍ය සපයන අතරතුර සැපයුම් ගබඩාව තෝරාගත නොහැක
diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv
index 4230825..ca82354 100644
--- a/erpnext/translations/sk.csv
+++ b/erpnext/translations/sk.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Príležitosť stratila dôvod
 DocType: Patient Appointment,Check availability,Skontrolovať dostupnosť
 DocType: Retention Bonus,Bonus Payment Date,Dátum výplaty bonusu
-DocType: Employee,Job Applicant,Job Žadatel
+DocType: Appointment Letter,Job Applicant,Job Žadatel
 DocType: Job Card,Total Time in Mins,Celkový čas v minútach
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontaktné informácie
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Vyhľadajte čokoľvek ...
 ,Stock and Account Value Comparison,Porovnanie hodnoty zásob a účtu
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Vyplatená suma nemôže byť vyššia ako výška úveru
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Zájemci
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Otvor
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Platný od času musí byť kratší ako platný až do času.
 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,Account Pay Only,Účet Pay Iba
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,stupeň
 DocType: Restaurant Table,No of Seats,Počet sedadiel
+DocType: Loan Type,Grace Period in Days,Milosť v dňoch
 DocType: Sales Invoice,Overdue and Discounted,Omeškanie a zľava
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Majetok {0} nepatrí do úschovy {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Hovor bol odpojený
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Predpísané postupy
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Zobraziť len POS
 DocType: Supplier Group,Supplier Group Name,Názov skupiny dodávateľov
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označiť účasť ako <b></b>
 DocType: Driver,Driving License Categories,Kategórie vodičských preukazov
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Zadajte dátum doručenia
 DocType: Depreciation Schedule,Make Depreciation Entry,Urobiť Odpisy Entry
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Podrobnosti o prováděných operací.
 DocType: Asset Maintenance Log,Maintenance Status,Status Maintenance
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Čiastka dane z položky zahrnutá v hodnote
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Zabezpečenie pôžičky nie je viazané
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Podrobnosti o členstve
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Dodávateľ je potrebná proti zaplatení účtu {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Položky a Ceny
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Celkom hodín: {0}
+DocType: Loan,Loan Manager,Úverový manažér
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"Od data by měla být v rámci fiskálního roku. Za předpokladu, že od data = {0}"
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,interval
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log"""
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Vyberte zákazníka alebo dodávateľa.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kód krajiny v súbore sa nezhoduje s kódom krajiny nastaveným v systéme
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Účet {0} nepatří do společnosti {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Ako predvolenú vyberte iba jednu prioritu.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Nechte Blokováno
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,bankový Príspevky
-DocType: Customer,Is Internal Customer,Je interný zákazník
+DocType: Sales Invoice,Is Internal Customer,Je interný zákazník
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,Číslo odoslanej faktúry
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Požiadavka na materiál
 DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Balík Množ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Úver nie je možné vytvoriť, kým nebude žiadosť schválená"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,korektné
 DocType: Student Guardian,Mother,matka
 DocType: Restaurant Reservation,Reservation End Time,Čas ukončenia rezervácie
+DocType: Salary Slip Loan,Loan Repayment Entry,Zadanie splátky úveru
 DocType: Crop,Biennial,dvojročný
 ,BOM Variance Report,Správa o odchýlkach kusovníka
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Potvrzené objednávky od zákazníků.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Platba proti {0} {1} nemôže byť väčšia ako dlžnej čiastky {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Všetky jednotky zdravotnej starostlivosti
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,O konverzii príležitosti
+DocType: Loan,Total Principal Paid,Celková zaplatená istina
 DocType: Bank Account,Address HTML,Adresa HTML
 DocType: Lead,Mobile No.,Mobile No.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Spôsob platieb
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Zostatok v základnej mene
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max stupeň
 DocType: Email Digest,New Quotations,Nové Citace
+DocType: Loan Interest Accrual,Loan Interest Accrual,Prírastok úrokov z úveru
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Účasť sa nepodala za {0} ako {1} v dovolenke.
 DocType: Journal Entry,Payment Order,Platobný príkaz
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,potvrdiť Email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Príjmy z iných zdrojov
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ak je prázdny, bude sa brať do úvahy predvolený účet rodičovského skladu alebo spoločnosť"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-maily výplatnej páske, aby zamestnanci na základe prednostného e-mailu vybraného v zamestnaneckých"
+DocType: Work Order,This is a location where operations are executed.,"Toto je miesto, kde sa vykonávajú operácie."
 DocType: Tax Rule,Shipping County,Okres dodania
 DocType: Currency Exchange,For Selling,Pre predaj
 apps/erpnext/erpnext/config/desktop.py,Learn,Učenie
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Kód použitého kupónu
 DocType: Asset,Next Depreciation Date,Vedľa Odpisy Dátum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Náklady na činnosť na jedného zamestnanca
+DocType: Loan Security,Haircut %,Zrážka%
 DocType: Accounts Settings,Settings for Accounts,Nastavenie Účtovníctva
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Dodávateľské faktúry No existuje vo faktúre {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Správa obchodník strom.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Prosím, nastavte sadzbu izby hotela na {}"
 DocType: Journal Entry,Multi Currency,Viac mien
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktúry
+DocType: Loan,Loan Security Details,Podrobnosti o zabezpečení pôžičky
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Platné od dátumu musí byť kratšie ako platné do dátumu
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Počas vyrovnania došlo k výnimke {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Nastaviť prijatý sklad
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Vyžadovať schválenie testu laboratória
 DocType: Attendance,Working Hours,Pracovní doba
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Celkom nevybavené
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Prepočítavací faktor UOM ({0} -&gt; {1}) nenájdený pre položku: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentuálny podiel, ktorý vám umožňuje vyúčtovať viac oproti objednanej sume. Napríklad: Ak je hodnota objednávky 100 EUR pre položku a tolerancia je nastavená na 10%, potom máte povolené vyúčtovať 110 USD."
 DocType: Dosage Strength,Strength,pevnosť
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Dátum Vehicle
 DocType: Campaign Email Schedule,Campaign Email Schedule,Časový plán e-mailu kampane
 DocType: Student Log,Medical,Lékařský
+DocType: Work Order,This is a location where scraped materials are stored.,"Toto je miesto, kde sa skladujú zoškrabané materiály."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Vyberte Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Získateľ Obchodnej iniciatívy nemôže byť to isté ako Obchodná iniciatíva
 DocType: Announcement,Receiver,Príjemca
@@ -892,7 +904,7 @@
 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: BOM,Total Cost (Company Currency),Celkové náklady (mena spoločnosti)
-DocType: Loan,Total Payment,celkové platby
+DocType: Repayment Schedule,Total Payment,celkové platby
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO už vytvorené pre všetky položky predajnej objednávky
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Upozornenie na nákupné objednávky
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Prenajaté od dátumu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dosť Časti vybudovať
+DocType: Loan Security,Loan Security Code,Bezpečnostný kód úveru
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Uložte najskôr
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Položky sú potrebné na ťahanie surovín, ktoré sú s ňou spojené."
 DocType: POS Profile User,POS Profile User,Používateľ profilu POS
@@ -976,6 +989,7 @@
 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,Stock Entries already created for Work Order ,Zápisy už boli vytvorené pre pracovnú objednávku
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položiek&gt; Značka
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Zobraziť minulé objednávky
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} konverzácií
 DocType: Vital Signs,Respiratory rate,Dýchacia frekvencia
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,Zmazať transakcie spoločnosti
 DocType: Production Plan Item,Quantity and Description,Množstvo a popis
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenčné číslo a referenčný dátum je povinný pre bankové transakcie
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Prosím pomenujte Series pre {0} cez Setup&gt; Settings&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Pridať / Upraviť dane a poplatky
 DocType: Payment Entry Reference,Supplier Invoice No,Dodávateľská faktúra č
 DocType: Territory,For reference,Pro srovnání
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Zrážkový účet
 DocType: Pricing Rule,Sales Partner,Partner predaja
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Všetky hodnotiace karty dodávateľa.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Suma objednávky
+DocType: Loan,Disbursed Amount,Vyplatená suma
 DocType: Buying Settings,Purchase Receipt Required,Příjmka je vyžadována
 DocType: Sales Invoice,Rail,koľajnice
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Skutočné náklady
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Pripojené k QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifikujte / vytvorte účet (kniha) pre typ - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Splatnost účtu
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Účet je povinný na získanie platobných záznamov
 DocType: Payment Entry,Type of Payment,typ platby
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Polovičný dátum je povinný
 DocType: Sales Order,Billing and Delivery Status,Stav fakturácie a dodania
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,Fakturovaná čiastka
 DocType: Training Result Employee,Training Result Employee,vzdelávacie Výsledok
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,"Logická Warehouse na položky, které mohou být vyrobeny."
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,istina
+DocType: Repayment Schedule,Principal Amount,istina
 DocType: Loan Application,Total Payable Interest,Celková splatný úrok
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Celkom nevybavené: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otvorte kontakt
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Vaše položky
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dodávateľ&gt; Typ dodávateľa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Návrh Psaní
 DocType: Payment Entry Deduction,Payment Entry Deduction,Platba Vstup dedukcie
 DocType: Service Level Priority,Service Level Priority,Priorita na úrovni služby
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Vytváranie študentských skupín
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Vytváranie študentských skupín
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Platobná brána účet nevytvorili, prosím, vytvorte ručne."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Skupinové sklady sa nemôžu používať pri transakciách. Zmeňte hodnotu {0}
 DocType: Supplier Scorecard,Per Year,Za rok
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nie je oprávnený na prijatie do tohto programu podľa DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Riadok # {0}: Nie je možné odstrániť položku {1}, ktorá je priradená k objednávke zákazníka."
@@ -1288,7 +1306,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",Pri vytváraní účtu pre detskú spoločnosť {0} sa rodičovský účet {1} nenašiel. Vytvorte nadradený účet v príslušnom COA
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Issue
 DocType: Student Attendance,Student Attendance,študent Účasť
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Žiadne údaje na export
 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
@@ -1301,6 +1318,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Dodávateľ
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Skutočný dátum dodania
 DocType: Lab Test,Test Template,Šablóna testu
+DocType: Loan Security Pledge,Securities,cenné papiere
 DocType: Restaurant Order Entry Item,Served,slúžil
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informácie o kapitole.
 DocType: Account,Accounts,Účty
@@ -1394,6 +1412,7 @@
 DocType: Inpatient Record,O Negative,O Negatívny
 DocType: Work Order Operation,Planned End Time,Plánované End Time
 DocType: POS Profile,Only show Items from these Item Groups,Zobrazovať iba položky z týchto skupín položiek
+DocType: Loan,Is Secured Loan,Je zabezpečená pôžička
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Podrobnosti o členstve typu
 DocType: Delivery Note,Customer's Purchase Order No,Zákazníka Objednávka No
@@ -1430,6 +1449,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Získajte od stretnutia s pacientmi
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Prepočítavací faktor UOM ({0} -&gt; {1}) nenájdený pre položku: {2}
 DocType: Subscriber,Subscriber,predplatiteľ
 DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Výmena peňazí musí byť uplatniteľná pri kúpe alebo predaji.
@@ -1528,6 +1548,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nemáte oprávnenie
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolný zoznam plnenia zmluvy
 DocType: Vital Signs,Heart Rate / Pulse,Srdcová frekvencia / pulz
+DocType: Customer,Default Company Bank Account,Predvolený firemný bankový účet
 DocType: Supplier,Default Bank Account,Prednastavený Bankový účet
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Ak chcete filtrovať na základe Party, vyberte typ Party prvý"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Aktualizovať Sklad ' nie je možné skontrolovať, pretože položky nie sú dodané cez {0}"
@@ -1646,7 +1667,6 @@
 DocType: Sales Team,Incentives,Pobídky
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Hodnoty nie sú synchronizované
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Hodnota rozdielu
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nastavte číslovaciu sériu pre účasť cez Nastavenie&gt; Číslovacie série
 DocType: SMS Log,Requested Numbers,Požadované Čísla
 DocType: Volunteer,Evening,Večer
 DocType: Quiz,Quiz Configuration,Konfigurácia testu
@@ -1666,6 +1686,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Na předchozí řady Celkem
 DocType: Purchase Invoice Item,Rejected Qty,zamietnutá Množstvo
 DocType: Setup Progress Action,Action Field,Pole akcií
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Typ úveru pre úroky a penále
 DocType: Healthcare Settings,Manage Customer,Správa zákazníka
 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
@@ -1677,6 +1698,7 @@
 ,Final Assessment Grades,Záverečné stupne hodnotenia
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Názov spoločnosti, pre ktorú nastavujete tento systém"
 DocType: HR Settings,Include holidays in Total no. of Working Days,Zahrnout dovolenou v celkovém. pracovních dní
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Z celkového súčtu
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Nastavte svoj inštitút v ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analýza rastlín
 DocType: Task,Timeline,časová os
@@ -1684,9 +1706,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatívna položka
 DocType: Shopify Log,Request Data,Vyžiadajte si údaje
 DocType: Employee,Date of Joining,Datum přistoupení
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Řada Aktualizace
 DocType: Supplier Quotation,Is Subcontracted,Subdodavatelům
 DocType: Restaurant Table,Minimum Seating,Minimálne sedenie
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Otázka nemôže byť duplikovaná
 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,Purchase Receipt,Příjemka
@@ -1788,6 +1812,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Faktúry
 DocType: Payment Request,Paid,Zaplatené
 DocType: Service Level,Default Priority,Predvolená priorita
+DocType: Pledge,Pledge,zástava
 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."
@@ -1801,6 +1826,7 @@
 DocType: Guardian,Guardian Name,Meno Guardian
 DocType: Cheque Print Template,Has Print Format,Má formát tlače
 DocType: Support Settings,Get Started Sections,Začnite sekcie
+,Loan Repayment and Closure,Splácanie a ukončenie pôžičky
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,Sankcionované
 ,Base Amount,Základná čiastka
@@ -1811,10 +1837,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Z miesta
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Suma úveru nemôže byť vyššia ako {0}
 DocType: Student Admission,Publish on website,Publikovať na webových stránkach
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Dodávateľ Dátum faktúry nemôže byť väčšia ako Dátum zverejnenia
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položiek&gt; Značka
 DocType: Subscription,Cancelation Date,Dátum zrušenia
 DocType: Purchase Invoice Item,Purchase Order Item,Položka nákupnej objednávky
 DocType: Agriculture Task,Agriculture Task,Úloha poľnohospodárstva
@@ -1833,7 +1859,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Ďalšie zľavy Percento
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Zobraziť zoznam všetkých videí nápovedy
 DocType: Agriculture Analysis Criteria,Soil Texture,Textúra pôdy
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Vyberte účet šéf banky, kde byla uložena kontrola."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Povolit uživateli upravovat Ceník Cena při transakcích
 DocType: Pricing Rule,Max Qty,Max Množství
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Vytlačiť kartu správ
@@ -1967,7 +1992,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Po nastavení bude táto faktúra pozastavená až do stanoveného dátumu
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Predajná čiastka
-DocType: Repayment Schedule,Interest Amount,záujem Suma
+DocType: Loan Interest Accrual,Interest Amount,záujem Suma
 DocType: Job Card,Time Logs,Čas Záznamy
 DocType: Sales Invoice,Loyalty Amount,Vernostná suma
 DocType: Employee Transfer,Employee Transfer Detail,Podrobnosti o zamestnancovi
@@ -1982,6 +2007,7 @@
 DocType: Cashier Closing,Returns,výnos
 DocType: Job Card,WIP Warehouse,WIP Warehouse
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Pořadové číslo {0} je na základě smlouvy o údržbě aľ {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Prekročený limit sankcie pre {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,nábor
 DocType: Lead,Organization Name,Názov organizácie
 DocType: Support Settings,Show Latest Forum Posts,Zobraziť najnovšie príspevky vo fórach
@@ -2008,7 +2034,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Položky nákupných objednávok Po splatnosti
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,PSČ
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Predajné objednávky {0} {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Vyberte účet úrokového príjmu v úvere {0}
 DocType: Opportunity,Contact Info,Kontaktné informácie
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Tvorba prírastkov zásob
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Nemožno povýšiť zamestnanca so statusom odídený
@@ -2094,7 +2119,6 @@
 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,Start Year,Začiatočný rok
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Vytvoriť pôžičku
 DocType: Purchase Invoice,Start date of current invoice's period,Datum období současného faktury je Začátek
 DocType: Shift Type,Process Attendance After,Účasť na procese po
 ,IRS 1099,IRS 1099
@@ -2115,6 +2139,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Vyberte svoje domény
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Nakupujte dodávateľa
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Položky faktúry platby
+DocType: Repayment Schedule,Is Accrued,Je nahromadené
 DocType: Payroll Entry,Employee Details,Podrobnosti o zaměstnanci
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Spracovanie súborov XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2146,6 +2171,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Zadanie vernostného bodu
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Predvolená skupina položiek
+DocType: Loan,Partially Disbursed,čiastočne Vyplatené
 DocType: Job Card Time Log,Time In Mins,Čas v minútach
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Poskytnite informácie.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Táto akcia zruší prepojenie tohto účtu s akoukoľvek externou službou integrujúcou ERPNext s vašimi bankovými účtami. Nedá sa vrátiť späť. Ste si istí?
@@ -2161,6 +2187,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Uzavretie úveru
 DocType: Call Log,Lead,Obchodná iniciatíva
 DocType: Email Digest,Payables,Závazky
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2194,6 +2221,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Daň z príjmu zamestnancov a výhody
 DocType: Bank Guarantee,Validity in Days,Platnosť v dňoch
 DocType: Bank Guarantee,Validity in Days,Platnosť v dňoch
+DocType: Unpledge,Haircut,strih
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-forma sa nevzťahuje na faktúre: {0}
 DocType: Certified Consultant,Name of Consultant,Názov konzultanta
 DocType: Payment Reconciliation,Unreconciled Payment Details,Smířit platbě
@@ -2247,7 +2275,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Zbytek světa
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Položka {0} nemôže mať dávku
 DocType: Crop,Yield UOM,Výnos UOM
+DocType: Loan Security Pledge,Partially Pledged,Čiastočne prisľúbené
 ,Budget Variance Report,Rozpočet Odchylka Report
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Suma schváleného úveru
 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,Get Items from Healthcare Services,Získajte položky zo služieb zdravotnej starostlivosti
@@ -2282,6 +2312,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nový postup kvality
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Zostatok na účte {0} musí byť vždy {1}
 DocType: Patient Appointment,More Info,Více informací
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Dátum narodenia nemôže byť väčší ako dátum vstupu.
 DocType: Supplier Scorecard,Scorecard Actions,Akcie Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dodávateľ {0} nebol nájdený v {1}
 DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse
@@ -2379,6 +2410,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Najprv nastavte kód položky
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,DokTyp
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Vytvorené záložné právo na pôžičku: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Schôdzky a stretnutia s pacientmi
@@ -2434,6 +2466,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Počet súbežných stretnutí
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Začíname
 DocType: Purchase Invoice,Taxes and Charges Calculation,Daně a poplatky výpočet
+DocType: Loan Interest Accrual,Payable Principal Amount,Splatná istina
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatické odpisovanie majetku v účtovnej závierke
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatické odpisovanie majetku v účtovnej závierke
 DocType: BOM Operation,Workstation,pracovna stanica
@@ -2471,7 +2504,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Jídlo
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Stárnutí Rozsah 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Podrobnosti o uzatvorení dokladu POS
-DocType: Bank Account,Is the Default Account,Je predvolený účet
 DocType: Shopify Log,Shopify Log,Obchodný záznam
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Nenašla sa žiadna komunikácia.
 DocType: Inpatient Occupancy,Check In,Prihlásiť sa
@@ -2529,12 +2561,14 @@
 DocType: Sales Order Item,Planned Quantity,Plánované Množstvo
 DocType: Water Analysis,Water Analysis Criteria,Kritériá analýzy vody
 DocType: Item,Maintain Stock,Udržiavať Zásoby
+DocType: Loan Security Unpledge,Unpledge Time,Čas uvoľnenia
 DocType: Terms and Conditions,Applicable Modules,Uplatniteľné moduly
 DocType: Employee,Prefered Email,preferovaný Email
 DocType: Student Admission,Eligibility and Details,Oprávnenosť a podrobnosti
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Zahrnuté v hrubom zisku
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Čistá zmena v stálych aktív
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Požad
+DocType: Work Order,This is a location where final product stored.,"Toto je miesto, kde je uložený konečný produkt."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datetime
@@ -2575,8 +2609,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Záruka / AMC Status
 ,Accounts Browser,Účty Browser
 DocType: Procedure Prescription,Referral,postúpenie
+,Territory-wise Sales,Územný predaj
 DocType: Payment Entry Reference,Payment Entry Reference,Platba Vstup referencie
 DocType: GL Entry,GL Entry,Vstup GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Riadok # {0}: Prijatý sklad a dodávateľský sklad nemôžu byť rovnaké
 DocType: Support Search Source,Response Options,Možnosti odpovede
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Použite pravidlá viacerých cien
 DocType: HR Settings,Employee Settings,Nastavení zaměstnanců
@@ -2637,6 +2673,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Poľnohospodárstvo (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,List k balíku
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Prosím pomenujte Series pre {0} cez Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Pronájem kanceláře
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Nastavenie SMS brány
 DocType: Disease,Common Name,Spoločný názov
@@ -2653,6 +2690,7 @@
 DocType: Item,Sales Details,Predajné podrobnosti
 DocType: Coupon Code,Used,použité
 DocType: Opportunity,With Items,S položkami
+DocType: Vehicle Log,last Odometer Value ,posledná hodnota počítadla kilometrov
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampaň &#39;{0}&#39; už existuje pre {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Tím údržby
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Poradie, v ktorom sa majú sekcie zobraziť. 0 je prvý, 1 je druhý a tak ďalej."
@@ -2663,7 +2701,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Náklady na poistné {0} už existuje pre jázd
 DocType: Asset Movement Item,Source Location,Umiestnenie zdroja
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Meno Institute
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Prosím, zadajte splácanie Čiastka"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Prosím, zadajte splácanie Čiastka"
 DocType: Shift Type,Working Hours Threshold for Absent,Prah pracovných hodín pre neprítomnosť
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Na základe celkovej výdavky môže byť viacnásobný zberný faktor. Ale konverzný faktor pre spätné odkúpenie bude vždy rovnaký pre všetky úrovne.
 apps/erpnext/erpnext/config/help.py,Item Variants,Varianty Položky
@@ -2687,6 +2725,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} musí byť menej ako {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Najskôr vyberte typ žiadateľa
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Vyberte kusovník, množstvo a sklad"
 DocType: GST HSN Code,GST HSN Code,GST kód HSN
 DocType: Employee External Work History,Total Experience,Celková zkušenost
@@ -2777,7 +2816,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Pre položku {0} nebol nájdený aktívny kusovník. Dodanie pomocou sériového čísla nie je možné zabezpečiť
 DocType: Sales Partner,Sales Partner Target,Sales Partner Target
-DocType: Loan Type,Maximum Loan Amount,Maximálna výška úveru
+DocType: Loan Application,Maximum Loan Amount,Maximálna výška úveru
 DocType: Coupon Code,Pricing Rule,Cenové pravidlo
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplicitné číslo rolky pre študenta {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplicitné číslo rolky pre študentov {0}
@@ -2801,6 +2840,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Listy Přidělené úspěšně za {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Žádné položky k balení
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Momentálne sú podporované iba súbory .csv a .xlsx
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Nastavte systém pomenovávania zamestnancov v časti Ľudské zdroje&gt; Nastavenia ľudských zdrojov
 DocType: Shipping Rule Condition,From Value,Od hodnoty
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Výrobné množstvo je povinné
 DocType: Loan,Repayment Method,splácanie Method
@@ -2884,6 +2924,7 @@
 DocType: Customer,Customer POS Id,ID zákazníka POS
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Študent s e-mailom {0} neexistuje
 DocType: Account,Account Name,Názov účtu
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Čiastka schválenej pôžičky už existuje pre {0} proti spoločnosti {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Dátum OD nemôže byť väčší ako dátum DO
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek
 DocType: Pricing Rule,Apply Discount on Rate,Použite zľavu na sadzbu
@@ -2955,6 +2996,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Čistý zisk
 DocType: Purchase Invoice,Eligibility For ITC,Spôsobilosť pre ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 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,Net Change in Accounts Payable,Čistá Zmena účty záväzkov
@@ -2966,6 +3008,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID dochádzkového zariadenia (biometrické / RF ID značky)
 DocType: Quotation,Term Details,Termín Podrobnosti
 DocType: Item,Over Delivery/Receipt Allowance (%),Príspevok na prekročenie dodávky / príjem (%)
+DocType: Appointment Letter,Appointment Letter Template,Šablóna menovacieho listu
 DocType: Employee Incentive,Employee Incentive,Zamestnanecké stimuly
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Spolu (bez dane)
@@ -2990,6 +3033,7 @@
 					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."
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Odpojiť Platba o zrušení faktúry
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Časové rozlíšenie úrokov z úveru na spracovanie
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Aktuálny stav km vstúpil by mala byť väčšia ako počiatočný stav kilometrov {0}
 ,Purchase Order Items To Be Received or Billed,"Položky objednávok, ktoré majú byť prijaté alebo fakturované"
 DocType: Restaurant Reservation,No Show,Žiadne zobrazenie
@@ -3076,6 +3120,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Je potrebné nákladového strediska pre &#39;zisku a straty &quot;účtu {2}. Prosím nastaviť predvolené nákladového strediska pre spoločnosť.
 DocType: Payment Schedule,Payment Term,Lehota splatnosti
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Zákaznická Skupina existuje se stejným názvem, prosím změnit název zákazníka nebo přejmenujte skupinu zákazníků"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Dátum ukončenia prijímania by mal byť vyšší ako dátum začatia prijímania.
 DocType: Location,Area,rozloha
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nový kontakt
 DocType: Company,Company Description,Popis firmy
@@ -3151,6 +3196,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapované údaje
 DocType: Purchase Order Item,Warehouse and Reference,Sklad a reference
 DocType: Payroll Period Date,Payroll Period Date,Dátum mzdového obdobia
+DocType: Loan Disbursement,Against Loan,Proti pôžičke
 DocType: Supplier,Statutory info and other general information about your Supplier,Statutární info a další obecné informace o váš dodavatel
 DocType: Item,Serial Nos and Batches,Sériové čísla a dávky
 DocType: Item,Serial Nos and Batches,Sériové čísla a dávky
@@ -3219,6 +3265,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Vyberte spoločnosť
 DocType: Delivery Settings,Delivery Settings,Nastavenia doručenia
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Načítať údaje
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Nie je možné odpojiť viac ako {0} množstvo z {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maximálna povolená dovolenka v type dovolenky {0} je {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Zverejniť 1 položku
 DocType: SMS Center,Create Receiver List,Vytvoriť zoznam príjemcov
@@ -3368,6 +3415,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Základná suma (Company Currency)
 DocType: Purchase Invoice,Registered Regular,Pravidelná registrácia
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Suroviny
+DocType: Plaid Settings,sandbox,pieskovisko
 DocType: Payment Reconciliation Payment,Reference Row,referenčnej Row
 DocType: Installation Note,Installation Time,Instalace Time
 DocType: Sales Invoice,Accounting Details,Účtovné Podrobnosti
@@ -3380,12 +3428,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Typ transakcie
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kritéria přijetí
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Celková suma Splatné
 DocType: Task,Expected Time (in hours),Predpokladaná doba (v hodinách)
 DocType: Item Reorder,Check in (group),Check in (skupina)
 DocType: Soil Texture,Silt,kal
@@ -3417,6 +3464,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Odpočítajte daň z nezdaniteľnej daňovej výnimky
 DocType: Volunteer,Anytime,kedykoľvek
 DocType: Bank Account,Bank Account No,Číslo bankového účtu
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Vyplatenie a splatenie
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Oslobodenie od dane z oslobodenia od dane zamestnancov
 DocType: Patient,Surgical History,Chirurgická história
 DocType: Bank Statement Settings Item,Mapped Header,Zmapovaná hlavička
@@ -3481,6 +3529,7 @@
 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
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Štruktúra miezd musí byť predložená pred predložením daňového priznania
+DocType: Loan Application,Proposed Pledges,Navrhované sľuby
 DocType: Grant Application,Show on Website,Zobraziť na webovej stránke
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Začnite zapnuté
 DocType: Hub Tracked Item,Hub Category,Kategória Hubu
@@ -3492,7 +3541,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Hodnota karty dodávateľa je stála
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Riadok {0}: Nomenklatúra nebol nájdený pre výtlačku {1}
 DocType: Contract Fulfilment Checklist,Requirement,požiadavka
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Nastavte systém pomenovávania zamestnancov v časti Ľudské zdroje&gt; Nastavenia ľudských zdrojov
 DocType: Journal Entry,Accounts Receivable,Pohledávky
 DocType: Quality Goal,Objectives,ciele
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Úloha povolená na vytvorenie aplikácie s opusteným dátumom
@@ -3505,6 +3553,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Zahrnout odsouhlasené zápisy
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Celková alokovaná čiastka ({0}) je označená ako zaplatená suma ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuovat poplatků na základě
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Platená suma nemôže byť nižšia ako {0}
 DocType: Projects Settings,Timesheets,Pracovné výkazy
 DocType: HR Settings,HR Settings,Nastavení HR
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Masters účtovníctva
@@ -3650,6 +3699,7 @@
 DocType: Employee,Health Insurance,Zdravotné poistenie
 DocType: Asset Repair,Manufacturing Manager,Výrobný riaditeľ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Pořadové číslo {0} je v záruce aľ {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Suma úveru presahuje maximálnu výšku úveru {0} podľa navrhovaných cenných papierov
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimálna prípustná hodnota
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Používateľ {0} už existuje
 apps/erpnext/erpnext/hooks.py,Shipments,Zásielky
@@ -3694,7 +3744,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Typ podnikania
 DocType: Sales Invoice,Consumer,Spotrebiteľ
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosím, vyberte alokovaná částka, typ faktury a číslo faktury v aspoň jedné řadě"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Prosím pomenujte Series pre {0} cez Setup&gt; Settings&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Náklady na nový nákup
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0}
 DocType: Grant Application,Grant Description,Názov grantu
@@ -3703,6 +3752,7 @@
 DocType: Subscription,Discounts,Zľavy
 DocType: Bank Transaction,Unallocated Amount,nepridelené Suma
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,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/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} nie je firemný bankový účet
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Nemožno nájsť zodpovedajúce položku. Vyberte nejakú inú hodnotu pre {0}.
 DocType: POS Profile,Taxes and Charges,Daně a poplatky
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt nebo služba, která se Nakupuje, Prodává nebo Skladuje."
@@ -3753,6 +3803,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Platná od dátumu musí byť menšia ako platná do dátumu.
 DocType: Employee Skill,Evaluation Date,Dátum vyhodnotenia
 DocType: Quotation Item,Stock Balance,Stav zásob
+DocType: Loan Security Pledge,Total Security Value,Celková hodnota zabezpečenia
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Predajné objednávky na platby
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,S platbou dane
@@ -3765,6 +3816,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Účet {0} v grafe dashboardu neexistuje {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Zobraziť atribúty variantu
@@ -3846,6 +3898,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuálne ocenenie Rate
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Počet koreňových účtov nesmie byť menší ako 4
 DocType: Training Event,Advance,záloha
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Proti pôžičke:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Nastavenia platobnej brány GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange zisk / strata
 DocType: Opportunity,Lost Reason,Ztracené Důvod
@@ -3930,8 +3983,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Vyberte položku šarže
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Neplatný {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Riadok {0}: Dátum súrodenia nemôže byť väčší ako dnes.
 DocType: Fee Validity,Reference Inv,Odkaz Inv
 DocType: Sales Invoice Advance,Advance Amount,Záloha ve výši
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Trestná úroková sadzba (%) za deň
 DocType: Manufacturing Settings,Capacity Planning,Plánovanie kapacít
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Zaokrúhľovanie úprav (mena spoločnosti
 DocType: Asset,Policy number,Číslo politiky
@@ -3947,7 +4002,9 @@
 DocType: Normal Test Items,Require Result Value,Vyžadovať výslednú hodnotu
 DocType: Purchase Invoice,Pricing Rules,Pravidlá stanovovania cien
 DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky
+DocType: Appointment Letter,Body,telo
 DocType: Tax Withholding Rate,Tax Withholding Rate,Sadzba zrážkovej dane
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Dátum začiatku splácania je povinný pre termínované pôžičky
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,kusovníky
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Obchody
@@ -3967,7 +4024,7 @@
 DocType: Call Log,Received By,Prijaté od
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trvanie stretnutia (v minútach)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobné informácie o šablóne mapovania peňažných tokov
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Správa úverov
+DocType: Loan,Loan Management,Správa úverov
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sledovat samostatné výnosy a náklady pro vertikál produktu nebo divizí.
 DocType: Rename Tool,Rename Tool,Nástroj na premenovanie
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Aktualizace Cost
@@ -3975,6 +4032,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Druh transportu
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Show výplatnej páske
+DocType: Loan,Is Term Loan,Je termín úver
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Přenos materiálu
 DocType: Fees,Send Payment Request,Odoslať žiadosť o platbu
 DocType: Travel Request,Any other details,Ďalšie podrobnosti
@@ -3992,6 +4050,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,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
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Pridajte zabezpečenie úveru
 DocType: Travel Request,Name of Organizer,Názov organizátora
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nelze změnit výchozí měně společnosti, protože tam jsou stávající transakce. Transakce musí být zrušena, aby změnit výchozí měnu."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Zodpovednosť za dane z príjmov
@@ -4042,6 +4101,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Povinné On
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ak je toto políčko začiarknuté, skryje a zakáže pole Zaokrúhlený celkový počet v mzdových listoch"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Toto je predvolený ofset (dni) pre Dátum dodania v zákazkách odberateľa. Náhradný odstup je 7 dní od dátumu zadania objednávky.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nastavte číslovaciu sériu pre účasť cez Nastavenie&gt; Číslovacie série
 DocType: Rename Tool,File to Rename,Súbor premenovať
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Načítať aktualizácie odberov
@@ -4054,6 +4114,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Vytvorené sériové čísla
 DocType: POS Profile,Applicable for Users,Platí pre používateľov
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Od dátumu do dátumu sú povinné
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Nastaviť projekt a všetky úlohy do stavu {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Nastaviť preddavky a alokovať (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Žiadne pracovné príkazy neboli vytvorené
@@ -4063,6 +4124,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Položky od
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Náklady na zakúpené položky
 DocType: Employee Separation,Employee Separation Template,Šablóna oddelenia zamestnancov
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Nulová hodnota z {0} prisľúbená proti pôžičke {0}
 DocType: Selling Settings,Sales Order Required,Je potrebná predajná objednávka
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Staňte sa predajcom
 ,Procurement Tracker,Sledovanie obstarávania
@@ -4161,11 +4223,12 @@
 ,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,Total Absent,Celkem Absent
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Splatná suma
+DocType: Loan Repayment,Payable Amount,Splatná suma
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Příležitost
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maximálna pevnosť nesmie byť menšia ako nula.
 DocType: Options,Option,voľba
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},V uzavretom účtovnom období nemôžete vytvoriť účtovné záznamy {0}
 DocType: Operation,Default Workstation,Výchozí Workstation
@@ -4207,6 +4270,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Suma úroku je povinná
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Ďalšie kroky
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Uložené položky
@@ -4278,8 +4342,6 @@
 DocType: Grant Application,Grant Application Details ,Podrobnosti o žiadosti o grant
 DocType: Employee Separation,Employee Separation,Oddelenie zamestnancov
 DocType: BOM Item,Original Item,Pôvodná položka
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca <a href=""#Form/Employee/{0}"">{0}</a> \"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dátum dokumentu
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Vytvoril - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategórie Account
@@ -4315,6 +4377,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Testovacia položka laboratória {0} už existuje
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je firemný sviatok
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturovateľné hodiny
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,V prípade omeškania splácania sa každý deň vyberá sankčná úroková sadzba z omeškanej úrokovej sadzby
+DocType: Appointment Letter content,Appointment Letter content,Obsah menovacieho listu
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Zanechať upozornenie na stav
 DocType: Patient Appointment,Procedure Prescription,Predpísaný postup
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Nábytok a svietidlá
@@ -4334,7 +4398,7 @@
 DocType: Opportunity,Customer / Lead Name,Zákazník / Iniciatíva Meno
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Výprodej Datum není uvedeno
 DocType: Payroll Period,Taxable Salary Slabs,Zdaniteľné platové platne
-DocType: Job Card,Production,Výroba
+DocType: Plaid Settings,Production,Výroba
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Neplatné GSTIN! Zadaný vstup sa nezhoduje s formátom GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Hodnota účtu
 DocType: Guardian,Occupation,povolania
@@ -4479,6 +4543,7 @@
 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,Student {0} does not belong to group {1},Študent {0} nepatrí do skupiny {1}
+DocType: Appointment Letter,Appointment Date,Dátum stretnutia
 DocType: Budget,Cost Center,Nákladové středisko
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Krajina dodania
@@ -4549,6 +4614,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Účtovná dimenzia
 ,Profit and Loss Statement,Výkaz ziskov a strát
 DocType: Bank Reconciliation Detail,Cheque Number,Šek číslo
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Vyplatená suma nemôže byť nula
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Položka, na ktorú sa odkazuje {0} - {1}, je už fakturovaná"
 ,Sales Browser,Prehliadač predaja
 DocType: Journal Entry,Total Credit,Celkový Credit
@@ -4665,6 +4731,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Pridať / upraviť podmienky kupónu
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Náklady / Rozdíl účtu ({0}), musí být ""zisk nebo ztráta"" účet"
 DocType: Stock Entry Detail,Stock Entry Child,Zásoby Dieťa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Úverová spoločnosť zabezpečujúca pôžičku a úverová spoločnosť musia byť rovnaké
 DocType: Project,Copied From,Skopírované z
 DocType: Project,Copied From,Skopírované z
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktúra už vytvorená pre všetky fakturačné hodiny
@@ -4673,6 +4740,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Sú finančné náklady
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Účast na zaměstnance {0} je již označen
 DocType: Packing Slip,If more than one package of the same type (for print),Pokud je více než jeden balík stejného typu (pro tisk)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Nastavte Pomenovací systém inštruktorov v časti Vzdelanie&gt; Nastavenia vzdelávania
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Nastavte štandardný zákazník v nastaveniach reštaurácie
 ,Salary Register,plat Register
 DocType: Company,Default warehouse for Sales Return,Predvolený sklad pre vrátenie predaja
@@ -4717,7 +4785,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Aktuálne poradové číslo
 DocType: Employee,Attendance and Leave Details,Účasť a podrobnosti o dovolenke
 ,BOM Comparison Tool,Nástroj na porovnávanie kusovníkov
-,Requested,Požadované
+DocType: Loan Security Pledge,Requested,Požadované
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4729,7 +4797,6 @@
 DocType: Drug Prescription,Drug Prescription,Predpísaný liek
 DocType: Service Level,Support and Resolution,Podpora a rozlíšenie
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Zadarmo kód položky nie je vybratý
-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
@@ -4763,6 +4830,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Vyhodnotili ste kritériá hodnotenia {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Suma schodku
 DocType: Vehicle Service,Engine Oil,Motorový olej
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Vytvorené pracovné príkazy: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Zadajte e-mailovú identifikáciu potenciálneho zákazníka {0}
@@ -4781,6 +4849,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Účet nie je nastavený pre tabuľku dashboardov {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Použiť dodatočné Zľava na
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Vyberte typ ...
+DocType: Loan Interest Accrual,Amounts,množstvo
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše lístky
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO
@@ -4788,6 +4857,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Riadok # {0}: Nemožno vrátiť viac ako {1} pre bodu {2}
 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: Loan Security Price,Loan Security Price,Cena zabezpečenia úveru
 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,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Maloobchodné operácie
@@ -4928,6 +4998,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Dávka je povinná v riadku {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Dávka je povinná v riadku {0}
 DocType: Company,Default Buying Terms,Predvolené nákupné podmienky
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Vyplatenie úveru
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Doklad o koupi Item Dodávané
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Povoliť naplánovanú synchronizáciu
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Chcete-li datetime
@@ -4956,6 +5027,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Zadajte hodnotu medzi {0} a {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Zadejte název kampaně, pokud zdroj šetření je kampaň"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Vydavatelia novín
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Pre {0} sa nenašla žiadna platná <b>cena</b> za <b>zabezpečenie úveru</b>
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Budúce termíny nie sú povolené
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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,Reorder Level,Změna pořadí Level
@@ -5022,6 +5094,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Návrh / cenová ponuka
 DocType: Antibiotic,Healthcare,Zdravotná starostlivosť
 DocType: Target Detail,Target Detail,Target Detail
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Úverové procesy
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Jediný variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,všetky Jobs
 DocType: Sales Order,% of materials billed against this Sales Order,% Materiálov fakturovaných proti tejto Predajnej objednávke
@@ -5085,7 +5158,7 @@
 DocType: Item,Reorder level based on Warehouse,Úroveň Zmena poradia na základe Warehouse
 DocType: Activity Cost,Billing Rate,Fakturačná cena
 ,Qty to Deliver,Množství k dodání
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Založenie záznamu o vyplatení
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Založenie záznamu o vyplatení
 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,Operations cannot be left blank,Operácia nemôže byť prázdne
@@ -5119,6 +5192,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Odpojte externé integrácie
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Vyberte zodpovedajúcu platbu
 DocType: Pricing Rule,Item Code,Kód položky
+DocType: Loan Disbursement,Pending Amount For Disbursal,Čakajúca suma na vyplatenie
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Záruka / AMC Podrobnosti
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Vyberte manuálne študentov pre skupinu založenú na aktivitách
@@ -5144,6 +5218,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Celkový počet
 DocType: Landed Cost Item,Receipt Document,príjem dokumentov
 DocType: Employee Education,School/University,Škola / University
+DocType: Loan Security Pledge,Loan  Details,Podrobnosti o pôžičke
 DocType: Sales Invoice Item,Available Qty at Warehouse,Množství k dispozici na skladu
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Fakturovaná čiastka
 DocType: Share Transfer,(including),(počítajúc do toho)
@@ -5167,6 +5242,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Skupiny
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Seskupit podle účtu
 DocType: Purchase Invoice,Hold Invoice,Podržte faktúru
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Stav záložného práva
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Vyberte zamestnanca
 DocType: Sales Order,Fully Delivered,Plně Dodáno
 DocType: Promotional Scheme Price Discount,Min Amount,Min. Suma
@@ -5176,7 +5252,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Zaplatené čiastky nemôže byť väčšia ako Výška úveru {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Riadok {0} # Pridelená čiastka {1} nemôže byť väčšia ako suma neoprávnene nárokovaná {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Předáno listy
@@ -5204,6 +5279,7 @@
 DocType: Pick List Item,Serial No and Batch,Sériové číslo a Dávka
 DocType: Warranty Claim,From Company,Od Společnosti
 DocType: GSTR 3B Report,January,január
+DocType: Loan Repayment,Principal Amount Paid,Vyplatená istina
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,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,Please set Number of Depreciations Booked,Prosím nastavte Počet Odpisy rezervované
 DocType: Supplier Scorecard Period,Calculations,Výpočty
@@ -5230,6 +5306,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vašej spoločnosti
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Zobraziť údaje o starnutí zásob
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Pripísať na účet musí byť účtu Súvaha
+DocType: Loan Repayment,Penalty Amount,Suma pokuty
 DocType: Donor,Donor,darcu
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Aktualizujte dane pre položky
 DocType: Global Defaults,Disable In Words,Zakázať v slovách
@@ -5260,6 +5337,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Nákladové stredisko a rozpočtovanie
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Počiatočný stav Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Čiastočný platený zápis
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Nastavte plán platieb
 DocType: Pick List,Items under this warehouse will be suggested,Položky v tomto sklade budú navrhnuté
 DocType: Purchase Invoice,N,N
@@ -5293,7 +5371,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} sa nenašiel pre položku {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Hodnota musí byť medzi {0} a {1}
 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,"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,Message Sent,Správa bola odoslaná
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5307,6 +5384,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Povoliť automatické opätovné objednávanie
 DocType: Stock Settings,Item Naming By,Položka Pojmenování By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Další období Uzávěrka Entry {0} byla podána po {1}
+DocType: Proposed Pledge,Proposed Pledge,Navrhovaný prísľub
 DocType: Work Order,Material Transferred for Manufacturing,Materiál Prenesená pre výrobu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Účet {0} neexistuje
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Vyberte Vernostný program
@@ -5317,7 +5395,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavenie udalostí do {0}, pretože zamestnanec pripojená k nižšie predajcom nemá ID užívateľa {1}"
 DocType: Timesheet,Billing Details,fakturačné údaje
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Zdrojové a cieľové sklad sa musí líšiť
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Nastavte systém pomenovávania zamestnancov v časti Ľudské zdroje&gt; Nastavenia ľudských zdrojov
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Platba zlyhala. Skontrolujte svoj účet GoCardless pre viac informácií
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Není dovoleno měnit obchodů s akciemi starší než {0}
 DocType: Stock Entry,Inspection Required,Kontrola je povinná
@@ -5330,6 +5407,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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
+DocType: Unpledge,Against Pledge,Proti prísľube
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Uživatelé s touto rolí se mohou nastavit na zmrazené účty a vytvořit / upravit účetní zápisy proti zmrazených účtů
 DocType: Plaid Settings,Plaid Environment,Plaid Environment
 ,Project Billing Summary,Súhrn fakturácie projektu
@@ -5382,6 +5460,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Šarže
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Počet dní schôdzky si môžete rezervovať vopred
 DocType: Article,LMS User,Užívateľ LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Pôžička na zabezpečenie úveru je povinná pre zabezpečený úver
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Miesto dodania (štát / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Skladová MJ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Vydaná objednávka {0} nie je odoslaná
@@ -5457,6 +5536,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Vytvorte kartu práce
 DocType: Quotation,Referral Sales Partner,Sprostredkovateľský predajca
 DocType: Quality Procedure Process,Process Description,Popis procesu
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Nedá sa viazať, hodnota zabezpečenia úveru je vyššia ako splatená suma"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Zákazník {0} je vytvorený.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5477,7 +5557,7 @@
 DocType: Asset,Insurance Details,poistenie Podrobnosti
 DocType: Account,Payable,Splatný
 DocType: Share Balance,Share Type,Typ zdieľania
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Prosím, zadajte dobu splácania"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Prosím, zadajte dobu splácania"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dlžníci ({0})
 DocType: Pricing Rule,Margin,Marža
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Noví zákazníci
@@ -5486,6 +5566,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Zmeniť profil POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Množstvo alebo suma je mandatroy pre zabezpečenie úveru
 DocType: Bank Reconciliation Detail,Clearance Date,Výprodej Datum
 DocType: Delivery Settings,Dispatch Notification Template,Šablóna oznámenia odoslania
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Hodnotiaca správa
@@ -5521,6 +5602,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Zdieľať knihu
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Faktúra predaja {0} bola vytvorená
 DocType: Employee,Confirmation Date,Dátum potvrdenia
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca <a href=""#Form/Employee/{0}"">{0}</a> \"
 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,Min Qty can not be greater than Max Qty,Min množstvo nemôže byť väčšie ako Max množstvo
@@ -5534,7 +5617,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Identifikátor spoločnosti Quickbooks
 DocType: Travel Request,Travel Funding,Cestovné financovanie
 DocType: Employee Skill,Proficiency,zručnosť
-DocType: Loan Application,Required by Date,Vyžadované podľa dátumu
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail dokladu o kúpe
 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"
 DocType: Lead,Lead Owner,Získateľ Obchodnej iniciatívy
@@ -5553,7 +5635,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuální BOM a New BOM nemůže být stejné
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plat Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dodávateľ&gt; Typ dodávateľa
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Viac variantov
 DocType: Sales Invoice,Against Income Account,Proti účet příjmů
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% dodané
@@ -5586,7 +5667,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Poplatky typu ocenenie môže nie je označený ako Inclusive
 DocType: POS Profile,Update Stock,Aktualizace skladem
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Platobné údaje
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Čítanie nahraného súboru
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5622,6 +5703,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maximálna hodnota úveru
 ,Stock Ledger,Súpis zásob
 DocType: Company,Exchange Gain / Loss Account,Exchange Zisk / straty
 DocType: Amazon MWS Settings,MWS Credentials,Poverenia MWS
@@ -5629,6 +5711,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,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,Community Forum,Komunitné fórum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Zamestnanec nemá pridelené žiadne listy: {0} pre typ dovolenky: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Aktuálne množstvo na sklade
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Aktuálne množstvo na sklade
 DocType: Homepage,"URL for ""All Products""",URL pre &quot;všetky produkty&quot;
@@ -5731,7 +5814,6 @@
 DocType: Fee Schedule,Fee Schedule,poplatok Plán
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Štítky stĺpcov:
 DocType: Bank Transaction,Settled,usadil
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Dátum vyplatenia nemôže byť po dátume začatia splácania úveru
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,parametre
 DocType: Company,Create Chart Of Accounts Based On,Vytvorte účtový rozvrh založený na
@@ -5751,6 +5833,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Úverový limit a platobné podmienky
 DocType: Loyalty Program,Collection Rules,Pravidlá zberu
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Položka 3
+DocType: Loan Security Shortfall,Shortfall Time,Čas výpadku
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Zadanie objednávky
 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
@@ -5770,12 +5853,14 @@
 DocType: Sales Person,Sales Person Name,Meno predajcu
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Zadejte prosím aspoň 1 fakturu v tabulce
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nebol vytvorený žiadny laboratórny test
+DocType: Loan Security Shortfall,Security Value ,Hodnota zabezpečenia
 DocType: POS Item Group,Item Group,Položková skupina
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Skupina študentov:
 DocType: Depreciation Schedule,Finance Book Id,ID finančnej knihy
 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,Total Allocated Leaves,Celkové pridelené listy
+DocType: Appointment Letter,Appointment Letter,Menovací list
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},Chcete-li {0}
@@ -5831,6 +5916,7 @@
 DocType: Stock Entry,From BOM,Od BOM
 DocType: Assessment Code,Assessment Code,kód Assessment
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Základné
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Žiadosti o pôžičky od zákazníkov a zamestnancov.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Skladové transakcie pred {0} sú zmrazené
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Prosím, klikněte na ""Generovat Schedule"""
 DocType: Job Card,Current Time,Aktuálny čas
@@ -5857,7 +5943,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Žiadne študentské skupiny vytvorený.
 DocType: Purchase Invoice Item,Serial No,Výrobní číslo
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mesačné splátky suma nemôže byť vyššia ako suma úveru
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mesačné splátky suma nemôže byť vyššia ako suma úveru
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Prosím, zadejte první maintaince Podrobnosti"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Riadok # {0}: Predpokladaný dátum doručenia nemôže byť pred dátumom objednávky
 DocType: Purchase Invoice,Print Language,Jazyk tlače
@@ -5871,6 +5957,7 @@
 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,All Territories,Všetky územia
+DocType: Plaid Settings,development,vývoj
 DocType: Lost Reason Detail,Lost Reason Detail,Podrobnosti strateného dôvodu
 apps/erpnext/erpnext/hr/utils.py,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,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
@@ -5935,12 +6022,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aktuálne otvorenia
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash flow z prevádzkových činností
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Suma
+DocType: Vehicle Log,Current Odometer value ,Aktuálna hodnota počítadla kilometrov
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Vytvorte študenta
 DocType: Asset Movement Item,Asset Movement Item,Položka na presun majetku
 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: Appointment Letter,Closing Notes,Záverečné poznámky
 DocType: Journal Entry,Print Heading,Hlavička tlače
 DocType: Quality Action Table,Quality Action Table,Tabuľka kvality
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Suma nemôže byť nulová
@@ -6008,6 +6097,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Určte / vytvorte účet (skupinu) pre typ - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entertainment & Leisure
+DocType: Loan Security,Loan Security,Zabezpečenie pôžičky
 ,Item Variant Details,Podrobnosti o variantoch položky
 DocType: Quality Inspection,Item Serial No,Položka Výrobní číslo
 DocType: Payment Request,Is a Subscription,Je predplatné
@@ -6020,7 +6110,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Najnovší vek
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Plánované a prijaté dátumy nemôžu byť nižšie ako dnes
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Preneste materiál Dodávateľovi
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"New Pořadové číslo nemůže mít Warehouse. Warehouse musí být nastaveny Stock vstupním nebo doklad o koupi,"
 DocType: Lead,Lead Type,Typ Iniciatívy
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Vytvoriť Ponuku
@@ -6038,7 +6127,6 @@
 DocType: Leave Allocation,Leave Period,Opustiť obdobie
 DocType: Item,Default Material Request Type,Predvolený typ materiálovej požiadavky
 DocType: Supplier Scorecard,Evaluation Period,Hodnotiace obdobie
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Skupina zákazníkov&gt; Územie
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nevedno
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Pracovná objednávka nebola vytvorená
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6124,7 +6212,8 @@
 ,Customer-wise Item Price,Cena tovaru podľa priania zákazníka
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Prehľad o peňažných tokoch
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Žiadna materiálová žiadosť nebola vytvorená
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Výška úveru nesmie prekročiť maximálnu úveru Suma {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Výška úveru nesmie prekročiť maximálnu úveru Suma {0}
+DocType: Loan,Loan Security Pledge,Pôžička za zabezpečenie úveru
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,licencie
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -6141,6 +6230,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Schéma zníženia ceny
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Stav údržby musí byť zrušený alebo dokončený na odoslanie
 DocType: Amazon MWS Settings,US,US
+DocType: Loan Security Pledge,Pledged,zastavené
 DocType: Holiday List,Add Weekly Holidays,Pridajte týždenné sviatky
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Položka správy
 DocType: Staffing Plan Detail,Vacancies,voľné miesta
@@ -6159,7 +6249,6 @@
 DocType: Production Plan Item,Planned Start Date,Plánované datum zahájení
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Vyberte kusovník
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Využil integrovanú daň z ITC
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Založenie záznamu o vrátení
 DocType: Purchase Order Item,Blanket Order Rate,Dekoračná objednávka
 ,Customer Ledger Summary,Zhrnutie knihy odberateľov
 apps/erpnext/erpnext/hooks.py,Certification,osvedčenie
@@ -6180,6 +6269,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Posouzení Template Název
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Obchodné
 DocType: Patient,Alcohol Current Use,Alkohol Súčasné použitie
+DocType: Loan,Loan Closure Requested,Vyžaduje sa uzavretie úveru
 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
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Kategória oslobodenia od dane
@@ -6203,6 +6293,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Predaj
 DocType: Stock Entry Detail,Basic Amount,Základná čiastka
 DocType: Training Event,Exam,skúška
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Nedostatok zabezpečenia procesných úverov
 DocType: Email Campaign,Email Campaign,E-mailová kampaň
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Chyba trhu
 DocType: Complaint,Complaint,Sťažnosť
@@ -6282,6 +6373,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Odošlite toto, aby ste vytvorili záznam zamestnanca"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Cena za pôžičku sa prekrýva s {0}
 DocType: Item Default,Item Default,Položka Predvolená
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Vnútroštátne dodávky
 DocType: Chapter Member,Leave Reason,Nechajte dôvod
@@ -6309,6 +6401,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Používa sa kupón {1}. Povolené množstvo je vyčerpané
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Chcete odoslať žiadosť o materiál
 DocType: Job Offer,Awaiting Response,Čaká odpoveď
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Pôžička je povinná
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Vyššie
 DocType: Support Search Source,Link Options,Možnosti odkazu
@@ -6321,6 +6414,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
+DocType: Pledge,Post Haircut Amount,Suma po zrážke
 DocType: Sales Order,Skip Delivery Note,Preskočiť dodací list
 DocType: Price List,Price Not UOM Dependent,Cena nie je závislá od UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} vytvorené varianty.
@@ -6347,6 +6441,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Získať predmety z Bundle Product
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Spôsob splácania je povinný pre termínované pôžičky
 DocType: Asset,Straight Line,Priamka
 DocType: Project User,Project User,projekt Užívateľ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Rozdeliť
@@ -6394,7 +6489,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role povoleno nastavit zmrazené účty a upravit Mražené Příspěvky
 DocType: Supplier Scorecard Scoring Variable,Path,cesta
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nelze převést nákladového střediska na knihy, protože má podřízené uzly"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Prepočítavací faktor UOM ({0} -&gt; {1}) nenájdený pre položku: {2}
 DocType: Production Plan,Total Planned Qty,Celkový plánovaný počet
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Transakcie, ktoré už boli z výkazu prevzaté"
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otvorenie Value
@@ -6403,11 +6497,8 @@
 DocType: Material Request Plan Item,Required Quantity,Požadované množstvo
 DocType: Lab Test Template,Lab Test Template,Šablóna testu laboratória
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Účtovné obdobie sa prekrýva s {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dodávateľ&gt; Typ dodávateľa
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Predajný účet
 DocType: Purchase Invoice Item,Total Weight,Celková váha
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca <a href=""#Form/Employee/{0}"">{0}</a> \"
 DocType: Pick List Item,Pick List Item,Vyberte položku zoznamu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provizia z prodeja
 DocType: Job Offer Term,Value / Description,Hodnota / Popis
@@ -6454,6 +6545,7 @@
 DocType: Patient Encounter,Encounter Date,Dátum stretnutia
 DocType: Work Order,Update Consumed Material Cost In Project,Aktualizácia spotrebovaných materiálových nákladov v projekte
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Účet: {0} s menou: {1} nemožno vybrať
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Pôžičky poskytnuté zákazníkom a zamestnancom.
 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
@@ -6522,7 +6614,6 @@
 DocType: Contract,Signed On,Zapnuté
 DocType: Bank Account,Party Type,Typ Party
 DocType: Discounted Invoice,Discounted Invoice,Zľavnená faktúra
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označiť účasť ako <b></b>
 DocType: Payment Schedule,Payment Schedule,Rozvrh platieb
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Pre danú hodnotu poľa zamestnanca sa nenašiel žiaden zamestnanec. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Zkratka
@@ -6594,6 +6685,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Veritelia
 DocType: Assessment Plan,Assessment Name,Názov Assessment
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Riadok # {0}: Výrobné číslo je povinné
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Na uzatvorenie úveru je potrebná suma {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Položka Wise Tax Detail
 DocType: Employee Onboarding,Job Offer,Ponuka práce
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,inštitút Skratka
@@ -6618,7 +6710,6 @@
 DocType: Purchase Order,To Receive,Obdržať
 DocType: Leave Period,Holiday List for Optional Leave,Dovolenkový zoznam pre voliteľnú dovolenku
 DocType: Item Tax Template,Tax Rates,Daňové sadzby
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kód položky&gt; Skupina položiek&gt; Značka
 DocType: Asset,Asset Owner,Majiteľ majetku
 DocType: Item,Website Content,Obsah webových stránok
 DocType: Bank Account,Integration ID,Integračné ID
@@ -6635,6 +6726,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch objednávky
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Objednávky uvolněna pro výrobu.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Vyberte fiškálny rok ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Vyberte typ úveru pre spoločnosť {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,"POS Profile požadované, aby POS Vstup"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6663,6 +6755,7 @@
 DocType: Customer,Mention if non-standard receivable account,Zmienka v prípade neštandardnej pohľadávky účet
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,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: Bank Account,Is Default Account,Je predvolený účet
 DocType: Journal Entry Account,If Income or Expense,Pokud je výnos nebo náklad
 DocType: Course Topic,Course Topic,Téma kurzu
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Potvrdenie o konečnej platbe POS už existuje pre {0} od dátumu {1} do {2}
@@ -6675,7 +6768,7 @@
 DocType: Disease,Treatment Task,Liečebná úloha
 DocType: Payment Order Reference,Bank Account Details,Podrobnosti o bankovom účte
 DocType: Purchase Order Item,Blanket Order,Objednávka prikrývky
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Suma splácania musí byť vyššia ako
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Suma splácania musí byť vyššia ako
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Daňové Aktiva
 DocType: BOM Item,BOM No,BOM No
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Aktualizujte podrobnosti
@@ -6732,6 +6825,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Produkty spoločnosti WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},syntaktická chyba vo vzorci alebo stave: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Položka {0} ignorována, protože to není skladem"
+,Loan Security Status,Stav zabezpečenia úveru
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Nechcete-li použít Ceník článek v dané transakce, by měly být všechny platné pravidla pro tvorbu cen zakázáno."
 DocType: Payment Term,Day(s) after the end of the invoice month,Deň (dni) po skončení fakturačného mesiaca
 DocType: Assessment Group,Parent Assessment Group,Materská skupina Assessment
@@ -6746,7 +6840,6 @@
 DocType: Stock Entry Detail,Additional Cost,Dodatočné náklady
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu"
 DocType: Quality Inspection,Incoming,Přicházející
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nastavte číslovaciu sériu pre účasť cez Nastavenie&gt; Číslovacie série
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Predvolené daňové šablóny pre predaj a nákup sú vytvorené.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Hodnotenie výsledkov {0} už existuje.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Príklad: ABCD. #####. Ak je nastavená séria a v transakciách sa neuvádza dávka, potom sa na základe tejto série vytvorí automatické číslo dávky. Ak chcete vždy výslovne uviesť číslo dávky pre túto položku, ponechajte prázdne. Poznámka: Toto nastavenie bude mať prednosť pred prefixom série Naming v nastaveniach zásob."
@@ -6757,8 +6850,10 @@
 DocType: Contract,Party User,Používateľ strany
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Diela neboli vytvorené pre <b>{0}</b> . Prvok budete musieť vytvoriť ručne.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Filtrovanie spoločnosti nastavte prázdne, ak je položka Skupina pod skupinou &quot;Spoločnosť&quot;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Skupina zákazníkov&gt; Územie
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,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,Row # {0}: Serial No {1} does not match with {2} {3},Riadok # {0}: Výrobné číslo {1} nezodpovedá {2} {3}
+DocType: Loan Repayment,Interest Payable,Splatný úrok
 DocType: Stock Entry,Target Warehouse Address,Adresa cieľového skladu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Bežná priepustka
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Čas pred začiatkom zmeny, počas ktorého sa za účasť považuje registrácia zamestnancov."
@@ -6887,6 +6982,7 @@
 DocType: Issue,Reset Service Level Agreement,Obnoviť dohodu o úrovni služieb
 ,Sales Person-wise Transaction Summary,Prodej Person-moudrý Shrnutí transakce
 DocType: Training Event,Contact Number,Kontaktné číslo
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Suma úveru je povinná
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6935,6 +7031,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Zostatkové množstvo
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Na všetky vybrané položky sa použijú podmienky spolu.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Bránky nemôže byť prázdny
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Nesprávny sklad
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Zapisovanie študentov
 DocType: Item Group,Parent Item Group,Parent Item Group
 DocType: Appointment Type,Appointment Type,Typ schôdze
@@ -6990,10 +7087,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Priemerná hodnota
 DocType: Appointment,Appointment With,Schôdzka s
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková čiastka platby v pláne platieb sa musí rovnať veľkému / zaokrúhlenému súčtu
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označiť účasť ako <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Položka poskytovaná zákazníkom“ nemôže mať mieru ocenenia
 DocType: Subscription Plan Detail,Plan,plán
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bankový zostatok podľa hlavnej knihy
-DocType: Job Applicant,Applicant Name,Meno žiadateľa
+DocType: Appointment Letter,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**. 
 
@@ -7037,11 +7135,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Distribúcia
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Stav zamestnanca nie je možné nastaviť na „Zľava“, pretože tento zamestnanec v súčasnosti podáva správy tomuto zamestnancovi:"
-DocType: Journal Entry Account,Loan,pôžička
+DocType: Loan Repayment,Amount Paid,Zaplacené částky
+DocType: Loan Security Shortfall,Loan,pôžička
 DocType: Expense Claim Advance,Expense Claim Advance,Nároky na nárok na výdavky
 DocType: Lab Test,Report Preference,Preferencia prehľadu
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informácie o dobrovoľníkoch.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Project Manager
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Zoskupiť podľa zákazníka
 ,Quoted Item Comparison,Citoval Položka Porovnanie
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Odeslání
@@ -7061,6 +7161,7 @@
 DocType: Material Request Plan Item,Material Issue,Material Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Bezplatná položka nie je stanovená v cenovom pravidle {0}
 DocType: Employee Education,Qualification,Kvalifikace
+DocType: Loan Security Shortfall,Loan Security Shortfall,Nedostatok úverovej bezpečnosti
 DocType: Item Price,Item Price,Položka Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & Detergent
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zamestnanec {0} nepatrí do spoločnosti {1}
@@ -7083,6 +7184,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Podrobnosti o schôdzke
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Hotový výrobok
 DocType: Warehouse,Warehouse Name,Názov skladu
+DocType: Loan Security Pledge,Pledge Time,Pledge Time
 DocType: Naming Series,Select Transaction,Vybrat Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Zadejte Schvalování role nebo Schvalování Uživatel
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Dohoda o úrovni služieb s typom entity {0} a entitou {1} už existuje.
@@ -7090,7 +7192,6 @@
 DocType: BOM,Rate Of Materials Based On,Hodnotit materiálů na bázi
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ak je povolené, pole Akademický termín bude povinné v programe Program registrácie."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Hodnoty vyňatých, nulových a nemateriálnych vnútorných dodávok"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Zákazník&gt; Skupina zákazníkov&gt; Územie
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Spoločnosť</b> je povinný filter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Zrušte zaškrtnutie políčka všetko
 DocType: Purchase Taxes and Charges,On Item Quantity,Na množstvo položky
@@ -7136,7 +7237,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatek Množství
 DocType: Purchase Invoice,Input Service Distributor,Distribútor vstupných služieb
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Variant Položky {0} existuje s rovnakými vlastnosťami
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Nastavte Pomenovací systém inštruktorov v časti Vzdelanie&gt; Nastavenia vzdelávania
 DocType: Loan,Repay from Salary,Splatiť z platu
 DocType: Exotel Settings,API Token,Rozhranie API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Požiadavka na platbu proti {0} {1} na sumu {2}
@@ -7156,6 +7256,7 @@
 DocType: Salary Slip,Total Interest Amount,Celková výška úroku
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale dni
 DocType: Travel Itinerary,Arrival Datetime,Dátum príchodu
 DocType: Tax Rule,Billing Zipcode,Fakturačný PSČ
@@ -7342,6 +7443,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Hodiny
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Bola pre vás vytvorená nová schôdzka s {0}
 DocType: Project,Expected Start Date,Očekávané datum zahájení
+DocType: Work Order,This is a location where raw materials are available.,"Toto je miesto, kde sú k dispozícii suroviny."
 DocType: Purchase Invoice,04-Correction in Invoice,04 - Oprava faktúry
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Pracovná objednávka už vytvorená pre všetky položky s kusovníkom
 DocType: Bank Account,Party Details,Party Podrobnosti
@@ -7360,6 +7462,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Ponuky:
 DocType: Contract,Partially Fulfilled,Čiastočne splnené
 DocType: Maintenance Visit,Fully Completed,Plně Dokončeno
+DocType: Loan Security,Loan Security Name,Názov zabezpečenia úveru
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Špeciálne znaky s výnimkou „-“, „#“, „.“, „/“, „{“ A „}“ nie sú v názvových sériách povolené."
 DocType: Purchase Invoice Item,Is nil rated or exempted,Nie je hodnotené alebo vyňaté
 DocType: Employee,Educational Qualification,Vzdělávací Kvalifikace
@@ -7417,6 +7520,7 @@
 DocType: Program,Is Featured,Je odporúčané
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Načítanie ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Poľnohospodársky užívateľ
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Platné do dátumu nemôže byť pred dátumom transakcie
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7494,8 +7598,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Zamestnanec {0} je zapnutý Opustiť dňa {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Neboli vybraté žiadne splátky pre záznam denníka
 DocType: Purchase Invoice,GST Category,Kategória GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Navrhované záložné práva sú povinné pre zabezpečené pôžičky
 DocType: Payment Reconciliation,From Invoice Date,Z faktúry Dátum
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Rozpočty
 DocType: Invoice Discounting,Disbursed,vyplatená
@@ -7553,14 +7657,13 @@
 DocType: Restaurant,Active Menu,Aktívna ponuka
 DocType: Accounting Dimension Detail,Default Dimension,Predvolená dimenzia
 DocType: Target Detail,Target Qty,Target Množství
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Proti úveru: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Nastavenia checkout
 DocType: Student Attendance,Present,Současnost
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Delivery Note {0} nesmí být předloženy
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","E-mail s platom zaslaný zamestnancovi bude chránený heslom, heslo sa vygeneruje na základe politiky hesiel."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Počítadlo najazdených kilometrov
 DocType: Production Plan Item,Ordered Qty,Objednáno Množství
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Položka {0} je zakázaná
 DocType: Stock Settings,Stock Frozen Upto,Reklamní Frozen aľ
@@ -7619,7 +7722,6 @@
 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
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 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.
@@ -7718,6 +7820,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Aktuální
 DocType: Appointment,Skype ID,Skype identifikácia
 DocType: Restaurant Menu,Restaurant Manager,Manažér reštaurácie
+DocType: Loan,Penalty Income Account,Trestný účet
 DocType: Call Log,Call Log,Výpis hovorov
 DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Časového rozvrhu pre úlohy.
@@ -7806,6 +7909,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Schéma zľavy na výrobok
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Volajúci nenastolil žiadny problém.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Skupina podľa dodávateľa
 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,Currency can not be changed after making entries using some other currency,Mena nemôže byť zmenený po vykonaní položky pomocou inej mene
@@ -7816,7 +7920,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Na základe cenníka
 DocType: Customer Group,Parent Customer Group,Parent Customer Group
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,E-Way Bill JSON môže byť generovaný iba z predajnej faktúry
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Dosiahli ste maximálny počet pokusov o tento test!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,predplatné
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Tvorba poplatkov čaká
@@ -7834,6 +7937,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Preventívna údržba
 DocType: Delivery Note Item,Against Sales Invoice,Proti prodejní faktuře
 DocType: Purchase Invoice,07-Others,07-Iné
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Suma ponuky
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Zadajte sériové čísla pre sériovú položku
 DocType: Bin,Reserved Qty for Production,Vyhradené Množstvo pre výrobu
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Ponechajte nezačiarknuté, ak nechcete zohľadňovať dávku pri zaradení do skupín."
@@ -7944,6 +8048,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Doklad o zaplatení Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Vytvoriť požiadavku na materiál
+DocType: Loan Interest Accrual,Pending Principal Amount,Čakajúca hlavná suma
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"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 období mzdy, sa nedajú vypočítať {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7987,6 +8092,7 @@
 											to fullfill Sales Order {2}","Nie je možné dodať sériové číslo {0} položky {1}, pretože je rezervované \ na plnenie zákazky odberateľa {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Dodávateľ Cien {0} vytvoril
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge Type
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Koniec roka nemôže byť pred uvedením do prevádzky roku
 DocType: Employee Benefit Application,Employee Benefits,Zamestnanecké benefity
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,zamestnanecké ID
@@ -8069,6 +8175,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kód kurzu:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Prosím, zadejte výdajového účtu"
 DocType: Quality Action Resolution,Problem,problém
+DocType: Loan Security Type,Loan To Value Ratio,Pomer pôžičky k hodnote
 DocType: Account,Stock,Sklad
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8086,6 +8193,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Výpis transakcie z bankového výpisu
 DocType: Sales Invoice Item,Discount and Margin,Zľava a Margin
 DocType: Lab Test,Prescription,predpis
+DocType: Process Loan Security Shortfall,Update Time,Aktualizovať čas
 DocType: Import Supplier Invoice,Upload XML Invoices,Odovzdajte faktúry XML
 DocType: Company,Default Deferred Revenue Account,Predvolený účet odloženého výnosu
 DocType: Project,Second Email,Druhý e-mail
@@ -8099,7 +8207,7 @@
 DocType: Quality Action,Preventive,preventívna
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dodávky dodávané neregistrovaným osobám
 DocType: Company,Date of Incorporation,Dátum začlenenia
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Tax
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Total Tax
 DocType: Manufacturing Settings,Default Scrap Warehouse,Predvolený sklad šrotu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Posledná nákupná cena
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Pre Množstvo (Vyrobené ks) je povinné
@@ -8118,6 +8226,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Nastavte predvolený spôsob platby
 DocType: Stock Entry Detail,Against Stock Entry,Proti zásobám
 DocType: Grant Application,Withdrawn,uzavretý
+DocType: Loan Repayment,Regular Payment,Pravidelná platba
 DocType: Support Search Source,Support Search Source,Zdroj vyhľadávania podpory
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Hrubá Marža %
@@ -8130,8 +8239,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Bez platenia dane
 DocType: BOM Operation,BOM Operation,BOM Operation
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na předchozí řady Částka
+DocType: Student,Home Address,Adresa bydliska
 DocType: Options,Is Correct,Je správne
 DocType: Item,Has Expiry Date,Má dátum skončenia platnosti
+DocType: Loan Repayment,Paid Accrual Entries,Platené akruálne zápisy
+DocType: Loan Security,Loan Security Type,Druh zabezpečenia pôžičky
 apps/erpnext/erpnext/config/support.py,Issue Type.,Typ vydania.
 DocType: POS Profile,POS Profile,POS Profile
 DocType: Training Event,Event Name,Názov udalosti
@@ -8143,6 +8255,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Žiadne hodnoty
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Názov premennej
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,"Vyberte bankový účet, ktorý chcete zladiť."
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Položka {0} je šablóna, prosím vyberte jednu z jeho variantov"
 DocType: Purchase Invoice Item,Deferred Expense,Odložené náklady
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Späť na Správy
@@ -8194,7 +8307,6 @@
 DocType: GL Entry,To Rename,Premenovať
 DocType: Stock Entry,Repack,Přebalit
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Vyberte, ak chcete pridať sériové číslo."
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Nastavte Pomenovací systém inštruktorov v časti Vzdelanie&gt; Nastavenia vzdelávania
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Prosím, nastavte daňový kód pre zákazníka &#39;% s&#39;"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najskôr vyberte spoločnosť
 DocType: Item Attribute,Numeric Values,Číselné hodnoty
@@ -8218,6 +8330,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Načítať na základe FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root nelze upravovat.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Hodnota zabezpečenia úveru
 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
@@ -8264,6 +8377,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Nejdřív vyberte kategorii
 apps/erpnext/erpnext/config/projects.py,Project master.,Master Project.
 DocType: Contract,Contract Terms,Zmluvné podmienky
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sankčný limit sumy
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Pokračovať v konfigurácii
 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,Maximum benefit amount of component {0} exceeds {1},Maximálna výška dávky komponentu {0} presahuje {1}
@@ -8296,6 +8410,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Zobraziť denník hovorov
 DocType: BOM Operation,Operating Cost(Company Currency),Prevádzkové náklady (Company mena)
 DocType: Loan Application,Rate of Interest,Úroková sadzba
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Pôžička na zabezpečenie úveru sa už zaviazala proti pôžičke {0}
 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á
@@ -8309,3 +8424,4 @@
 DocType: Account,Cash,V hotovosti
 DocType: Sales Invoice,Unpaid and Discounted,Nezaplatené a diskontované
 DocType: Employee,Short biography for website and other publications.,Krátký životopis na internetové stránky a dalších publikací.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,"Riadok # {0}: Nie je možné vybrať dodávateľa, zatiaľ čo dodávame suroviny subdodávateľovi"
diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv
index 8eef545..eabbe3f 100644
--- a/erpnext/translations/sl.csv
+++ b/erpnext/translations/sl.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Priložnost izgubljen razlog
 DocType: Patient Appointment,Check availability,Preveri razpoložljivost
 DocType: Retention Bonus,Bonus Payment Date,Datum plačila bonusa
-DocType: Employee,Job Applicant,Job Predlagatelj
+DocType: Appointment Letter,Job Applicant,Job Predlagatelj
 DocType: Job Card,Total Time in Mins,Skupni čas v min
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontaktni podatki
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Poiščite karkoli ...
 ,Stock and Account Value Comparison,Primerjava zalog in računa
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Izplačani znesek ne sme biti večji od zneska posojila
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Zanima
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Otvoritev
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,"Velja od časa, mora biti krajši od veljavnega Upto časa."
 DocType: Item,Copy From Item Group,Kopiranje iz postavke skupine
 DocType: Journal Entry,Opening Entry,Otvoritev Začetek
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Račun Pay samo
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,razred
 DocType: Restaurant Table,No of Seats,Število sedežev
+DocType: Loan Type,Grace Period in Days,Milostno obdobje v dnevih
 DocType: Sales Invoice,Overdue and Discounted,Prepozno in znižano
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Sredstvo {0} ne pripada skrbniku {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Klic prekinjen
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Predpisani postopki
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Prikaži samo POS
 DocType: Supplier Group,Supplier Group Name,Ime skupine izvajalcev
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi udeležbo kot <b></b>
 DocType: Driver,Driving License Categories,Kategorije vozniških dovoljenj
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vnesite datum dostave
 DocType: Depreciation Schedule,Make Depreciation Entry,Naj Amortizacija Začetek
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Podrobnosti o poslovanju izvajajo.
 DocType: Asset Maintenance Log,Maintenance Status,Status vzdrževanje
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Znesek davka na postavke je vključen v vrednost
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Varnost posojila ni dovoljena
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Podrobnosti o članstvu
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: zahtevan je Dobavitelj za račun izdatkov {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Predmeti in Cene
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Skupno število ur: {0}
+DocType: Loan,Loan Manager,Vodja posojil
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma mora biti v poslovnem letu. Ob predpostavki Od datuma = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Posodobljeno preko &quot;Čas Logu&quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Izberite kupca ali dobavitelja.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Koda države v datoteki se ne ujema s kodo države, nastavljeno v sistemu"
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Račun {0} ne pripada družbi {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Za privzeto izberite samo eno prednostno nalogo.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Pustite blokiranih
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,bančni vnosi
-DocType: Customer,Is Internal Customer,Je notranja stranka
+DocType: Sales Invoice,Is Internal Customer,Je notranja stranka
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Zahteva za material
 DocType: Bank Reconciliation,Update Clearance Date,Posodobitev Potrditev Datum
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Število kosov
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Posojila ni mogoče ustvariti, dokler aplikacija ni odobrena"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Pravilno
 DocType: Student Guardian,Mother,mati
 DocType: Restaurant Reservation,Reservation End Time,Končni čas rezervacije
+DocType: Salary Slip Loan,Loan Repayment Entry,Vnos vračila posojila
 DocType: Crop,Biennial,Bienale
 ,BOM Variance Report,Poročilo o varstvu BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Potrjena naročila od strank.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Plačilo pred {0} {1} ne sme biti večja od neporavnanega zneska {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Vse enote zdravstvenega varstva
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,O pretvorbi priložnosti
+DocType: Loan,Total Principal Paid,Skupna plačana glavnica
 DocType: Bank Account,Address HTML,Naslov HTML
 DocType: Lead,Mobile No.,Mobilni No.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Način plačila
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Stanje v osnovni valuti
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max razred
 DocType: Email Digest,New Quotations,Nove ponudbe
+DocType: Loan Interest Accrual,Loan Interest Accrual,Porazdelitev posojil
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Udeležba ni potrjena {0} kot {1} na dopustu.
 DocType: Journal Entry,Payment Order,Plačilni nalog
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,preveri email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Dohodek iz drugih virov
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Če je prazno, se upošteva nadrejeni račun skladišča ali privzeto podjetje"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-pošta plačilni list na zaposlenega, ki temelji na prednostni e-pošti izbrani na zaposlenega"
+DocType: Work Order,This is a location where operations are executed.,"To je mesto, kjer se izvajajo operacije."
 DocType: Tax Rule,Shipping County,Dostava County
 DocType: Currency Exchange,For Selling,Za prodajo
 apps/erpnext/erpnext/config/desktop.py,Learn,Naučite
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Uporabljena koda kupona
 DocType: Asset,Next Depreciation Date,Naslednja Amortizacija Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Stroški dejavnost na zaposlenega
+DocType: Loan Security,Haircut %,Odbitki%
 DocType: Accounts Settings,Settings for Accounts,Nastavitve za račune
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Dobavitelj računa ni v računu o nakupu obstaja {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Upravljanje drevesa prodajalca.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Prosimo, nastavite hotelsko sobo na {"
 DocType: Journal Entry,Multi Currency,Multi Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Račun Type
+DocType: Loan,Loan Security Details,Podrobnosti o posojilu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,"Velja od datuma, ki mora biti manjši od veljavnega do datuma"
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Med usklajevanjem {0} je prišlo do izjeme.
 DocType: Purchase Invoice,Set Accepted Warehouse,Nastavite Sprejeto skladišče
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Zahtevajte odobritev testa za laboratorij
 DocType: Attendance,Working Hours,Delovni čas
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Skupaj izjemen
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor konverzije za UOM ({0} -&gt; {1}) za element: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Spremenite izhodiščno / trenutno zaporedno številko obstoječega zaporedja.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Odstotek vam lahko zaračuna več v primerjavi z naročenim zneskom. Na primer: Če je vrednost naročila za izdelek 100 USD in je toleranca nastavljena na 10%, potem lahko zaračunate 110 USD."
 DocType: Dosage Strength,Strength,Moč
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Datum vozilo
 DocType: Campaign Email Schedule,Campaign Email Schedule,Načrt e-poštnih sporočil kampanje
 DocType: Student Log,Medical,Medical
+DocType: Work Order,This is a location where scraped materials are stored.,"To je mesto, kjer se hranijo razrezani materiali."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Izberite Drogo
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Svinec Lastnik ne more biti isto kot vodilni
 DocType: Announcement,Receiver,sprejemnik
@@ -892,7 +904,7 @@
 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: BOM,Total Cost (Company Currency),Skupni stroški (valuta podjetja)
-DocType: Loan,Total Payment,Skupaj plačila
+DocType: Repayment Schedule,Total Payment,Skupaj plačila
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO je že ustvarjen za vse postavke prodajnega naročila
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Opozori na naročila za nakup
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Najem od datuma
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dovolj deli za izgradnjo
+DocType: Loan Security,Loan Security Code,Kodeks za posojilo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Najprej shranite
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Predmeti so potrebni za vlečenje surovin, ki so z njim povezane."
 DocType: POS Profile User,POS Profile User,POS profil uporabnika
@@ -975,6 +988,7 @@
 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,Stock Entries already created for Work Order ,"Zaloge, ki so že bile ustvarjene za delovno nalogo"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Koda izdelka&gt; Skupina izdelkov&gt; Blagovna znamka
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Glej pretekla naročila
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} pogovori
 DocType: Vital Signs,Respiratory rate,Stopnja dihanja
@@ -1007,7 +1021,6 @@
 DocType: Company,Delete Company Transactions,Izbriši transakcije družbe
 DocType: Production Plan Item,Quantity and Description,Količina in opis
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenčna številka in referenčni datum je obvezna za banke transakcijo
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Prosimo, nastavite Naming Series za {0} z nastavitvijo&gt; Settings&gt; Naming Series"
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / Uredi davkov in dajatev
 DocType: Payment Entry Reference,Supplier Invoice No,Dobavitelj Račun Ne
 DocType: Territory,For reference,Za sklic
@@ -1038,6 +1051,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Davčni odtegljaj
 DocType: Pricing Rule,Sales Partner,Prodaja Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Vse ocenjevalne table dobaviteljev.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Znesek naročila
+DocType: Loan,Disbursed Amount,Izplačana znesek
 DocType: Buying Settings,Purchase Receipt Required,Potrdilo o nakupu Obvezno
 DocType: Sales Invoice,Rail,Železnica
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Dejanski stroški
@@ -1078,6 +1093,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Povezava na QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Opišite / ustvarite račun (knjigo) za vrsto - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Plačljivo račun
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Za vnos plačil je obvezen račun
 DocType: Payment Entry,Type of Payment,Vrsta plačila
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Datum poldnevnika je obvezen
 DocType: Sales Order,Billing and Delivery Status,Zaračunavanje in Delivery Status
@@ -1117,7 +1133,7 @@
 DocType: Purchase Order Item,Billed Amt,Bremenjenega Amt
 DocType: Training Result Employee,Training Result Employee,Usposabljanje Rezultat zaposlenih
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,"Logično Warehouse, zoper katerega so narejeni vnosov zalog."
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,glavni Znesek
+DocType: Repayment Schedule,Principal Amount,glavni Znesek
 DocType: Loan Application,Total Payable Interest,Skupaj plačljivo Obresti
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Skupno izjemno: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Odprite stik
@@ -1131,6 +1147,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Predmeti
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dobavitelj&gt; Vrsta dobavitelja
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Predlog Pisanje
 DocType: Payment Entry Deduction,Payment Entry Deduction,Plačilo Začetek odštevanja
 DocType: Service Level Priority,Service Level Priority,Prednostna raven storitve
@@ -1164,6 +1181,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Ustvarjanje študentskih skupin
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Ustvarjanje študentskih skupin
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Plačilo Gateway računa ni ustvaril, si ustvariti ročno."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},"Skupinskih skladišč ni mogoče uporabiti pri transakcijah. Prosimo, spremenite vrednost {0}"
 DocType: Supplier Scorecard,Per Year,Letno
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ni upravičen do sprejema v tem programu kot na DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Vrstica # {0}: izdelka ni mogoče izbrisati {1}, ki je dodeljen naročilu stranke."
@@ -1288,7 +1306,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Pri ustvarjanju računa za otroško podjetje {0}, nadrejenega računa {1} ni mogoče najti. Ustvarite nadrejeni račun v ustreznem COA"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Razdelitev izdaje
 DocType: Student Attendance,Student Attendance,študent Udeležba
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Ni podatkov za izvoz
 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
@@ -1301,6 +1318,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Dejanski datum dostave
 DocType: Lab Test,Test Template,Preskusna predloga
+DocType: Loan Security Pledge,Securities,Vrednostni papirji
 DocType: Restaurant Order Entry Item,Served,Servirano
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Podatki o poglavju.
 DocType: Account,Accounts,Računi
@@ -1395,6 +1413,7 @@
 DocType: Inpatient Record,O Negative,O Negativno
 DocType: Work Order Operation,Planned End Time,Načrtovano Končni čas
 DocType: POS Profile,Only show Items from these Item Groups,Prikažite samo izdelke iz teh skupin predmetov
+DocType: Loan,Is Secured Loan,Je zavarovana posojila
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Podatki o tipu memebership
 DocType: Delivery Note,Customer's Purchase Order No,Stranke Naročilo Ne
@@ -1431,6 +1450,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Pojdite iz srečanja s pacientom
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor konverzije za UOM ({0} -&gt; {1}) za element: {2}
 DocType: Subscriber,Subscriber,Naročnik
 DocType: Item Attribute Value,Item Attribute Value,Postavka Lastnost Vrednost
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Menjalnica mora veljati za nakup ali prodajo.
@@ -1510,6 +1530,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Ne Dovoljenje
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolni seznam izpolnjevanja pogodb
 DocType: Vital Signs,Heart Rate / Pulse,Srčni utrip / pulz
+DocType: Customer,Default Company Bank Account,Privzeti bančni račun podjetja
 DocType: Supplier,Default Bank Account,Privzeti bančni račun
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Za filtriranje, ki temelji na stranke, da izberete Party Vnesite prvi"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"'Posodobi zalogo' ne more biti izbrano, saj artikli niso dostavljeni prek {0}"
@@ -1628,7 +1649,6 @@
 DocType: Sales Team,Incentives,Spodbude
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vrednosti niso sinhronizirane
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vrednost razlike
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nastavite serijsko številčenje za udeležbo prek Setup&gt; Numbering Series
 DocType: SMS Log,Requested Numbers,Zahtevane številke
 DocType: Volunteer,Evening,Večer
 DocType: Quiz,Quiz Configuration,Konfiguracija kviza
@@ -1648,6 +1668,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Na prejšnje vrstice Skupaj
 DocType: Purchase Invoice Item,Rejected Qty,zavrnjen Kol
 DocType: Setup Progress Action,Action Field,Polje delovanja
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Vrsta posojila za obresti in kazenske stopnje
 DocType: Healthcare Settings,Manage Customer,Upravljajte stranko
 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
@@ -1659,6 +1680,7 @@
 ,Final Assessment Grades,Končne ocene
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Ime vašega podjetja, za katero ste vzpostavitvijo tega sistema."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Vključi počitnice v Total no. delovnih dni
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Od skupne vsote
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Nastavite svoj inštitut v ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza rastlin
 DocType: Task,Timeline,Časovnica
@@ -1666,9 +1688,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Nadomestna postavka
 DocType: Shopify Log,Request Data,Zahtevajte podatke
 DocType: Employee,Date of Joining,Datum pridružitve
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Posodobi zaporedje
 DocType: Supplier Quotation,Is Subcontracted,Je v podizvajanje
 DocType: Restaurant Table,Minimum Seating,Najmanjše število sedežev
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Vprašanje ni mogoče podvojiti
 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,Purchase Receipt,Potrdilo o nakupu
@@ -1770,6 +1794,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinhronizacija Offline Računi
 DocType: Payment Request,Paid,Plačan
 DocType: Service Level,Default Priority,Privzeta prioriteta
+DocType: Pledge,Pledge,Obljuba
 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."
@@ -1783,6 +1808,7 @@
 DocType: Guardian,Guardian Name,Ime Guardian
 DocType: Cheque Print Template,Has Print Format,Ima format tiskanja
 DocType: Support Settings,Get Started Sections,Začnite razdelke
+,Loan Repayment and Closure,Povračilo in zaprtje posojila
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sankcionirano
 ,Base Amount,Osnovni znesek
@@ -1793,10 +1819,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Od kraja
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Znesek posojila ne sme biti večji od {0}
 DocType: Student Admission,Publish on website,Objavi na spletni strani
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Datum dobavitelj na računu ne sme biti večja od Napotitev Datum
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.LLLL.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Koda izdelka&gt; Skupina izdelkov&gt; Blagovna znamka
 DocType: Subscription,Cancelation Date,Datum preklica
 DocType: Purchase Invoice Item,Purchase Order Item,Naročilnica item
 DocType: Agriculture Task,Agriculture Task,Kmetijska naloga
@@ -1815,7 +1841,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Dodatni popust Odstotek
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Oglejte si seznam vseh videoposnetkov pomočjo
 DocType: Agriculture Analysis Criteria,Soil Texture,Tekstura za tla
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Izberite račun vodja banke, kjer je bila deponirana pregled."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,"Dovoli uporabniku, da uredite Cenik Ocenite v transakcijah"
 DocType: Pricing Rule,Max Qty,Max Kol
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Kartica za tiskanje poročila
@@ -1949,7 +1974,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Ko je nastavljen, bo ta račun zadržan do določenega datuma"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Prodajni Znesek
-DocType: Repayment Schedule,Interest Amount,Obresti Znesek
+DocType: Loan Interest Accrual,Interest Amount,Obresti Znesek
 DocType: Job Card,Time Logs,Čas Dnevniki
 DocType: Sales Invoice,Loyalty Amount,Znesek zvestobe
 DocType: Employee Transfer,Employee Transfer Detail,Podrobnosti o prenosu zaposlencev
@@ -1964,6 +1989,7 @@
 DocType: Cashier Closing,Returns,Vračila
 DocType: Job Card,WIP Warehouse,WIP Skladišče
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serijska št {0} je pod vzdrževalne pogodbe stanuje {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Omejena dovoljena količina presežena za {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,zaposlovanje
 DocType: Lead,Organization Name,Organization Name
 DocType: Support Settings,Show Latest Forum Posts,Pokaži zadnje objave foruma
@@ -1990,7 +2016,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Postavke nakupnih naročil so prepozne
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Poštna številka
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Naročilo {0} je {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Izdelava vnosov Zalog
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Zaposlenca s statusom Levo ni mogoče spodbujati
@@ -2075,7 +2100,6 @@
 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,Start Year,Začetek Leto
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Ustvari posojilo
 DocType: Purchase Invoice,Start date of current invoice's period,Datum začetka obdobja sedanje faktura je
 DocType: Shift Type,Process Attendance After,Obiskanost procesa po
 ,IRS 1099,IRS 1099
@@ -2096,6 +2120,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Izberite svoje domene
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Dobavitelj
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Točke plačilne fakture
+DocType: Repayment Schedule,Is Accrued,Je zapadlo v plačilo
 DocType: Payroll Entry,Employee Details,Podrobnosti o zaposlenih
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Obdelava datotek XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2127,6 +2152,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Vnos točke zvestobe
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Privzeto Element Group
+DocType: Loan,Partially Disbursed,delno črpanju
 DocType: Job Card Time Log,Time In Mins,Čas v minutah
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Informacije o donaciji.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"S tem dejanjem boste povezali ta račun s katero koli zunanjo storitvijo, ki povezuje ERPNext z vašimi bančnimi računi. Ni mogoče razveljaviti. Ste prepričani?"
@@ -2142,6 +2168,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Isti element ni mogoče vnesti večkrat.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Zaprtje posojila
 DocType: Call Log,Lead,Ponudba
 DocType: Email Digest,Payables,Obveznosti
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2175,6 +2202,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Davek na zaposlene in ugodnosti
 DocType: Bank Guarantee,Validity in Days,Veljavnost v dnevih
 DocType: Bank Guarantee,Validity in Days,Veljavnost v dnevih
+DocType: Unpledge,Haircut,Pričeska
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-oblika ne velja za računa: {0}
 DocType: Certified Consultant,Name of Consultant,Ime svetovalca
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled Plačilni Podrobnosti
@@ -2228,7 +2256,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Ostali svet
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Postavki {0} ne more imeti Batch
 DocType: Crop,Yield UOM,Donosnost UOM
+DocType: Loan Security Pledge,Partially Pledged,Delno zastavljeno
 ,Budget Variance Report,Proračun Varianca Poročilo
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Doseženi znesek posojila
 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,Get Items from Healthcare Services,Pridobite predmete iz zdravstvenih storitev
@@ -2263,6 +2293,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nov postopek kakovosti
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},"Saldo račun {0}, morajo biti vedno {1}"
 DocType: Patient Appointment,More Info,Več informacij
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Datum rojstva ne sme biti večji od datuma pridružitve.
 DocType: Supplier Scorecard,Scorecard Actions,Akcije kazalnikov
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dobavitelj {0} ni bil najden v {1}
 DocType: Purchase Invoice,Rejected Warehouse,Zavrnjeno Skladišče
@@ -2360,6 +2391,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Najprej nastavite kodo izdelka
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Izdelano jamstvo za posojilo: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Imenovanja in srečanja s pacienti
@@ -2415,6 +2447,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Število sočasnih sestankov
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Uvod
 DocType: Purchase Invoice,Taxes and Charges Calculation,Davki in dajatve Izračun
+DocType: Loan Interest Accrual,Payable Principal Amount,Plačljiva glavnica
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Knjiga sredstev Amortizacija Začetek samodejno
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Knjiga sredstev Amortizacija Začetek samodejno
 DocType: BOM Operation,Workstation,Workstation
@@ -2452,7 +2485,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Hrana
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Staranje Območje 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Podrobnosti POS pridržka
-DocType: Bank Account,Is the Default Account,Ali je privzeti račun
 DocType: Shopify Log,Shopify Log,Nakup dnevnika
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Sporočila ni mogoče najti.
 DocType: Inpatient Occupancy,Check In,Prijava
@@ -2510,12 +2542,14 @@
 DocType: Sales Order Item,Planned Quantity,Načrtovana Količina
 DocType: Water Analysis,Water Analysis Criteria,Kriteriji za analizo vode
 DocType: Item,Maintain Stock,Ohraniti Zalogo
+DocType: Loan Security Unpledge,Unpledge Time,Čas odstranjevanja
 DocType: Terms and Conditions,Applicable Modules,Veljavni moduli
 DocType: Employee,Prefered Email,Prednostna pošta
 DocType: Student Admission,Eligibility and Details,Upravičenost in podrobnosti
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Vključeno v bruto dobiček
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Neto sprememba v osnovno sredstvo
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Na tem mestu je shranjen končni izdelek.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datetime
@@ -2556,8 +2590,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garancija / AMC Status
 ,Accounts Browser,Računi Browser
 DocType: Procedure Prescription,Referral,Napotitev
+,Territory-wise Sales,Ozemeljska prodaja
 DocType: Payment Entry Reference,Payment Entry Reference,Plačilo Začetek Reference
 DocType: GL Entry,GL Entry,GL Začetek
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Vrstica # {0}: Sprejeta skladišča in skladišča dobaviteljev ne morejo biti enaka
 DocType: Support Search Source,Response Options,Možnosti odziva
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Uporabite pravila več cen
 DocType: HR Settings,Employee Settings,Nastavitve zaposlenih
@@ -2617,6 +2653,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Kmetijstvo (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Pakiranje listek
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Prosimo, nastavite Naming Series za {0} z nastavitvijo&gt; Settings&gt; Naming Series"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Urad za najem
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Nastavitve Setup SMS gateway
 DocType: Disease,Common Name,Pogosto ime
@@ -2633,6 +2670,7 @@
 DocType: Item,Sales Details,Prodajna Podrobnosti
 DocType: Coupon Code,Used,Rabljeni
 DocType: Opportunity,With Items,Z Items
+DocType: Vehicle Log,last Odometer Value ,zadnja vrednost odometra
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampanja &#39;{0}&#39; že obstaja za {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Vzdrževalna ekipa
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Vrstni red, v katerem morajo biti razdelki. 0 je prvo, 1 je drugo in tako naprej."
@@ -2643,7 +2681,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense Zahtevek {0} že obstaja za Prijavi vozil
 DocType: Asset Movement Item,Source Location,Izvorna lokacija
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Ime Institute
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vnesite odplačevanja Znesek
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Vnesite odplačevanja Znesek
 DocType: Shift Type,Working Hours Threshold for Absent,Mejna vrednost delovnega časa za odsotne
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Na podlagi skupnih porabljenih sredstev je lahko več faktorjev zbiranja. Toda pretvorbeni faktor za odkup bo vedno enak za vse stopnje.
 apps/erpnext/erpnext/config/help.py,Item Variants,Artikel Variante
@@ -2667,6 +2705,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} mora biti manjši od {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Najprej izberite vrsto prosilca
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Izberite BOM, Qty in Za skladišče"
 DocType: GST HSN Code,GST HSN Code,DDV HSN koda
 DocType: Employee External Work History,Total Experience,Skupaj Izkušnje
@@ -2757,7 +2796,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Za element {0} ni najdena aktivna BOM. Dostava z \ Serial No ne more biti zagotovljena
 DocType: Sales Partner,Sales Partner Target,Prodaja Partner Target
-DocType: Loan Type,Maximum Loan Amount,Največja Znesek posojila
+DocType: Loan Application,Maximum Loan Amount,Največja Znesek posojila
 DocType: Coupon Code,Pricing Rule,Cen Pravilo
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Podvojena številka rola študent {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Podvojena številka rola študent {0}
@@ -2781,6 +2820,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Listi Dodeljena Uspešno za {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Ni prispevkov za pakiranje
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Trenutno so podprte samo datoteke .csv in .xlsx
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Prosimo, nastavite sistem poimenovanja zaposlenih v kadrovskem sektorju&gt; Nastavitve človeških virov"
 DocType: Shipping Rule Condition,From Value,Od vrednosti
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezna
 DocType: Loan,Repayment Method,Povračilo Metoda
@@ -2864,6 +2904,7 @@
 DocType: Customer,Customer POS Id,ID POS stranka
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Študent z e-pošto {0} ne obstaja
 DocType: Account,Account Name,Ime računa
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Doseženi znesek posojila že obstaja za {0} proti podjetju {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Od datum ne more biti večja kot doslej
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serijska št {0} količina {1} ne more biti del
 DocType: Pricing Rule,Apply Discount on Rate,Uporabite popust na ceno
@@ -2935,6 +2976,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Čisti dobiček
 DocType: Purchase Invoice,Eligibility For ITC,Upravičenost do ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-YYYY-
+DocType: Loan Security Pledge,Unpledged,Neodključeno
 DocType: Journal Entry,Entry Type,Začetek Type
 ,Customer Credit Balance,Stranka Credit Balance
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto sprememba obveznosti do dobaviteljev
@@ -2946,6 +2988,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID naprave za udeležbo (ID biometrične / RF oznake)
 DocType: Quotation,Term Details,Izraz Podrobnosti
 DocType: Item,Over Delivery/Receipt Allowance (%),Nadomestilo za dostavo / prejem (%)
+DocType: Appointment Letter,Appointment Letter Template,Predloga pisma o imenovanju
 DocType: Employee Incentive,Employee Incentive,Spodbujanje zaposlenih
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Skupaj (brez davka)
@@ -2970,6 +3013,7 @@
 					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."
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Prekinitev povezave med Plačilo na Izbris računa
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Proračun za obresti za posojila
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Trenutni Stanje kilometrov vpisana mora biti večja od začetne števca prevožene poti vozila {0}
 ,Purchase Order Items To Be Received or Billed,"Nabavni predmeti, ki jih je treba prejeti ali plačati"
 DocType: Restaurant Reservation,No Show,Ni predstave
@@ -3056,6 +3100,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Stroškovno mesto je zahtevano za ""Izkaz poslovnega izida"" računa {2}. Nastavite privzeto stroškovno mesto za družbo."
 DocType: Payment Schedule,Payment Term,Pogoji plačila
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"A Skupina kupcev obstaja z istim imenom, prosimo spremenite ime stranke ali preimenovati skupino odjemalcev"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Končni datum sprejema bi moral biti večji od začetnega datuma sprejema.
 DocType: Location,Area,Območje
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Nov kontakt
 DocType: Company,Company Description,Opis podjetja
@@ -3131,6 +3176,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapirani podatki
 DocType: Purchase Order Item,Warehouse and Reference,Skladišče in Reference
 DocType: Payroll Period Date,Payroll Period Date,Datum roka plačila
+DocType: Loan Disbursement,Against Loan,Proti posojilom
 DocType: Supplier,Statutory info and other general information about your Supplier,Statutarna info in druge splošne informacije o vašem dobavitelju
 DocType: Item,Serial Nos and Batches,Serijska št in Serije
 DocType: Item,Serial Nos and Batches,Serijska št in Serije
@@ -3198,6 +3244,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Izberite podjetje
 DocType: Delivery Settings,Delivery Settings,Nastavitve dostave
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Pridobi podatke
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Odstranjevanja več kot {0} ni mogoče od {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Največji dovoljeni dopust v tipu dopusta {0} je {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Objavite 1 kos
 DocType: SMS Center,Create Receiver List,Ustvarite sprejemnik seznam
@@ -3346,6 +3393,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Osnovna Znesek (družba Valuta)
 DocType: Purchase Invoice,Registered Regular,Registrirano redno
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Surovine
+DocType: Plaid Settings,sandbox,peskovnik
 DocType: Payment Reconciliation Payment,Reference Row,referenčna Row
 DocType: Installation Note,Installation Time,Namestitev čas
 DocType: Sales Invoice,Accounting Details,Računovodstvo Podrobnosti
@@ -3358,12 +3406,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Vrsta transakcije
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Merila sprejemljivosti
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Vnesite Material Prošnje v zgornji tabeli
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Skupaj plačljivo Znesek
 DocType: Task,Expected Time (in hours),Pričakovani čas (v urah)
 DocType: Item Reorder,Check in (group),Preverite v (skupina)
 DocType: Soil Texture,Silt,Silt
@@ -3394,6 +3441,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Davek od odbitka za neosnovan dokaz o davčni oprostitvi
 DocType: Volunteer,Anytime,Kadarkoli
 DocType: Bank Account,Bank Account No,Bančni račun št
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Izplačilo in vračilo
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Predložitev dokazila o oprostitvi davka na zaposlene
 DocType: Patient,Surgical History,Kirurška zgodovina
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3458,6 +3506,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Ustvari laboratorijske teste na računu za prodajo
 DocType: Serial No,Invoice Details,Podrobnosti na računu
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Strukturo plače je treba predložiti pred predložitvijo izjave o oprostitvi davka
+DocType: Loan Application,Proposed Pledges,Predlagane obljube
 DocType: Grant Application,Show on Website,Prikaži na spletni strani
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Začni
 DocType: Hub Tracked Item,Hub Category,Kategorija vozlišča
@@ -3469,7 +3518,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Stalni ocenjevalni list dobavitelja
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Vrstica {0}: Kosovnica nismo našli v postavki {1}
 DocType: Contract Fulfilment Checklist,Requirement,Zahteva
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Prosimo, nastavite sistem poimenovanja zaposlenih v kadrovski službi&gt; Nastavitve človeških virov"
 DocType: Journal Entry,Accounts Receivable,Terjatve
 DocType: Quality Goal,Objectives,Cilji
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Vloga dovoljena za ustvarjanje programa za nazaj
@@ -3482,6 +3530,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Vključi usklajene vnose
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Skupni dodeljeni znesek ({0}) je podmazan od plačanega zneska ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuirajo pristojbin na podlagi
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Plačani znesek ne sme biti manjši od {0}
 DocType: Projects Settings,Timesheets,Evidence prisotnosti
 DocType: HR Settings,HR Settings,Nastavitve človeških virov
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Mojstri računovodstva
@@ -3627,6 +3676,7 @@
 DocType: Employee,Health Insurance,Zdravstveno zavarovanje
 DocType: Asset Repair,Manufacturing Manager,Upravnik proizvodnje
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serijska št {0} je pod garancijo stanuje {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Znesek posojila presega najvišji znesek posojila {0} glede na predlagane vrednostne papirje
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Najmanjša dovoljena vrednost
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Uporabnik {0} že obstaja
 apps/erpnext/erpnext/hooks.py,Shipments,Pošiljke
@@ -3671,7 +3721,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Vrsta podjetja
 DocType: Sales Invoice,Consumer,Potrošniški
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosimo, izberite Dodeljeni znesek, fakture Vrsta in številka računa v atleast eno vrstico"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Prosimo, nastavite Naming Series za {0} z nastavitvijo&gt; Settings&gt; Naming Series"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Stroški New Nakup
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order potreben za postavko {0}
 DocType: Grant Application,Grant Description,Grant Opis
@@ -3680,6 +3729,7 @@
 DocType: Subscription,Discounts,Popusti
 DocType: Bank Transaction,Unallocated Amount,nerazporejena Znesek
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,"Prosimo, omogočite veljavno naročilo in veljavne stroške rezervacije"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} ni bančni račun podjetja
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,"Ne morete najti ujemanja artikel. Prosimo, izberite kakšno drugo vrednost za {0}."
 DocType: POS Profile,Taxes and Charges,Davki in dajatve
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Izdelek ali storitev, ki je kupil, prodal ali jih hranijo na zalogi."
@@ -3730,6 +3780,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Velja od datuma mora biti manjši od veljavnega datuma uveljavitve.
 DocType: Employee Skill,Evaluation Date,Datum ocenjevanja
 DocType: Quotation Item,Stock Balance,Stock Balance
+DocType: Loan Security Pledge,Total Security Value,Skupna vrednost varnosti
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sales Order do plačila
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,direktor
 DocType: Purchase Invoice,With Payment of Tax,S plačilom davka
@@ -3742,6 +3793,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Račun {0} ne obstaja v grafikonu nadzorne plošče {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Prikaži lastnosti različic
@@ -3823,6 +3875,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutni tečaj Vrednotenje
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Število korenskih računov ne sme biti manjše od 4
 DocType: Training Event,Advance,Napredovanje
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Proti posojilu:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless nastavitve plačilnih prehodov
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange dobiček / izguba
 DocType: Opportunity,Lost Reason,Razlog za izgubljeno
@@ -3907,8 +3960,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Izberite Serija št
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Neveljavna {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Vrstica {0}: datum rojstva brata ne more biti večji kot danes.
 DocType: Fee Validity,Reference Inv,Reference Inv
 DocType: Sales Invoice Advance,Advance Amount,Advance Znesek
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Kazenska obrestna mera (%) na dan
 DocType: Manufacturing Settings,Capacity Planning,Načrtovanje zmogljivosti
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Prilagajanje zaokroževanja (Valuta podjetja
 DocType: Asset,Policy number,Številka politike
@@ -3924,7 +3979,9 @@
 DocType: Normal Test Items,Require Result Value,Zahtevajte vrednost rezultata
 DocType: Purchase Invoice,Pricing Rules,Pravila cen
 DocType: Item,Show a slideshow at the top of the page,Prikaži diaprojekcijo na vrhu strani
+DocType: Appointment Letter,Body,Telo
 DocType: Tax Withholding Rate,Tax Withholding Rate,Davčna stopnja zadržanja
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Datum začetka poplačila je obvezen za posojila
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Trgovine
@@ -3944,7 +4001,7 @@
 DocType: Call Log,Received By,Prejeto od
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trajanje sestanka (v minutah)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobnosti o predlogi za kartiranje denarnega toka
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Upravljanje posojil
+DocType: Loan,Loan Management,Upravljanje posojil
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sledi ločeno prihodki in odhodki za vertikal proizvodov ali delitve.
 DocType: Rename Tool,Rename Tool,Preimenovanje orodje
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Posodobitev Stroški
@@ -3952,6 +4009,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,Obrazec GSTR3B
 DocType: Sales Invoice,Mode of Transport,Način prevoza
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Prikaži Plača listek
+DocType: Loan,Is Term Loan,Je Term Posojilo
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Prenos Material
 DocType: Fees,Send Payment Request,Pošiljanje zahtevka za plačilo
 DocType: Travel Request,Any other details,Kakšne druge podrobnosti
@@ -3969,6 +4027,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Denarni tok iz financiranja
 DocType: Budget Account,Budget Account,proračun računa
 DocType: Quality Inspection,Verified By,Verified by
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Dodaj varnost posojila
 DocType: Travel Request,Name of Organizer,Ime organizatorja
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne more spremeniti privzeto valuto družbe, saj so obstoječi posli. Transakcije se treba odpovedati, da spremenite privzeto valuto."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Je obveznost dohodnine
@@ -4019,6 +4078,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Zahtevani Na
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Če je označeno, se v plačah zakriva in onemogoči polje Zaokroženo skupno"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,To je privzeti odmik (dni) za datum dostave v prodajnih nalogah. Nadomestilo nadomestitve je 7 dni od datuma oddaje naročila.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nastavite serijsko številčenje za udeležbo prek Setup&gt; Numbering Series
 DocType: Rename Tool,File to Rename,Datoteka za preimenovanje
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Izberite BOM za postavko v vrstici {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Prenesi posodobitve naročnine
@@ -4031,6 +4091,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Ustvarjene serijske številke
 DocType: POS Profile,Applicable for Users,Uporabno za uporabnike
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.GGGG.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Od datuma in do datuma so obvezni
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Nastavite stanje Projekta in vseh opravil {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Nastavi predujme in dodelitev (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Št delovnih nalogov ustvarjenih
@@ -4040,6 +4101,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Izdelki do
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Vrednost kupljenih artiklov
 DocType: Employee Separation,Employee Separation Template,Predloga za ločevanje zaposlenih
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Ničelna količina {0} je zastavila posojilo {0}
 DocType: Selling Settings,Sales Order Required,Zahtevano je naročilo
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Postanite prodajalec
 ,Procurement Tracker,Sledilnik javnih naročil
@@ -4137,11 +4199,12 @@
 ,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,Total Absent,Skupaj Odsoten
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Plačljivi znesek
+DocType: Loan Repayment,Payable Amount,Plačljivi znesek
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Priložnost
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Največja moč ne sme biti nižja od nič.
 DocType: Options,Option,Možnost
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},V zaprtem obračunskem obdobju ne morete ustvariti računovodskih vnosov {0}
 DocType: Operation,Default Workstation,Privzeto Workstation
@@ -4183,6 +4246,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Znesek obresti je obvezen
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Naslednji koraki
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Shranjeni predmeti
@@ -4234,8 +4298,6 @@
 DocType: Grant Application,Grant Application Details ,Podrobnosti o aplikaciji za dodelitev sredstev
 DocType: Employee Separation,Employee Separation,Razdelitev zaposlenih
 DocType: BOM Item,Original Item,Izvirna postavka
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Prosimo, da izbrišete zaposlenega <a href=""#Form/Employee/{0}"">{0}</a> \, če želite preklicati ta dokument"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Created - {0}
 DocType: Asset Category Account,Asset Category Account,Sredstvo Kategorija račun
@@ -4271,6 +4333,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Predmet laboratorijskega testa {0} že obstaja
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je praznik podjetja
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Obračunske ure
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,V primeru zamude pri odplačilu se dnevno plačuje obrestna mera za odmerjene obresti
+DocType: Appointment Letter content,Appointment Letter content,Vsebina pisma o vsebini
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Pustite obvestilo o stanju
 DocType: Patient Appointment,Procedure Prescription,Postopek Predpis
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Pohištvo in Fixtures
@@ -4290,7 +4354,7 @@
 DocType: Opportunity,Customer / Lead Name,Stranka / Ime ponudbe
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Potrditev Datum ni omenjena
 DocType: Payroll Period,Taxable Salary Slabs,Obdavčljive pločevine
-DocType: Job Card,Production,Proizvodnja
+DocType: Plaid Settings,Production,Proizvodnja
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Neveljaven GSTIN! Vneseni vnos ne ustreza formatu GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Vrednost računa
 DocType: Guardian,Occupation,poklic
@@ -4436,6 +4500,7 @@
 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,Student {0} does not belong to group {1},Študent {0} ne pripada skupini {1}
+DocType: Appointment Letter,Appointment Date,Datum imenovanja
 DocType: Budget,Cost Center,Stroškovno Center
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Dostava Država
@@ -4506,6 +4571,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Računovodska razsežnost
 ,Profit and Loss Statement,Izkaz poslovnega izida
 DocType: Bank Reconciliation Detail,Cheque Number,Ček Število
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Plačani znesek ne sme biti nič
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Element, na katerega se sklicuje {0} - {1}, je že zaračunan"
 ,Sales Browser,Prodaja Browser
 DocType: Journal Entry,Total Credit,Skupaj Credit
@@ -4610,6 +4676,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Dodaj / uredite pogoje kupona
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / Razlika račun ({0}) mora biti račun &quot;poslovni izid&quot;
 DocType: Stock Entry Detail,Stock Entry Child,Zaloga Otrok
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Zavarovalnica za posojilo in posojilo morata biti enaka
 DocType: Project,Copied From,Kopirano iz
 DocType: Project,Copied From,Kopirano iz
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,"Račun, ki je že ustvarjen za vse obračunske ure"
@@ -4618,6 +4685,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Je strošek financiranja
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Udeležba na zaposlenega {0} je že označeno
 DocType: Packing Slip,If more than one package of the same type (for print),Če več paketov istega tipa (v tisku)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Nastavite sistem poimenovanja inštruktorjev v izobraževanju&gt; Nastavitve za izobraževanje
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Privzeto stran nastavite v nastavitvah restavracij
 ,Salary Register,plača Registracija
 DocType: Company,Default warehouse for Sales Return,Privzeto skladišče za vračilo prodaje
@@ -4662,7 +4730,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Trenutna serijska št
 DocType: Employee,Attendance and Leave Details,Podrobnosti o udeležbi in odhodih
 ,BOM Comparison Tool,Orodje za primerjavo BOM
-,Requested,Zahteval
+DocType: Loan Security Pledge,Requested,Zahteval
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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."
@@ -4674,7 +4742,6 @@
 DocType: Drug Prescription,Drug Prescription,Predpis o drogah
 DocType: Service Level,Support and Resolution,Podpora in ločljivost
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Brezplačna koda izdelka ni izbrana
-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
@@ -4708,6 +4775,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Ste že ocenili za ocenjevalnih meril {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Znesek primanjkljaja
 DocType: Vehicle Service,Engine Oil,Motorno olje
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Ustvarjeni delovni nalogi: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},"Prosimo, nastavite e-poštni naslov za vodilni {0}"
@@ -4726,6 +4794,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Za grafikon nadzorne plošče račun ni nastavljen {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Uporabi dodatni popust na
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Izberite Vrsta ...
+DocType: Loan Interest Accrual,Amounts,Zneski
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše vstopnice
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO
@@ -4733,6 +4802,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Vrstica # {0}: ne more vrniti več kot {1} za postavko {2}
 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: Loan Security Price,Loan Security Price,Cena zavarovanja posojila
 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,Target warehouse is mandatory for row {0},Ciljna skladišče je obvezna za vrstico {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Maloprodajne dejavnosti
@@ -4873,6 +4943,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Serija je obvezna v vrstici {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Serija je obvezna v vrstici {0}
 DocType: Company,Default Buying Terms,Privzeti pogoji nakupa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Izplačilo posojila
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Potrdilo o nakupu Postavka Priložena
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Omogoči načrtovano sinhronizacijo
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Da datetime
@@ -4901,6 +4972,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Vnesite vrednost betweeen {0} in {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Vnesite ime oglaševalske akcije, če je vir preiskovalne akcije"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Newspaper Publishers
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Za {0} ni bila najdena veljavna <b>cena zavarovanja posojila</b>
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Prihodnji datumi niso dovoljeni
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Pričakovani rok dobave je po datumu prodajnega naročila
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Preureditev Raven
@@ -4967,6 +5039,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Cenik ponudbe / cen
 DocType: Antibiotic,Healthcare,Zdravstvo
 DocType: Target Detail,Target Detail,Ciljna Detail
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Posojilni procesi
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Enotna varianta
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Vsa delovna mesta
 DocType: Sales Order,% of materials billed against this Sales Order,% materiala zaračunano po tej naročilnici
@@ -5030,7 +5103,7 @@
 DocType: Item,Reorder level based on Warehouse,Raven Preureditev temelji na Warehouse
 DocType: Activity Cost,Billing Rate,Zaračunavanje Rate
 ,Qty to Deliver,Količina na Deliver
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Ustvari vnos izplačil
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Ustvari vnos izplačil
 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,Operations cannot be left blank,Operacije se ne sme ostati prazno
@@ -5064,6 +5137,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Prekini povezavo zunanjih integracij
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Izberite ustrezno plačilo
 DocType: Pricing Rule,Item Code,Oznaka
+DocType: Loan Disbursement,Pending Amount For Disbursal,Čakajoči znesek za razpravo
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garancija / AMC Podrobnosti
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,"Izberite študentov ročno za skupine dejavnosti, ki temelji"
@@ -5087,6 +5161,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Količina skupaj
 DocType: Landed Cost Item,Receipt Document,prejem dokumenta
 DocType: Employee Education,School/University,Šola / univerza
+DocType: Loan Security Pledge,Loan  Details,Podrobnosti o posojilu
 DocType: Sales Invoice Item,Available Qty at Warehouse,Na voljo Količina na Warehouse
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Zaračunavajo Znesek
 DocType: Share Transfer,(including),(vključno)
@@ -5110,6 +5185,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Skupine
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,"Skupina, ki jo račun"
 DocType: Purchase Invoice,Hold Invoice,Držite račun
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Stanje zastave
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Izberite zaposleni
 DocType: Sales Order,Fully Delivered,Popolnoma Delivered
 DocType: Promotional Scheme Price Discount,Min Amount,Minimalni znesek
@@ -5119,7 +5195,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Plačanega zneska ne sme biti večja od zneska kredita {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Vrstica {0} # Razdeljena količina {1} ne sme biti večja od količine, za katero je vložena zahtevka {2}"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Naročilnica zahtevanega števila za postavko {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry Posredovano Leaves
@@ -5147,6 +5222,7 @@
 DocType: Pick List Item,Serial No and Batch,Serijska številka in serije
 DocType: Warranty Claim,From Company,Od družbe
 DocType: GSTR 3B Report,January,Januarja
+DocType: Loan Repayment,Principal Amount Paid,Plačani glavni znesek
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Vsota ocen ocenjevalnih meril mora biti {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Prosim, nastavite Število amortizacije Rezervirano"
 DocType: Supplier Scorecard Period,Calculations,Izračuni
@@ -5173,6 +5249,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vaši družbi
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Prikaži podatke o staranju zalog
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credit Za računu mora biti bilanca računa
+DocType: Loan Repayment,Penalty Amount,Kazenski znesek
 DocType: Donor,Donor,Darovalec
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Posodobite davke za izdelke
 DocType: Global Defaults,Disable In Words,"Onemogoči ""z besedami"""
@@ -5203,6 +5280,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Mesto stroškov in oblikovanje proračuna
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Otvoritev Balance Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Delno plačan vpis
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Prosimo, nastavite plačilni načrt"
 DocType: Pick List,Items under this warehouse will be suggested,Predmeti v tem skladišču bodo predlagani
 DocType: Purchase Invoice,N,N
@@ -5236,7 +5314,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ni najden za postavko {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrednost mora biti med {0} in {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Prikaži inkluzivni davek v tisku
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Sporočilo je bilo poslano
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5250,6 +5327,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Omogoči samodejno ponovno naročilo
 DocType: Stock Settings,Item Naming By,Postavka Poimenovanje S
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Drug zaključnem obdobju Začetek {0} je bil dosežen po {1}
+DocType: Proposed Pledge,Proposed Pledge,Predlagana zastava
 DocType: Work Order,Material Transferred for Manufacturing,Material Preneseno za Manufacturing
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Račun {0} ne obstaja
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Izberite program zvestobe
@@ -5260,7 +5338,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavitev dogodkov na {0}, saj je zaposlenih pritrjen na spodnji prodaje oseb nima uporabniško {1}"
 DocType: Timesheet,Billing Details,Podrobnosti o obračunavanju
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Vir in cilj skladišče mora biti drugačen
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Prosimo, nastavite sistem poimenovanja zaposlenih v kadrovski službi&gt; Nastavitve človeških virov"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plačilo ni uspelo. Preverite svoj GoCardless račun za več podrobnosti
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Ni dovoljeno, da posodobite transakcije zalog starejši od {0}"
 DocType: Stock Entry,Inspection Required,Pregled Zahtevan
@@ -5273,6 +5350,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Dostava skladišče potreben za postavko parka {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto teža paketa. Ponavadi neto teža + embalaža teže. (za tisk)
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Proti obljubi
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Uporabniki s to vlogo dovoljeno postaviti na zamrznjene račune in ustvariti / spreminjanje vknjižbe zoper zamrznjenih računih
 DocType: Plaid Settings,Plaid Environment,Plaid okolje
 ,Project Billing Summary,Povzetek obračunavanja za projekt
@@ -5324,6 +5402,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Paketi
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Število terminov je mogoče rezervirati vnaprej
 DocType: Article,LMS User,Uporabnik LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Zavarovanje posojila je obvezno za zavarovano posojilo
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Kraj dobave (država / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Naročilnica {0} ni predložila
@@ -5399,6 +5478,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Ustvari Job Card
 DocType: Quotation,Referral Sales Partner,Referral Sales Partner
 DocType: Quality Procedure Process,Process Description,Opis postopka
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Ne morem ga razveljaviti, vrednost zavarovanja posojila je večja od odplačanega zneska"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Stranka {0} je ustvarjena.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5419,7 +5499,7 @@
 DocType: Asset,Insurance Details,Zavarovanje Podrobnosti
 DocType: Account,Payable,Plačljivo
 DocType: Share Balance,Share Type,Vrsta delnice
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Vnesite roki odplačevanja
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Vnesite roki odplačevanja
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dolžniki ({0})
 DocType: Pricing Rule,Margin,Razlika
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nove stranke
@@ -5428,6 +5508,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Spremenite profil POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Količina ali znesek je mandatroy za zavarovanje posojila
 DocType: Bank Reconciliation Detail,Clearance Date,Potrditev Datum
 DocType: Delivery Settings,Dispatch Notification Template,Predloga za odpošiljanje
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Ocenjevalno poročilo
@@ -5463,6 +5544,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Delež knjige
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Ustvarjen je račun za prodajo {0}
 DocType: Employee,Confirmation Date,Datum potrditve
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Prosimo, da izbrišete zaposlenega <a href=""#Form/Employee/{0}"">{0}</a> \, če želite preklicati ta dokument"
 DocType: Inpatient Occupancy,Check Out,Preveri
 DocType: C-Form,Total Invoiced Amount,Skupaj Obračunani znesek
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Količina ne sme biti večja od Max Kol
@@ -5476,7 +5559,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID podjetja Quickbooks
 DocType: Travel Request,Travel Funding,Financiranje potovanj
 DocType: Employee Skill,Proficiency,Strokovnost
-DocType: Loan Application,Required by Date,Zahtevana Datum
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Podrobnosti o potrdilu o nakupu
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Povezava do vseh lokacij, v katerih se pridelek prideluje"
 DocType: Lead,Lead Owner,Lastnik ponudbe
@@ -5495,7 +5577,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Trenutni BOM in New BOM ne more biti enaka
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plača Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum upokojitve mora biti večji od datuma pridružitve
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dobavitelj&gt; Vrsta dobavitelja
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Večkratne različice
 DocType: Sales Invoice,Against Income Account,Proti dohodkov
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Dostavljeno
@@ -5528,7 +5609,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Stroški Tip vrednotenje ni mogoče označiti kot Inclusive
 DocType: POS Profile,Update Stock,Posodobi zalogo
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Podatki o plačilu
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Branje naložene datoteke
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Prenehanja delovnega naročila ni mogoče preklicati, jo najprej izključite"
@@ -5564,6 +5645,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Najvišja vrednost posojila
 ,Stock Ledger,Stock Ledger
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain / izida
 DocType: Amazon MWS Settings,MWS Credentials,MVS poverilnice
@@ -5571,6 +5653,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Cilj mora biti eden od {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Izpolnite obrazec in ga shranite
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Forum Skupnost
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},No Leaves dodeli zaposlenemu: {0} za vrsto dopusta: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Dejanska kol v zalogi
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Dejanska kol v zalogi
 DocType: Homepage,"URL for ""All Products""",URL za »Vsi izdelki«
@@ -5673,7 +5756,6 @@
 DocType: Fee Schedule,Fee Schedule,Razpored Fee
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Oznake stolpcev:
 DocType: Bank Transaction,Settled,Naseljeni
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Datum izplačila ne more biti po datumu začetka vračila posojila
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parametri
 DocType: Company,Create Chart Of Accounts Based On,"Ustvariti kontni okvir, ki temelji na"
@@ -5693,6 +5775,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kreditno omejitev in plačilni pogoji
 DocType: Loyalty Program,Collection Rules,Pravila za zbiranje
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Postavka 3
+DocType: Loan Security Shortfall,Shortfall Time,Čas pomanjkanja
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Vnos naročila
 DocType: Purchase Order,Customer Contact Email,Customer Contact Email
 DocType: Warranty Claim,Item and Warranty Details,Točka in Garancija Podrobnosti
@@ -5712,12 +5795,14 @@
 DocType: Sales Person,Sales Person Name,Prodaja Oseba Name
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vnesite atleast 1 račun v tabeli
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Št Lab test ni ustvarjen
+DocType: Loan Security Shortfall,Security Value ,Vrednost varnosti
 DocType: POS Item Group,Item Group,Element Group
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Študentska skupina:
 DocType: Depreciation Schedule,Finance Book Id,Id knjižne knjige
 DocType: Item,Safety Stock,Varnostna zaloga
 DocType: Healthcare Settings,Healthcare Settings,Nastavitve zdravstva
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Skupna dodeljena lista
+DocType: Appointment Letter,Appointment Letter,Pismo o imenovanju
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,"Napredek% za nalogo, ne more biti več kot 100."
 DocType: Stock Reconciliation Item,Before reconciliation,Pred uskladitvijo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Za {0}
@@ -5773,6 +5858,7 @@
 DocType: Stock Entry,From BOM,Od BOM
 DocType: Assessment Code,Assessment Code,Koda ocena
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Osnovni
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Prošnje za posojilo strank in zaposlenih.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Zaloga transakcije pred {0} so zamrznjeni
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Prosimo, kliknite na &quot;ustvarjajo Seznamu&quot;"
 DocType: Job Card,Current Time,Trenutni čas
@@ -5799,7 +5885,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ustvaril nobene skupine študentov.
 DocType: Purchase Invoice Item,Serial No,Zaporedna številka
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mesečni Povračilo Znesek ne sme biti večja od zneska kredita
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Mesečni Povračilo Znesek ne sme biti večja od zneska kredita
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Prosimo, da najprej vnesete Maintaince Podrobnosti"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Vrstica # {0}: Pričakovani datum dostave ne sme biti pred datumom naročila
 DocType: Purchase Invoice,Print Language,Jezik tiskanja
@@ -5813,6 +5899,7 @@
 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,All Territories,Vse Territories
+DocType: Plaid Settings,development,razvoj
 DocType: Lost Reason Detail,Lost Reason Detail,Podrobnosti o izgubljenih razlogih
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Neveljavna naročila za blago za izbrano stranko in postavko
@@ -5877,12 +5964,14 @@
 DocType: Staffing Plan Detail,Current Openings,Aktualne odprtine
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Denarni tok iz poslovanja
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Znesek
+DocType: Vehicle Log,Current Odometer value ,Trenutna vrednost odometra
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Ustvari študenta
 DocType: Asset Movement Item,Asset Movement Item,Postavka gibanja sredstev
 DocType: Purchase Invoice,Shipping Rule,Pravilo za dostavo
 DocType: Patient Relation,Spouse,Zakonec
 DocType: Lab Test Groups,Add Test,Dodaj test
 DocType: Manufacturer,Limited to 12 characters,Omejena na 12 znakov
+DocType: Appointment Letter,Closing Notes,Zaključne opombe
 DocType: Journal Entry,Print Heading,Glava postavk
 DocType: Quality Action Table,Quality Action Table,Tabela kakovosti ukrepov
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Skupaj ne more biti nič
@@ -5950,6 +6039,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Skupaj (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Opišite / ustvarite račun (skupino) za vrsto - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Zabava &amp; prosti čas
+DocType: Loan Security,Loan Security,Varnost posojila
 ,Item Variant Details,Podrobnosti o elementu Variante
 DocType: Quality Inspection,Item Serial No,Postavka Zaporedna številka
 DocType: Payment Request,Is a Subscription,Je naročnina
@@ -5962,7 +6052,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Najnovejša doba
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Predvideni in sprejeti datumi ne smejo biti manjši kot danes
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Prenos Material za dobavitelja
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nova serijska številka ne more imeti skladišče. Skladišče mora nastaviti borze vstopu ali Potrdilo o nakupu
 DocType: Lead,Lead Type,Tip ponudbe
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Ustvarite predračun
@@ -5980,7 +6069,6 @@
 DocType: Leave Allocation,Leave Period,Pustite obdobje
 DocType: Item,Default Material Request Type,Privzeto Material Vrsta Zahteva
 DocType: Supplier Scorecard,Evaluation Period,Ocenjevalno obdobje
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Stranka&gt; Skupina kupcev&gt; Ozemlje
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Neznan
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Delovni nalog ni bil ustvarjen
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6065,7 +6153,8 @@
 ,Customer-wise Item Price,Cena izdelka za kupce
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Izkaz denarnih tokov
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ni ustvarjeno nobeno materialno zahtevo
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredita vrednosti ne sme preseči najvišji možen kredit znesku {0}
+DocType: Loan,Loan Security Pledge,Zaloga za posojilo
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,licenca
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -6083,6 +6172,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Shema popustov na cene
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,"Stanje vzdrževanja je treba preklicati ali končati, da ga pošljete"
 DocType: Amazon MWS Settings,US,ZDA
+DocType: Loan Security Pledge,Pledged,Založeno
 DocType: Holiday List,Add Weekly Holidays,Dodaj tedenske počitnice
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Postavka poročila
 DocType: Staffing Plan Detail,Vacancies,Prosta delovna mesta
@@ -6101,7 +6191,6 @@
 DocType: Production Plan Item,Planned Start Date,Načrtovani datum začetka
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Izberite BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Uporabil integrirani davek ITC
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Ustvari vnos vračila
 DocType: Purchase Order Item,Blanket Order Rate,Stopnja poravnave
 ,Customer Ledger Summary,Povzetek glavne knjige strank
 apps/erpnext/erpnext/hooks.py,Certification,Certificiranje
@@ -6122,6 +6211,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Cenitev Predloga Naslov
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial
 DocType: Patient,Alcohol Current Use,Alkoholna trenutna uporaba
+DocType: Loan,Loan Closure Requested,Zahtevano je zaprtje posojila
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Hišni znesek najemnine
 DocType: Student Admission Program,Student Admission Program,Program sprejema študentov
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Kategorija davčne oprostitve
@@ -6145,6 +6235,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Prodaja
 DocType: Stock Entry Detail,Basic Amount,Osnovni znesek
 DocType: Training Event,Exam,Izpit
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Pomanjkanje varnosti posojila
 DocType: Email Campaign,Email Campaign,E-poštna akcija
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Napaka na trgu
 DocType: Complaint,Complaint,Pritožba
@@ -6224,6 +6315,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Pošljite to, da ustvarite zapis zaposlenega"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},"Cena zavarovanja posojila, ki se prekriva z {0}"
 DocType: Item Default,Item Default,Element Privzeto
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Potrebščine znotraj države
 DocType: Chapter Member,Leave Reason,Pustite razlog
@@ -6251,6 +6343,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Uporabljeni kuponi so {1}. Dovoljena količina je izčrpana
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ali želite oddati materialno zahtevo
 DocType: Job Offer,Awaiting Response,Čakanje na odgovor
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Posojilo je obvezno
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-YYYY-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Nad
 DocType: Support Search Source,Link Options,Možnosti povezave
@@ -6263,6 +6356,7 @@
 DocType: Training Event Employee,Optional,Neobvezno
 DocType: Salary Slip,Earning & Deduction,Zaslužek &amp; Odbitek
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode
+DocType: Pledge,Post Haircut Amount,Količina odbitka po pošti
 DocType: Sales Order,Skip Delivery Note,Preskočite dobavnico
 DocType: Price List,Price Not UOM Dependent,Cena ni odvisna od UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} ustvarjene različice.
@@ -6289,6 +6383,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Dobili predmetov iz Bundle izdelkov
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Način vračila je obvezen za posojila
 DocType: Asset,Straight Line,Ravna črta
 DocType: Project User,Project User,projekt Uporabnik
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Split
@@ -6337,7 +6432,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,"Vloga dovoliti, da določijo zamrznjenih računih in uredi Zamrznjen Entries"
 DocType: Supplier Scorecard Scoring Variable,Path,Pot
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ni mogoče pretvoriti v stroškovni center za knjigo, saj ima otrok vozlišč"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Faktor konverzije za UOM ({0} -&gt; {1}) za element: {2}
 DocType: Production Plan,Total Planned Qty,Skupno načrtovano število
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcije so že umaknjene iz izpisa
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Otvoritev Vrednost
@@ -6346,11 +6440,8 @@
 DocType: Material Request Plan Item,Required Quantity,Zahtevana količina
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Računovodsko obdobje se prekriva z {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Dobavitelj&gt; Vrsta dobavitelja
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Prodajni račun
 DocType: Purchase Invoice Item,Total Weight,Totalna teža
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Prosimo, da izbrišete zaposlenega <a href=""#Form/Employee/{0}"">{0}</a> \, če želite preklicati ta dokument"
 DocType: Pick List Item,Pick List Item,Izberi element seznama
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija za prodajo
 DocType: Job Offer Term,Value / Description,Vrednost / Opis
@@ -6397,6 +6488,7 @@
 DocType: Patient Encounter,Encounter Date,Datum srečanja
 DocType: Work Order,Update Consumed Material Cost In Project,Posodobiti porabljene stroške materiala v projektu
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Račun: {0} z valuti: ne more biti izbran {1}
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Krediti strankam in zaposlenim.
 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
@@ -6465,7 +6557,6 @@
 DocType: Contract,Signed On,Podpisano
 DocType: Bank Account,Party Type,Vrsta Party
 DocType: Discounted Invoice,Discounted Invoice,Popustni račun
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi udeležbo kot <b></b>
 DocType: Payment Schedule,Payment Schedule,Urnik plačila
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Za določeno vrednost polja zaposlenega ni bilo najdenega zaposlenega. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Kratica
@@ -6537,6 +6628,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Upniki
 DocType: Assessment Plan,Assessment Name,Ime ocena
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Vrstica # {0}: Zaporedna številka je obvezna
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Za zaprtje posojila je potreben znesek {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Postavka Wise Davčna Detail
 DocType: Employee Onboarding,Job Offer,Zaposlitvena ponudba
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Kratica inštituta
@@ -6561,7 +6653,6 @@
 DocType: Purchase Order,To Receive,Prejeti
 DocType: Leave Period,Holiday List for Optional Leave,Seznam počitnic za izbirni dopust
 DocType: Item Tax Template,Tax Rates,Davčne stopnje
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Koda izdelka&gt; Skupina izdelkov&gt; Blagovna znamka
 DocType: Asset,Asset Owner,Lastnik sredstev
 DocType: Item,Website Content,Vsebina spletnega mesta
 DocType: Bank Account,Integration ID,ID integracije
@@ -6577,6 +6668,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Naročila sinhronizacije
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Naročila sprosti za proizvodnjo.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Izberite poslovno leto ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Izberite vrsto posojila za podjetje {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,"POS Profil zahteva, da POS Entry"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -6605,6 +6697,7 @@
 DocType: Customer,Mention if non-standard receivable account,Omemba če nestandardno terjatve račun
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,"Prosimo, dodajte preostale ugodnosti {0} v katero koli obstoječo komponento"
+DocType: Bank Account,Is Default Account,Ali je privzeti račun
 DocType: Journal Entry Account,If Income or Expense,Če prihodek ali odhodek
 DocType: Course Topic,Course Topic,Tema predmeta
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Prodajni zapiralni bon za POS obstaja za {0} med datumom {1} in {2}
@@ -6617,7 +6710,7 @@
 DocType: Disease,Treatment Task,Naloga zdravljenja
 DocType: Payment Order Reference,Bank Account Details,Podatki o bančnem računu
 DocType: Purchase Order Item,Blanket Order,Blanket naročilo
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Znesek vračila mora biti večji od
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Znesek vračila mora biti večji od
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Davčni Sredstva
 DocType: BOM Item,BOM No,BOM Ne
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Posodobite podrobnosti
@@ -6674,6 +6767,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Izdelki WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Skladenjska napaka v formuli ali stanje: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Postavka {0} prezrta, ker ne gre za element parka"
+,Loan Security Status,Stanje varnosti posojila
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Da ne uporabljajo Cenovno pravilo v posameznem poslu, bi morali vsi, ki se uporabljajo pravila za oblikovanje cen so onemogočeni."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dan (e) po koncu računa na mesec
 DocType: Assessment Group,Parent Assessment Group,Skupina Ocena Parent
@@ -6688,7 +6782,6 @@
 DocType: Stock Entry Detail,Additional Cost,Dodatne Stroški
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Filter ne more temeljiti na kupona št, če je združena s Voucher"
 DocType: Quality Inspection,Incoming,Dohodni
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Nastavite serijsko številčenje za udeležbo prek Setup&gt; Numbering Series
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Ustvari so privzete davčne predloge za prodajo in nakup.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Ocenjevanje Rezultat zapisa {0} že obstaja.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Primer: ABCD. #####. Če je serija nastavljena in številka paketa ni navedena v transakcijah, bo na podlagi te serije izdelana avtomatična serijska številka. Če za to postavko vedno želite izrecno omeniti Lot št., Pustite to prazno. Opomba: ta nastavitev bo imela prednost pred imeniku serije Prefix v nastavitvah zalog."
@@ -6699,8 +6792,10 @@
 DocType: Contract,Party User,Stranski uporabnik
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Sredstva niso bila ustvarjena za <b>{0}</b> . Sredstvo boste morali ustvariti ročno.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Nastavite Podjetje filtriranje prazno, če skupina Z je &quot;Podjetje&quot;"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Stranka&gt; Skupina kupcev&gt; Ozemlje
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Napotitev datum ne more biti prihodnji datum
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Vrstica # {0}: Serijska št {1} ne ujema z {2} {3}
+DocType: Loan Repayment,Interest Payable,Obresti za plačilo
 DocType: Stock Entry,Target Warehouse Address,Naslov tarče skladišča
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Zapusti
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Čas pred začetkom izmene, v katerem se šteje prijava zaposlenih za udeležbo."
@@ -6829,6 +6924,7 @@
 DocType: Issue,Reset Service Level Agreement,Ponastavi sporazum o ravni storitev
 ,Sales Person-wise Transaction Summary,Prodaja Oseba pametno Transakcijski Povzetek
 DocType: Training Event,Contact Number,Kontaktna številka
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Znesek posojila je obvezen
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6877,6 +6973,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Kol
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Pogoji bodo uporabljeni za vse izbrane izdelke skupaj.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Cilji ne morejo biti prazna
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Nepravilna skladišča
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Vpis študentov
 DocType: Item Group,Parent Item Group,Parent Item Group
 DocType: Appointment Type,Appointment Type,Vrsta imenovanja
@@ -6932,10 +7029,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Povprečna hitrost
 DocType: Appointment,Appointment With,Sestanek s
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Skupni znesek plačila v urniku plačil mora biti enak znesku zaokroženo / zaokroženo
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi udeležbo kot <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","&quot;Izdelek, ki ga zagotavlja stranka&quot;, ne more imeti stopnje vrednotenja"
 DocType: Subscription Plan Detail,Plan,Načrt
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Banka Izjava ravnotežje kot na glavno knjigo
-DocType: Job Applicant,Applicant Name,Predlagatelj Ime
+DocType: Appointment Letter,Applicant Name,Predlagatelj Ime
 DocType: Authorization Rule,Customer / Item Name,Stranka / Ime artikla
 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**. 
 
@@ -6979,11 +7077,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Porazdelitev
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Statusa zaposlenega ni mogoče nastaviti na „Levo“, saj se temu zaposlenemu trenutno poročajo naslednji zaposleni:"
-DocType: Journal Entry Account,Loan,Posojilo
+DocType: Loan Repayment,Amount Paid,Plačani znesek
+DocType: Loan Security Shortfall,Loan,Posojilo
 DocType: Expense Claim Advance,Expense Claim Advance,Advance Claim Advance
 DocType: Lab Test,Report Preference,Prednost poročila
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informacije o prostovoljcih.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Project Manager
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Skupina po stranki
 ,Quoted Item Comparison,Citirano Točka Primerjava
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Prekrivanje v dosegu med {0} in {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Dispatch
@@ -7003,6 +7103,7 @@
 DocType: Material Request Plan Item,Material Issue,Material Issue
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Prosti artikel ni nastavljen s pravilom o cenah {0}
 DocType: Employee Education,Qualification,Kvalifikacije
+DocType: Loan Security Shortfall,Loan Security Shortfall,Pomanjkanje varnosti posojila
 DocType: Item Price,Item Price,Item Cena
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap &amp; Detergent
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zaposleni {0} ne spada v podjetje {1}
@@ -7025,6 +7126,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Podrobnosti o sestanku
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Končan izdelek
 DocType: Warehouse,Warehouse Name,Skladišče Ime
+DocType: Loan Security Pledge,Pledge Time,Čas zastave
 DocType: Naming Series,Select Transaction,Izberite Transaction
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vnesite Odobritev vloge ali Potrditev uporabnika
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Pogodba o ravni storitve s tipom entitete {0} in entiteto {1} že obstaja.
@@ -7032,7 +7134,6 @@
 DocType: BOM,Rate Of Materials Based On,Oceni materialov na osnovi
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Če je omogočeno, bo polje Academic Term Obvezno v orodju za vpisovanje programov."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vrednosti oproščenih, z ničelno vrednostjo in vhodnih dobav brez GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Stranka&gt; Skupina kupcev&gt; Ozemlje
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Podjetje</b> je obvezen filter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Odznači vse
 DocType: Purchase Taxes and Charges,On Item Quantity,Na Količina izdelka
@@ -7078,7 +7179,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Pomanjkanje Kol
 DocType: Purchase Invoice,Input Service Distributor,Distributer vhodnih storitev
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Obstaja postavka varianta {0} z enakimi atributi
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Nastavite sistem poimenovanja inštruktorjev v izobraževanju&gt; Nastavitve za izobraževanje
 DocType: Loan,Repay from Salary,Poplačilo iz Plača
 DocType: Exotel Settings,API Token,API žeton
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Zahteva plačilo pred {0} {1} za znesek {2}
@@ -7098,6 +7198,7 @@
 DocType: Salary Slip,Total Interest Amount,Skupni znesek obresti
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Odveči
 DocType: Accounts Settings,Stale Days,Stale dni
 DocType: Travel Itinerary,Arrival Datetime,Prihod Datetime
 DocType: Tax Rule,Billing Zipcode,Poštna številka
@@ -7284,6 +7385,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ur
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Za vas je bil ustvarjen nov sestanek z {0}
 DocType: Project,Expected Start Date,Pričakovani datum začetka
+DocType: Work Order,This is a location where raw materials are available.,"To je mesto, kjer so na voljo surovine."
 DocType: Purchase Invoice,04-Correction in Invoice,04-Popravek na računu
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Delovni nalog je že ustvarjen za vse elemente z BOM
 DocType: Bank Account,Party Details,Podrobnosti o zabavi
@@ -7302,6 +7404,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Ponudbe:
 DocType: Contract,Partially Fulfilled,Delno izpolnjeno
 DocType: Maintenance Visit,Fully Completed,V celoti končana
+DocType: Loan Security,Loan Security Name,Varnostno ime posojila
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Posebni znaki, razen &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; In &quot;}&quot; v poimenovanju ni dovoljen"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Ni nič ali je oproščeno
 DocType: Employee,Educational Qualification,Izobraževalni Kvalifikacije
@@ -7359,6 +7462,7 @@
 DocType: Program,Is Featured,Je predstavljeno
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Pridobivanje ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Kmetijski uporabnik
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Veljaven do datuma ne more biti pred datumom transakcije
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7435,8 +7539,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Zaposleni {0} je na Pusti {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Nobena odplačila niso izbrana za vnos v dnevnik
 DocType: Purchase Invoice,GST Category,GST Kategorija
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Predlagane zastave so obvezne za zavarovana posojila
 DocType: Payment Reconciliation,From Invoice Date,Od Datum računa
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Proračuni
 DocType: Invoice Discounting,Disbursed,Izplačano
@@ -7494,14 +7598,13 @@
 DocType: Restaurant,Active Menu,Aktivni meni
 DocType: Accounting Dimension Detail,Default Dimension,Privzeta razsežnost
 DocType: Target Detail,Target Qty,Ciljna Kol
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Proti posojilu: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Naročilo Nastavitve
 DocType: Student Attendance,Present,Present
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Dobavnica {0} ni treba predložiti
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Potrdilo o plači, poslano zaposlenemu, bo zaščiteno z geslom, geslo bo ustvarjeno na podlagi pravilnika o geslu."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,števec kilometrov
 DocType: Production Plan Item,Ordered Qty,Naročeno Kol
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Postavka {0} je onemogočena
 DocType: Stock Settings,Stock Frozen Upto,Stock Zamrznjena Stanuje
@@ -7560,7 +7663,6 @@
 DocType: Serial No,Delivery Document Type,Dostava Document Type
 DocType: Sales Order,Partly Delivered,Delno Delivered
 DocType: Item Variant Settings,Do not update variants on save,Ne shranjujte različic pri shranjevanju
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Skrbniška skupina
 DocType: Email Digest,Receivables,Terjatve
 DocType: Lead Source,Lead Source,Vir ponudbe
 DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu.
@@ -7658,6 +7760,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Actual
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Upravitelj restavracij
+DocType: Loan,Penalty Income Account,Račun dohodkov
 DocType: Call Log,Call Log,Seznam klicev
 DocType: Authorization Rule,Customerwise Discount,Customerwise Popust
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet za naloge.
@@ -7746,6 +7849,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Shema popustov na izdelke
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Pozivatelj ni postavil nobenega vprašanja.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Skupina po dobavitelju
 DocType: Restaurant Reservation,Waitlisted,Waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorija izvzetja
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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"
@@ -7756,7 +7860,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Consulting
 DocType: Subscription Plan,Based on price list,Na podlagi cenika
 DocType: Customer Group,Parent Customer Group,Parent Customer Group
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON lahko ustvarite samo iz prodajnega računa
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Največje število poskusov tega kviza!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Naročnina
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Čakanje v kreiranju
@@ -7774,6 +7877,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Preventivno vzdrževanje
 DocType: Delivery Note Item,Against Sales Invoice,Za račun
 DocType: Purchase Invoice,07-Others,07-Drugo
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Znesek ponudbe
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Vnesite serijske številke za serialized postavko
 DocType: Bin,Reserved Qty for Production,Rezervirano Količina za proizvodnjo
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Pustite neoznačeno, če ne želite, da razmisli serije, hkrati pa seveda temelji skupin."
@@ -7883,6 +7987,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Prejem plačilnih Note
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Ustvari materialno zahtevo
+DocType: Loan Interest Accrual,Pending Principal Amount,Nerešeni glavni znesek
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Začetni in končni datumi, ki niso v veljavnem obdobju plače, ne morejo izračunati {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7926,6 +8031,7 @@
 											to fullfill Sales Order {2}","Ne more dostaviti zaporednega št. {0} elementa {1}, ker je rezerviran \ za polnjenje prodajnega naročila {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-YYYY-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Dobavitelj za predračun {0} ustvaril
+DocType: Loan Security Unpledge,Unpledge Type,Vrsta odstranjevanja
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Konec leta ne more biti pred začetkom leta
 DocType: Employee Benefit Application,Employee Benefits,Zaslužki zaposlencev
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID zaposlenega
@@ -8008,6 +8114,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Šifra predmeta:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Vnesite Expense račun
 DocType: Quality Action Resolution,Problem,Problem
+DocType: Loan Security Type,Loan To Value Ratio,Razmerje med posojilom in vrednostjo
 DocType: Account,Stock,Zaloga
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8025,6 +8132,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Vnos transakcijskega poročila banke
 DocType: Sales Invoice Item,Discount and Margin,Popust in Margin
 DocType: Lab Test,Prescription,Predpis
+DocType: Process Loan Security Shortfall,Update Time,Čas posodobitve
 DocType: Import Supplier Invoice,Upload XML Invoices,Naložite račune XML
 DocType: Company,Default Deferred Revenue Account,Privzeti odloženi prihodki
 DocType: Project,Second Email,Druga e-pošta
@@ -8038,7 +8146,7 @@
 DocType: Quality Action,Preventive,Preventivno
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Potrebščine za neregistrirane osebe
 DocType: Company,Date of Incorporation,Datum ustanovitve
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Skupna davčna
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Skupna davčna
 DocType: Manufacturing Settings,Default Scrap Warehouse,Privzeta skladišča odpadkov
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Zadnja nakupna cena
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Za Količina (Izdelano Kol) obvezna
@@ -8057,6 +8165,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Nastavite privzeti način plačila
 DocType: Stock Entry Detail,Against Stock Entry,Proti vpisu zalog
 DocType: Grant Application,Withdrawn,umaknjena
+DocType: Loan Repayment,Regular Payment,Redno plačilo
 DocType: Support Search Source,Support Search Source,Podpora v iskalnem omrežju
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Polnilna
 DocType: Project,Gross Margin %,Gross Margin%
@@ -8070,8 +8179,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Brez plačila davka
 DocType: BOM Operation,BOM Operation,BOM Delovanje
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prejšnje vrstice Znesek
+DocType: Student,Home Address,Domači naslov
 DocType: Options,Is Correct,Je pravilen
 DocType: Item,Has Expiry Date,Ima rok veljavnosti
+DocType: Loan Repayment,Paid Accrual Entries,Plačani vpisi za plačila posojil
+DocType: Loan Security,Loan Security Type,Vrsta zavarovanja posojila
 apps/erpnext/erpnext/config/support.py,Issue Type.,Vrsta izdaje
 DocType: POS Profile,POS Profile,POS profila
 DocType: Training Event,Event Name,Ime dogodka
@@ -8083,6 +8195,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonskost za nastavitev proračunov, cilji itd"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Ni vrednosti
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Ime spremenljivke
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Izberite bančni račun za uskladitev.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Postavka {0} je predlogo, izberite eno od njenih različic"
 DocType: Purchase Invoice Item,Deferred Expense,Odloženi stroški
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Nazaj na sporočila
@@ -8134,7 +8247,6 @@
 DocType: GL Entry,To Rename,Če želite preimenovati
 DocType: Stock Entry,Repack,Zapakirajte
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Izberite, če želite dodati serijsko številko."
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Nastavite sistem poimenovanja inštruktorjev v izobraževanju&gt; Nastavitve za izobraževanje
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Prosimo, nastavite davčno kodo za stranko &#39;% s&#39;"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najprej izberite podjetje
 DocType: Item Attribute,Numeric Values,Numerične vrednosti
@@ -8158,6 +8270,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Pridobivanje temelji na FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root ni mogoče urejati.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Vrednost zavarovanja posojila
 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
@@ -8204,6 +8317,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Prosimo, izberite kategorijo najprej"
 apps/erpnext/erpnext/config/projects.py,Project master.,Master projekt.
 DocType: Contract,Contract Terms,Pogoji pogodbe
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Omejena omejitev zneska
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Nadaljujte s konfiguracijo
 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,Maximum benefit amount of component {0} exceeds {1},Najvišja višina ugodnosti sestavnega dela {0} presega {1}
@@ -8236,6 +8350,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Ogled dnevnika klicev
 DocType: BOM Operation,Operating Cost(Company Currency),Obratovalni stroški (družba Valuta)
 DocType: Loan Application,Rate of Interest,Obrestna mera
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Zavarovalno jamstvo za posojilo že zastavljeno posojilo {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Sankcionirano Znesek
 DocType: Item,Shelf Life In Days,Rok uporabe v dnevih
 DocType: GL Entry,Is Opening,Je Odpiranje
@@ -8249,3 +8364,4 @@
 DocType: Account,Cash,Gotovina
 DocType: Sales Invoice,Unpaid and Discounted,Neplačano in znižano
 DocType: Employee,Short biography for website and other publications.,Kratka biografija za spletne strani in drugih publikacij.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,"Vrstica # {0}: Ni mogoče izbrati skladišča dobaviteljev, medtem ko surovine dobavlja podizvajalcem"
diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv
index 1fe647b..e1ece81 100644
--- a/erpnext/translations/sq.csv
+++ b/erpnext/translations/sq.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Arsyeja e Humbur e Mundësisë
 DocType: Patient Appointment,Check availability,Kontrolloni disponueshmërinë
 DocType: Retention Bonus,Bonus Payment Date,Data e Pagesës së Bonusit
-DocType: Employee,Job Applicant,Job Aplikuesi
+DocType: Appointment Letter,Job Applicant,Job Aplikuesi
 DocType: Job Card,Total Time in Mins,Koha totale në minj
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -183,6 +183,7 @@
 DocType: Delivery Stop,Contact Information,Informacioni i kontaktit
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Kërkoni për ndonjë gjë ...
 ,Stock and Account Value Comparison,Krahasimi i vlerës së aksioneve dhe llogarisë
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Shuma e disbursuar nuk mund të jetë më e madhe se shuma e kredisë
 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
@@ -288,6 +289,7 @@
 DocType: Lead,Interested,I interesuar
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Hapje
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Vlefshëm nga Koha duhet të jetë më e vogël se Koha e Vlefshme e Upto.
 DocType: Item,Copy From Item Group,Kopje nga grupi Item
 DocType: Journal Entry,Opening Entry,Hyrja Hapja
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Llogaria Pay Vetëm
@@ -335,6 +337,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Gradë
 DocType: Restaurant Table,No of Seats,Jo e Vendeve
+DocType: Loan Type,Grace Period in Days,Periudha e hirit në ditë
 DocType: Sales Invoice,Overdue and Discounted,E vonuar dhe e zbritur
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Thirrja është shkëputur
 DocType: Sales Invoice Item,Delivered By Supplier,Dorëzuar nga furnizuesi
@@ -385,7 +388,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedurat e përshkruara
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Trego vetëm POS
 DocType: Supplier Group,Supplier Group Name,Emri i grupit të furnitorit
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Shënoni frekuentimin si <b></b>
 DocType: Driver,Driving License Categories,Kategoritë e Licencës së Drejtimit
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Ju lutemi shkruani datën e dorëzimit
 DocType: Depreciation Schedule,Make Depreciation Entry,Bëni Amortizimi Hyrja
@@ -402,10 +404,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detajet e operacioneve të kryera.
 DocType: Asset Maintenance Log,Maintenance Status,Mirëmbajtja Statusi
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Shuma e taksës së artikullit të përfshirë në vlerë
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Mosmarrëveshja e Sigurisë së Kredisë
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Detajet e Anëtarësimit
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Furnizuesi është i detyruar kundrejt llogarisë pagueshme {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Artikuj dhe Çmimeve
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Gjithsej orë: {0}
+DocType: Loan,Loan Manager,Menaxheri i huasë
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Nga Data duhet të jetë brenda vitit fiskal. Duke supozuar Nga Data = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,FDH-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,interval
@@ -464,6 +468,7 @@
 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,Select the customer or supplier.,Zgjidhni konsumatorin ose furnizuesin.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kodi i Vendit në Dosje nuk përputhet me kodin e vendit të vendosur në sistem
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Llogaria {0} nuk i përket kompanisë {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Zgjidhni vetëm një përparësi si të parazgjedhur.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -541,7 +546,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Lini Blocked
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Banka Entries
-DocType: Customer,Is Internal Customer,Është Konsumatori i Brendshëm
+DocType: Sales Invoice,Is Internal Customer,Është Konsumatori i Brendshëm
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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ë
@@ -565,6 +570,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Kërkesë materiale
 DocType: Bank Reconciliation,Update Clearance Date,Update Pastrimi Data
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Pako Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Nuk mund të krijojë kredi derisa të miratohet aplikacioni
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -572,6 +578,7 @@
 DocType: Quiz Result,Correct,i saktë
 DocType: Student Guardian,Mother,nënë
 DocType: Restaurant Reservation,Reservation End Time,Koha e përfundimit të rezervimit
+DocType: Salary Slip Loan,Loan Repayment Entry,Hyrja e ripagimit të huasë
 DocType: Crop,Biennial,dyvjeçar
 ,BOM Variance Report,Raporti i variancës së BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Urdhra të konfirmuara nga konsumatorët.
@@ -592,6 +599,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Pagesës kundër {0} {1} nuk mund të jetë më i madh se Outstanding Sasia {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Të gjitha njësitë e shërbimit shëndetësor
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Mbi mundësinë e konvertimit
+DocType: Loan,Total Principal Paid,Pagesa kryesore e paguar
 DocType: Bank Account,Address HTML,Adresa HTML
 DocType: Lead,Mobile No.,Mobile Nr
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Mënyra e pagesave
@@ -610,12 +618,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Bilanci në monedhën bazë
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Citate të reja
+DocType: Loan Interest Accrual,Loan Interest Accrual,Interesi i Kredisë Accrual
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Pjesëmarrja nuk është dorëzuar për {0} si {1} në pushim.
 DocType: Journal Entry,Payment Order,Urdhërpagesa
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verifiko emailin
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Të ardhurat nga burimet e tjera
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Nëse është bosh, llogaria e depove të prindit ose parazgjedhja e kompanisë do të konsiderohet"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emails paga shqip për punonjës të bazuar në email preferuar zgjedhur në punonjësi
+DocType: Work Order,This is a location where operations are executed.,Ky është një vend ku ekzekutohen operacionet.
 DocType: Tax Rule,Shipping County,Shipping County
 DocType: Currency Exchange,For Selling,Për shitje
 apps/erpnext/erpnext/config/desktop.py,Learn,Mëso
@@ -624,6 +634,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Kodi i Kuponit të Aplikuar
 DocType: Asset,Next Depreciation Date,Zhvlerësimi Data Next
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktiviteti Kosto për punonjës
+DocType: Loan Security,Haircut %,Prerje flokësh%
 DocType: Accounts Settings,Settings for Accounts,Cilësimet për Llogaritë
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Furnizuesi Fatura Nuk ekziston në Blerje Faturë {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Manage shitjes person Tree.
@@ -662,6 +673,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ju lutemi përcaktoni vlerën e dhomës së hotelit në {}
 DocType: Journal Entry,Multi Currency,Multi Valuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Lloji Faturë
+DocType: Loan,Loan Security Details,Detaje të Sigurisë së Kredisë
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Vlefshmëria nga data duhet të jetë më pak se data e vlefshme
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Përjashtim ndodhi gjatë pajtimit {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Vendosni Magazinë e Pranuar
@@ -784,6 +796,7 @@
 DocType: Purchase Receipt,Vehicle Date,Data e Automjeteve
 DocType: Campaign Email Schedule,Campaign Email Schedule,Programi i postës elektronike të fushatës
 DocType: Student Log,Medical,Mjekësor
+DocType: Work Order,This is a location where scraped materials are stored.,Ky është një vend ku ruhen materialet e hedhura.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Ju lutem zgjidhni Drogën
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Owner Lead nuk mund të jetë i njëjtë si Lead
 DocType: Announcement,Receiver,marrës
@@ -878,7 +891,7 @@
 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: BOM,Total Cost (Company Currency),Kostoja totale (Valuta e Kompanisë)
-DocType: Loan,Total Payment,Pagesa Total
+DocType: Repayment Schedule,Total Payment,Pagesa Total
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO tashmë është krijuar për të gjitha artikujt e porosive të shitjes
@@ -904,6 +917,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Paralajmëroni Urdhërat e Blerjes
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Me qera nga data
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Pjesë mjaftueshme për të ndërtuar
+DocType: Loan Security,Loan Security Code,Kodi i Sigurisë së Kredisë
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Ju lutemi ruaj së pari
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Artikujt u kërkohet të tërheqin lëndët e para e cila është e lidhur me të.
 DocType: POS Profile User,POS Profile User,Profili i POS-ut
@@ -961,6 +975,7 @@
 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,Stock Entries already created for Work Order ,Regjistrimet e aksioneve tashmë të krijuara për Rendit të Punës
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kodi i Artikullit&gt; Grupi i Artikujve&gt; Marka
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Shihni porositë e kaluara
 DocType: Vital Signs,Respiratory rate,Shkalla e frymëmarrjes
 apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Menaxhimi Nënkontraktimi
@@ -992,7 +1007,6 @@
 DocType: Company,Delete Company Transactions,Fshij Transaksionet Company
 DocType: Production Plan Item,Quantity and Description,Sasia dhe Përshkrimi
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,I Referencës dhe Referenca Date është e detyrueshme për transaksion Bank
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ju lutemi vendosni Seritë e Emërtimit për {0} përmes Konfigurimit&gt; Cilësimet&gt; Seritë e Emrave
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Add / Edit taksat dhe tatimet
 DocType: Payment Entry Reference,Supplier Invoice No,Furnizuesi Fatura Asnjë
 DocType: Territory,For reference,Për referencë
@@ -1023,6 +1037,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Llogaria e Mbajtjes së Tatimit
 DocType: Pricing Rule,Sales Partner,Sales Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Të gjitha tabelat e rezultateve të furnizuesit.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Shuma e porosisë
+DocType: Loan,Disbursed Amount,Shuma e disbursuar
 DocType: Buying Settings,Purchase Receipt Required,Pranimi Blerje kërkuar
 DocType: Sales Invoice,Rail,Rail
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Kostoja aktuale
@@ -1062,6 +1078,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Lidhur me QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Ju lutemi identifikoni / krijoni llogari (Ledger) për llojin - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Llogaria e pagueshme
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Llogaria është e detyrueshme për të marrë hyrje në pagesa
 DocType: Payment Entry,Type of Payment,Lloji i Pagesës
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Dita e Gjysmës Data është e detyrueshme
 DocType: Sales Order,Billing and Delivery Status,Faturimi dhe dorëzimit Statusi
@@ -1099,7 +1116,7 @@
 DocType: Purchase Order Item,Billed Amt,Faturuar Amt
 DocType: Training Result Employee,Training Result Employee,Rezultati Training punonjës
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Një Magazina logjik kundër të cilit janë bërë të hyra të aksioneve.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,shumën e principalit
+DocType: Repayment Schedule,Principal Amount,shumën e principalit
 DocType: Loan Application,Total Payable Interest,Interesi i përgjithshëm për t&#39;u paguar
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totali Outstanding: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Kontakt i hapur
@@ -1112,6 +1129,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Gjatë procesit të azhurnimit ndodhi një gabim
 DocType: Restaurant Reservation,Restaurant Reservation,Rezervim Restoranti
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Artikujt tuaj
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Furnizuesi&gt; Lloji i furnizuesit
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Propozimi Shkrimi
 DocType: Payment Entry Deduction,Payment Entry Deduction,Pagesa Zbritja Hyrja
 DocType: Service Level Priority,Service Level Priority,Prioriteti i nivelit të shërbimit
@@ -1267,7 +1285,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Ndërsa krijoni llogari për Ndërmarrjen për fëmijë {0}, llogaria e prindërve {1} nuk u gjet. Ju lutemi krijoni llogarinë mëmë në COA përkatëse"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split Çështja
 DocType: Student Attendance,Student Attendance,Pjesëmarrja Student
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Nuk ka të dhëna për eksport
 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
@@ -1280,6 +1297,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data e Dorëzimit Aktual
 DocType: Lab Test,Test Template,Template Test
+DocType: Loan Security Pledge,Securities,Securities
 DocType: Restaurant Order Entry Item,Served,Served
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Informacioni i kapitullit.
 DocType: Account,Accounts,Llogaritë
@@ -1373,6 +1391,7 @@
 DocType: Inpatient Record,O Negative,O Negative
 DocType: Work Order Operation,Planned End Time,Planifikuar Fundi Koha
 DocType: POS Profile,Only show Items from these Item Groups,Trego vetëm Artikuj nga këto grupe artikujsh
+DocType: Loan,Is Secured Loan,A është hua e siguruar
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Detajet e tipit të anëtarësisë
 DocType: Delivery Note,Customer's Purchase Order No,Konsumatorit Blerje Rendit Jo
@@ -1488,6 +1507,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nuk ka leje
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Kontrolli i Kontrollit të Kontratës
 DocType: Vital Signs,Heart Rate / Pulse,Shkalla e zemrës / Pulsi
+DocType: Customer,Default Company Bank Account,Llogaria e paracaktuar e kompanisë
 DocType: Supplier,Default Bank Account,Gabim Llogarisë Bankare
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Për të filtruar në bazë të Partisë, Partia zgjidhni llojin e parë"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"&#39;Update Stock &quot;nuk mund të kontrollohet, sepse sendet nuk janë dorëzuar nëpërmjet {0}"
@@ -1604,7 +1624,6 @@
 DocType: Sales Team,Incentives,Nxitjet
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vlerat jashtë sinkronizimit
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vlera e diferencës
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ju lutemi vendosni seritë e numrave për Pjesëmarrje përmes Konfigurimit&gt; Seritë e numrave
 DocType: SMS Log,Requested Numbers,Numrat kërkuara
 DocType: Volunteer,Evening,mbrëmje
 DocType: Quiz,Quiz Configuration,Konfigurimi i kuizit
@@ -1624,6 +1643,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Në Previous Row Total
 DocType: Purchase Invoice Item,Rejected Qty,refuzuar Qty
 DocType: Setup Progress Action,Action Field,Fusha e Veprimit
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Lloji i huasë për normat e interesit dhe dënimit
 DocType: Healthcare Settings,Manage Customer,Menaxho Klientin
 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
@@ -1635,6 +1655,7 @@
 ,Final Assessment Grades,Notat e vlerësimit përfundimtar
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Emri i kompanisë suaj për të cilën ju jeni të vendosur këtë sistem.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Përfshijnë pushimet në total nr. i ditëve të punës
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% E Totalit të Madh
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Instaloni Institutin tuaj në ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza e bimëve
 DocType: Task,Timeline,Timeline
@@ -1642,9 +1663,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Pika Alternative
 DocType: Shopify Log,Request Data,Kërkoni të dhëna
 DocType: Employee,Date of Joining,Data e Bashkimi
+DocType: Delivery Note,Inter Company Reference,Referenca e Ndërmarrjes Inter
 DocType: Naming Series,Update Series,Update Series
 DocType: Supplier Quotation,Is Subcontracted,Është nënkontraktuar
 DocType: Restaurant Table,Minimum Seating,Vendndodhja minimale
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Pyetja nuk mund të jetë e kopjuar
 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,Purchase Receipt,Pranimi Blerje
@@ -1745,6 +1768,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Faturat
 DocType: Payment Request,Paid,I paguar
 DocType: Service Level,Default Priority,Prioriteti i paracaktuar
+DocType: Pledge,Pledge,premtim
 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."
@@ -1758,6 +1782,7 @@
 DocType: Guardian,Guardian Name,Emri Guardian
 DocType: Cheque Print Template,Has Print Format,Ka Print Format
 DocType: Support Settings,Get Started Sections,Filloni seksionin e fillimit
+,Loan Repayment and Closure,Shlyerja dhe mbyllja e huasë
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sanksionuar
 ,Base Amount,Shuma bazë
@@ -1771,7 +1796,6 @@
 DocType: Student Admission,Publish on website,Publikojë në faqen e internetit
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Furnizuesi Data e faturës nuk mund të jetë më i madh se mbi postimet Data
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kodi i Artikullit&gt; Grupi i Artikujve&gt; Marka
 DocType: Subscription,Cancelation Date,Data e anulimit
 DocType: Purchase Invoice Item,Purchase Order Item,Rendit Blerje Item
 DocType: Agriculture Task,Agriculture Task,Detyra e Bujqësisë
@@ -1790,7 +1814,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Përqindja shtesë Discount
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Shiko një listë të të gjitha ndihmë videot
 DocType: Agriculture Analysis Criteria,Soil Texture,Cilësi e tokës
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Zgjidh llogaria kreu i bankës ku kontrolli ishte depozituar.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Lejo përdoruesit të redaktoni listën e çmimeve Vlerësoni në transaksionet
 DocType: Pricing Rule,Max Qty,Max Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Kartela e Raportimit të Printimit
@@ -1924,7 +1947,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Pasi të jetë caktuar, kjo faturë do të jetë në pritje deri në datën e caktuar"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Shuma Shitja
-DocType: Repayment Schedule,Interest Amount,Shuma e interesit
+DocType: Loan Interest Accrual,Interest Amount,Shuma e interesit
 DocType: Job Card,Time Logs,Koha Shkrime
 DocType: Sales Invoice,Loyalty Amount,Shuma e Besnikërisë
 DocType: Employee Transfer,Employee Transfer Detail,Detajet e Transferimit të Punonjësve
@@ -1964,7 +1987,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Artikujt e porosive të blerjes janë vonuar
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Kodi Postal
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Sales Order {0} është {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Marrja e aksioneve Entries
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Nuk mund të promovojë punonjës me statusin e majtë
@@ -2049,7 +2071,6 @@
 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,Start Year,fillimi Year
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Krijoni kredi
 DocType: Purchase Invoice,Start date of current invoice's period,Data e fillimit të periudhës së fatura aktual
 DocType: Shift Type,Process Attendance After,Pjesëmarrja në proces pas
 ,IRS 1099,IRS 1099
@@ -2070,6 +2091,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Zgjidh Domains tuaj
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Dyqan furnizuesin
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Artikujt e faturës së pagesës
+DocType: Repayment Schedule,Is Accrued,Acshtë përvetësuar
 DocType: Payroll Entry,Employee Details,Detajet e punonjësve
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Përpunimi i skedarëve XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2100,6 +2122,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Hyrja e pikës së besnikërisë
 DocType: Employee Checkin,Shift End,Fundi i ndërrimit
 DocType: Stock Settings,Default Item Group,Gabim Item Grupi
+DocType: Loan,Partially Disbursed,lëvrohet pjesërisht
 DocType: Job Card Time Log,Time In Mins,Koha në Mins
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Dhënia e informacionit.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ky veprim do të zhbllokojë këtë llogari nga çdo shërbim i jashtëm që integron ERPNext me llogaritë tuaja bankare. Nuk mund të zhbëhet. A jeni i sigurt?
@@ -2115,6 +2138,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Same artikull nuk mund të futen shumë herë.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Mbyllja e huasë
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,Pagueshme
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2147,6 +2171,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Taksat dhe përfitimet e punonjësve
 DocType: Bank Guarantee,Validity in Days,Vlefshmëria në Ditët
 DocType: Bank Guarantee,Validity in Days,Vlefshmëria në Ditët
+DocType: Unpledge,Haircut,prerje
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-formë nuk është i zbatueshëm për Faturë: {0}
 DocType: Certified Consultant,Name of Consultant,Emri i Konsulentit
 DocType: Payment Reconciliation,Unreconciled Payment Details,Detajet e pagesës Unreconciled
@@ -2200,7 +2225,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Pjesa tjetër e botës
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Item {0} nuk mund të ketë Serisë
 DocType: Crop,Yield UOM,Yield UOM
+DocType: Loan Security Pledge,Partially Pledged,Premtuar pjeserisht
 ,Budget Variance Report,Buxheti Varianca Raport
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Shuma e kredisë së sanksionuar
 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,Get Items from Healthcare Services,Merrni Items nga Healthcare Services
@@ -2235,6 +2262,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Procedura e re e cilësisë
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Gjendjen e llogarisë {0} duhet të jetë gjithmonë {1}
 DocType: Patient Appointment,More Info,More Info
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Data e lindjes nuk mund të jetë më e madhe se data e bashkimit.
 DocType: Supplier Scorecard,Scorecard Actions,Veprimet Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Furnizuesi {0} nuk gjendet në {1}
 DocType: Purchase Invoice,Rejected Warehouse,Magazina refuzuar
@@ -2329,6 +2357,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Ju lutemi të vendosni fillimisht Kodin e Artikullit
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Krijuar peng për sigurinë e kredisë: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Emërimet dhe takimet e pacientëve
@@ -2383,6 +2412,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Numri i emërimeve të njëkohshme
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Fillimi
 DocType: Purchase Invoice,Taxes and Charges Calculation,Taksat dhe Tarifat Llogaritja
+DocType: Loan Interest Accrual,Payable Principal Amount,Shuma kryesore e pagueshme
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Zhvlerësimi Book Asset Hyrja Automatikisht
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Zhvlerësimi Book Asset Hyrja Automatikisht
 DocType: BOM Operation,Workstation,Workstation
@@ -2419,7 +2449,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Ushqim
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Gama plakjen 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detajet e mbylljes së blerjes POS
-DocType: Bank Account,Is the Default Account,A është llogaria e paracaktuar
 DocType: Shopify Log,Shopify Log,Dyqan log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Asnjë komunikim nuk u gjet.
 DocType: Inpatient Occupancy,Check In,Kontrollo
@@ -2473,12 +2502,14 @@
 DocType: Sales Order Item,Planned Quantity,Sasia e planifikuar
 DocType: Water Analysis,Water Analysis Criteria,Kriteret e analizës së ujit
 DocType: Item,Maintain Stock,Ruajtja Stock
+DocType: Loan Security Unpledge,Unpledge Time,Koha e bllokimit
 DocType: Terms and Conditions,Applicable Modules,Modulet e zbatueshme
 DocType: Employee,Prefered Email,i preferuar Email
 DocType: Student Admission,Eligibility and Details,Pranueshmëria dhe Detajet
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Përfshihet në Fitimin Bruto
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Ndryshimi neto në aseteve fikse
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Ky është një vend ku ruhet produkti përfundimtar.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Nga datetime
@@ -2518,8 +2549,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garanci / AMC Statusi
 ,Accounts Browser,Llogaritë Browser
 DocType: Procedure Prescription,Referral,Referral
+,Territory-wise Sales,Shitje të mençura të territorit
 DocType: Payment Entry Reference,Payment Entry Reference,Pagesa Reference Hyrja
 DocType: GL Entry,GL Entry,GL Hyrja
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Rreshti # {0}: Magazina e Pranuar dhe Magazina e Furnizuesit nuk mund të jenë të njëjta
 DocType: Support Search Source,Response Options,Opsionet e Përgjigjes
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Aplikoni Rregulla të Shumëfishta të Prmimeve
 DocType: HR Settings,Employee Settings,Cilësimet e punonjësve
@@ -2577,6 +2610,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Bujqësia (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Shqip Paketimi
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ju lutemi vendosni Seritë e Emërtimit për {0} përmes Konfigurimit&gt; Cilësimet&gt; Seritë e Emrave
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Zyra Qira
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Setup SMS settings portë
 DocType: Disease,Common Name,Emer i perbashket
@@ -2593,6 +2627,7 @@
 DocType: Item,Sales Details,Shitjet Detajet
 DocType: Coupon Code,Used,të përdorura
 DocType: Opportunity,With Items,Me Items
+DocType: Vehicle Log,last Odometer Value ,vlera e fundit e odometrit
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Fushata &#39;{0}&#39; tashmë ekziston për {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Ekipi i Mirëmbajtjes
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Rendit në të cilin seksionet duhet të paraqiten. 0 është e para, 1 është e dyta dhe kështu me radhë."
@@ -2603,7 +2638,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense Kërkesa {0} ekziston për Log automjeteve
 DocType: Asset Movement Item,Source Location,Burimi Vendndodhja
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Emri Institute
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Ju lutemi shkruani shlyerjes Shuma
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Ju lutemi shkruani shlyerjes Shuma
 DocType: Shift Type,Working Hours Threshold for Absent,Pragu i orarit të punës për mungesë
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Nuk mund të jetë faktor i shumëfishuar i grumbullimit bazuar në totalin e shpenzuar. Por faktori i konvertimit për shpengim do të jetë gjithmonë i njëjtë për të gjithë grupin.
 apps/erpnext/erpnext/config/help.py,Item Variants,Variantet pika
@@ -2626,6 +2661,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,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/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Ju lutemi zgjidhni së pari Llojin e Aplikuesit
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Zgjidhni BOM, Qty dhe For Depo"
 DocType: GST HSN Code,GST HSN Code,GST Code HSN
 DocType: Employee External Work History,Total Experience,Përvoja Total
@@ -2714,7 +2750,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Asnjë BOM aktive nuk u gjet për artikullin {0}. Dorëzimi nga \ Serial No nuk mund të sigurohet
 DocType: Sales Partner,Sales Partner Target,Sales Partner Target
-DocType: Loan Type,Maximum Loan Amount,Shuma maksimale e kredisë
+DocType: Loan Application,Maximum Loan Amount,Shuma maksimale e kredisë
 DocType: Coupon Code,Pricing Rule,Rregulla e Çmimeve
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Numri Duplicate roll për nxënës {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Numri Duplicate roll për nxënës {0}
@@ -2738,6 +2774,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Lë alokuar sukses për {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Asnjë informacion që të dal
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Vetëm skedarët .csv dhe .xlsx janë mbështetur aktualisht
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ju lutemi vendosni Sistemin e Emërtimit të Punonjësve në Burimet Njerëzore&gt; Cilësimet e BNJ
 DocType: Shipping Rule Condition,From Value,Nga Vlera
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Prodhim Sasia është e detyrueshme
 DocType: Loan,Repayment Method,Metoda Ripagimi
@@ -2886,6 +2923,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Fitimi neto
 DocType: Purchase Invoice,Eligibility For ITC,Pranueshmëria Për ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,Hyrja Lloji
 ,Customer Credit Balance,Bilanci Customer Credit
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Ndryshimi neto në llogaritë e pagueshme
@@ -2897,6 +2935,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID e Pajisjes së Pjesëmarrjes (ID biometrike / RF e etiketës RF)
 DocType: Quotation,Term Details,Detajet Term
 DocType: Item,Over Delivery/Receipt Allowance (%),Dorëzimi / lejimi i pranimit (%)
+DocType: Appointment Letter,Appointment Letter Template,Modeli i Letrës së Emërimeve
 DocType: Employee Incentive,Employee Incentive,Stimulimi i Punonjësve
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Totali (pa Tatimore)
@@ -2921,6 +2960,7 @@
 					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.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Shkëput Pagesa mbi anulimin e Faturë
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Interesi i kredisë së procesit akrual
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Leximi aktuale Odometer hyrë duhet të jetë më i madh se fillestare automjeteve rrugëmatës {0}
 ,Purchase Order Items To Be Received or Billed,Bleni Artikujt e Rendit që Do të Merren ose Faturohen
 DocType: Restaurant Reservation,No Show,Asnjë shfaqje
@@ -3004,6 +3044,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Qendra Kosto është e nevojshme për llogarinë ""Fitimi dhe Humbje '{2}. Ju lutemi krijo nje Qender Kostoje te paracaktuar per kompanine."
 DocType: Payment Schedule,Payment Term,Kushtet e pagesës
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Një grup të konsumatorëve ekziston me të njëjtin emër, ju lutem të ndryshojë emrin Customer ose riemërtoni grup të konsumatorëve"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Data e përfundimit të pranimit duhet të jetë më e madhe se data e fillimit të pranimit.
 DocType: Location,Area,zonë
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Kontakti i ri
 DocType: Company,Company Description,Përshkrimi i kompanisë
@@ -3077,6 +3118,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Të dhënat e skeduara
 DocType: Purchase Order Item,Warehouse and Reference,Magazina dhe Referenca
 DocType: Payroll Period Date,Payroll Period Date,Data e Periudhës së Pagave
+DocType: Loan Disbursement,Against Loan,Kundër huasë
 DocType: Supplier,Statutory info and other general information about your Supplier,Info Statutore dhe informacione të tjera të përgjithshme në lidhje me furnizuesit tuaj
 DocType: Item,Serial Nos and Batches,Serial Nr dhe Batches
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Grupi Student Forca
@@ -3289,6 +3331,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Base Shuma (Company Valuta)
 DocType: Purchase Invoice,Registered Regular,Regjistrohet i rregullt
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,"Lende e pare, lende e paperpunuar"
+DocType: Plaid Settings,sandbox,sandbox
 DocType: Payment Reconciliation Payment,Reference Row,Reference Row
 DocType: Installation Note,Installation Time,Instalimi Koha
 DocType: Sales Invoice,Accounting Details,Detajet Kontabilitet
@@ -3301,12 +3344,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Lloji i transaksionit
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteret e pranimit
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Shuma totale e pagueshme
 DocType: Task,Expected Time (in hours),Koha pritet (në orë)
 DocType: Item Reorder,Check in (group),Kontrolloni në (grupi)
 DocType: Soil Texture,Silt,baltë
@@ -3338,6 +3380,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Zbritja e taksës për vërtetimin e përjashtimit të taksave të pashpërndara
 DocType: Volunteer,Anytime,Kurdo
 DocType: Bank Account,Bank Account No,Llogaria bankare nr
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Disbursimi dhe Shlyerja
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Parashtrimi i provës së përjashtimit nga taksat e punonjësve
 DocType: Patient,Surgical History,Historia kirurgjikale
 DocType: Bank Statement Settings Item,Mapped Header,Koka e copëzuar
@@ -3398,6 +3441,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Krijo Test Lab (s) në Sales Fatura Submit
 DocType: Serial No,Invoice Details,detajet e faturës
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Struktura e pagave duhet të dorëzohet para paraqitjes së Deklaratës së Emetimit të Taksave
+DocType: Loan Application,Proposed Pledges,Premtimet e propozuara
 DocType: Grant Application,Show on Website,Trego në Website
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Filloni
 DocType: Hub Tracked Item,Hub Category,Kategoria Hub
@@ -3409,7 +3453,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Përputhësi i rezultatit të furnitorit
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill e materialeve nuk u gjet për pika {1}
 DocType: Contract Fulfilment Checklist,Requirement,kërkesë
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ju lutemi vendosni Sistemin e Emërtimit të Punonjësve në Burimet Njerëzore&gt; Cilësimet e BNJ
 DocType: Journal Entry,Accounts Receivable,Llogaritë e arkëtueshme
 DocType: Quality Goal,Objectives,objektivat
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roli i lejuar për të krijuar aplikacionin për pushime të vonuara
@@ -3564,6 +3607,7 @@
 DocType: Employee,Health Insurance,Sigurim shëndetsor
 DocType: Asset Repair,Manufacturing Manager,Prodhim Menaxher
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serial Asnjë {0} është nën garanci upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Shuma e kredisë tejkalon shumën maksimale të kredisë prej {0} sipas letrave me vlerë të propozuara
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Vlera minimale e lejueshme
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Përdoruesi {0} tashmë ekziston
 apps/erpnext/erpnext/hooks.py,Shipments,Dërgesat
@@ -3608,7 +3652,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Lloj i biznesit
 DocType: Sales Invoice,Consumer,konsumator
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ju lutem, përzgjidhni Shuma e ndarë, tip fature, si dhe numrin e faturës në atleast një rresht"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ju lutemi vendosni Seritë e Emërtimit për {0} përmes Konfigurimit&gt; Cilësimet&gt; Seritë e Emrave
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostoja e blerjes së Re
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Rendit Shitjet e nevojshme për Item {0}
 DocType: Grant Application,Grant Description,Përshkrimi i Grantit
@@ -3617,6 +3660,7 @@
 DocType: Subscription,Discounts,Zbritje
 DocType: Bank Transaction,Unallocated Amount,Shuma pashpërndarë
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Ju lutemi të mundësoni Zbatimin në Urdhërblerje dhe të Zbatueshme për Shpenzimet Aktuale të Shpenzimeve
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} nuk është një llogari bankare e kompanisë
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Nuk mund të gjeni një përputhen Item. Ju lutem zgjidhni një vlerë tjetër {0} për.
 DocType: POS Profile,Taxes and Charges,Taksat dhe Tarifat
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Një produkt apo një shërbim që është blerë, shitur apo mbajtur në magazinë."
@@ -3667,6 +3711,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Data e vlefshme nga data duhet të jetë më e vogël se Valid Upto Date.
 DocType: Employee Skill,Evaluation Date,Data e vlerësimit
 DocType: Quotation Item,Stock Balance,Stock Bilanci
+DocType: Loan Security Pledge,Total Security Value,Vlera totale e sigurisë
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Rendit Shitjet për Pagesa
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Me pagesën e tatimit
@@ -3758,6 +3803,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Shkalla aktuale Vlerësimi
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Numri i llogarive rrënjësore nuk mund të jetë më pak se 4
 DocType: Training Event,Advance,avancoj
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Kundër huasë:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Cilësimet e portës së pagesës GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange Gain / Humbje
 DocType: Opportunity,Lost Reason,Humbur Arsyeja
@@ -3842,8 +3888,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Zgjidh Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Invalid {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Rreshti {0}: Data e lindjes së motrës nuk mund të jetë më e madhe se sot.
 DocType: Fee Validity,Reference Inv,Referenca Inv
 DocType: Sales Invoice Advance,Advance Amount,Advance Shuma
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Shkalla e interesit të dënimit (%) në ditë
 DocType: Manufacturing Settings,Capacity Planning,Planifikimi i kapacitetit
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Rregullimi i rrumbullakosjes (Valuta e kompanisë
 DocType: Asset,Policy number,Numri i politikave
@@ -3858,7 +3906,9 @@
 DocType: Normal Test Items,Require Result Value,Kërkoni vlerën e rezultatit
 DocType: Purchase Invoice,Pricing Rules,Rregullat e çmimeve
 DocType: Item,Show a slideshow at the top of the page,Tregojnë një Slideshow në krye të faqes
+DocType: Appointment Letter,Body,trup
 DocType: Tax Withholding Rate,Tax Withholding Rate,Norma e Mbajtjes së Tatimit
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Data e fillimit të ripagimit është e detyrueshme për kreditë me afat
 DocType: Pricing Rule,Max Amt,Amt Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOM
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Dyqane
@@ -3878,7 +3928,7 @@
 DocType: Call Log,Received By,Marrë nga
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Kohëzgjatja e emërimit (brenda minutave)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detajet e modelit të përcaktimit të fluksit monetar
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Menaxhimi i Kredive
+DocType: Loan,Loan Management,Menaxhimi i Kredive
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Track ardhurat veçantë dhe shpenzimet për verticals produkt apo ndarjet.
 DocType: Rename Tool,Rename Tool,Rename Tool
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Update Kosto
@@ -3886,6 +3936,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Mënyra e transportit
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Trego Paga Shqip
+DocType: Loan,Is Term Loan,A është hua me afat
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Material Transferimi
 DocType: Fees,Send Payment Request,Dërgo Kërkesën për Pagesë
 DocType: Travel Request,Any other details,Çdo detaj tjetër
@@ -3903,6 +3954,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Cash Flow nga Financimi
 DocType: Budget Account,Budget Account,Llogaria buxheti
 DocType: Quality Inspection,Verified By,Verifikuar nga
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Shtoni sigurinë e kredisë
 DocType: Travel Request,Name of Organizer,Emri i organizuesit
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nuk mund të ndryshojë monedhën parazgjedhje kompanisë, sepse ka transaksione ekzistuese. Transaksionet duhet të anulohet për të ndryshuar monedhën default."
 DocType: Cash Flow Mapping,Is Income Tax Liability,A është përgjegjësia e tatimit mbi të ardhurat
@@ -3952,6 +4004,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Kerkohet Në
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Nëse kontrollohet, fsheh dhe çaktivizon fushën e rrumbullakosur totale në Rrëshqet e pagave"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Kjo është kompensimi (ditët) e paracaktuar për Datën e Dorëzimit në Urdhrat e Shitjes. Kompensimi i kthimit është 7 ditë nga data e vendosjes së porosisë.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ju lutemi vendosni seritë e numrave për Pjesëmarrje përmes Konfigurimit&gt; Seritë e numrave
 DocType: Rename Tool,File to Rename,Paraqesë për Rename
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Fetch Updates Updating
@@ -3964,6 +4017,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Krijuar numra serialë
 DocType: POS Profile,Applicable for Users,E aplikueshme për përdoruesit
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Nga data dhe deri më sot janë të detyrueshëm
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Vendosni projektin dhe të gjitha detyrat në status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Cakto avancimet dhe alokimin (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Nuk u krijua urdhër pune
@@ -3973,6 +4027,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artikujt nga
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kostoja e artikujve të blerë
 DocType: Employee Separation,Employee Separation Template,Modeli i ndarjes së punonjësve
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Zero sasi prej {0} premtuar kundër kredisë {0}
 DocType: Selling Settings,Sales Order Required,Sales Rendit kërkuar
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Bëhuni shitës
 ,Procurement Tracker,Ndjekësi i prokurimit
@@ -4069,11 +4124,12 @@
 ,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,Total Absent,Gjithsej Mungon
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Shuma e pagueshme
+DocType: Loan Repayment,Payable Amount,Shuma e pagueshme
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Mundësi
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Forca maksimale nuk mund të jetë më pak se zero.
 DocType: Options,Option,alternativë
 DocType: Operation,Default Workstation,Gabim Workstation
 DocType: Payment Entry,Deductions or Loss,Zbritjet apo Humbje
@@ -4114,6 +4170,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Shuma e interesit është e detyrueshme
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Hapat e ardhshëm
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Artikujt e ruajtur
@@ -4165,8 +4222,6 @@
 DocType: Grant Application,Grant Application Details ,Detajet e Aplikimit të Grantit
 DocType: Employee Separation,Employee Separation,Ndarja e Punonjësve
 DocType: BOM Item,Original Item,Origjinal
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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 të anulluar këtë dokument"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data e Dokumentit
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Records tarifë Krijuar - {0}
 DocType: Asset Category Account,Asset Category Account,Asset Kategoria Llogaria
@@ -4198,6 +4253,8 @@
 DocType: Asset Maintenance Task,Calibration,kalibrim
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} është një festë e kompanisë
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Orari i faturimit
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Norma e interesit të ndëshkimit vendoset në shumën e interesit në pritje çdo ditë në rast të ripagimit të vonuar
+DocType: Appointment Letter content,Appointment Letter content,Përmbajtja e Letrës
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Lini Njoftimin e Statusit
 DocType: Patient Appointment,Procedure Prescription,Procedura Prescription
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures dhe Regjistrimet
@@ -4216,7 +4273,7 @@
 DocType: Opportunity,Customer / Lead Name,Customer / Emri Lead
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Pastrimi Data nuk përmendet
 DocType: Payroll Period,Taxable Salary Slabs,Pllakat e pagueshme të tatueshme
-DocType: Job Card,Production,Prodhim
+DocType: Plaid Settings,Production,Prodhim
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN i pavlefshëm! Hyrja që keni futur nuk përputhet me formatin e GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Vlera e llogarisë
 DocType: Guardian,Occupation,profesion
@@ -4360,6 +4417,7 @@
 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,Student {0} does not belong to group {1},Student {0} nuk i përket grupit {1}
+DocType: Appointment Letter,Appointment Date,Data e emërimit
 DocType: Budget,Cost Center,Qendra Kosto
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Kupon #
 DocType: Tax Rule,Shipping Country,Shipping Vendi
@@ -4428,6 +4486,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Dimensioni i Kontabilitetit
 ,Profit and Loss Statement,Fitimi dhe Humbja Deklarata
 DocType: Bank Reconciliation Detail,Cheque Number,Numri çek
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Shuma e paguar nuk mund të jetë zero
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Pika e referuar nga {0} - {1} është faturuar tashmë
 ,Sales Browser,Shitjet Browser
 DocType: Journal Entry,Total Credit,Gjithsej Credit
@@ -4531,6 +4590,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Shto / Ndrysho Kushtet e Kuponit
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Llogari shpenzim / Diferenca ({0}) duhet të jetë një llogari &quot;fitimit ose humbjes &#39;
 DocType: Stock Entry Detail,Stock Entry Child,Fëmija i hyrjes së aksioneve
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Kompania e pengut të sigurimit të huasë dhe ndërmarrja e kredisë duhet të jenë të njëjta
 DocType: Project,Copied From,kopjuar nga
 DocType: Project,Copied From,kopjuar nga
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Fatura tashmë është krijuar për të gjitha orët e faturimit
@@ -4539,6 +4599,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Është kostoja e financimit
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Pjesëmarrja për punonjës {0} është shënuar tashmë
 DocType: Packing Slip,If more than one package of the same type (for print),Nëse më shumë se një paketë të të njëjtit lloj (për shtyp)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Ju lutemi vendosni Sistemin e Emërtimit të Instruktorëve në Arsim&gt; Cilësimet e arsimit
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Vendosni klientin e parazgjedhur në Cilësimet e Restorantit
 ,Salary Register,Paga Regjistrohu
 DocType: Company,Default warehouse for Sales Return,Depo e paracaktuar për kthimin e shitjeve
@@ -4583,7 +4644,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Nr seriali aktual
 DocType: Employee,Attendance and Leave Details,Pjesëmarrja dhe Detajet e Lini
 ,BOM Comparison Tool,Mjet për krahasimin e BOM
-,Requested,Kërkuar
+DocType: Loan Security Pledge,Requested,Kërkuar
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4595,7 +4656,6 @@
 DocType: Drug Prescription,Drug Prescription,Prescription e drogës
 DocType: Service Level,Support and Resolution,Mbështetje dhe Rezolutë
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Kodi i artikullit falas nuk është zgjedhur
-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
@@ -4627,6 +4687,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Ju kanë vlerësuar tashmë me kriteret e vlerësimit {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Shuma e mungesës
 DocType: Vehicle Service,Engine Oil,Vaj makine
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Rendi i punës i krijuar: {0}
 DocType: Sales Invoice,Sales Team1,Shitjet Team1
@@ -4643,6 +4704,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,Statusi i banimit
 DocType: Purchase Invoice,Apply Additional Discount On,Aplikoni shtesë zbritje në
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Zgjidh Type ...
+DocType: Loan Interest Accrual,Amounts,shumat
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Biletat tuaja
 DocType: Account,Root Type,Root Type
 DocType: Item,FIFO,FIFO
@@ -4650,6 +4712,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: nuk mund të kthehet më shumë se {1} për Item {2}
 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: Loan Security Price,Loan Security Price,Mimi i sigurisë së huasë
 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,Target warehouse is mandatory for row {0},Depo objektiv është i detyrueshëm për rresht {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Operacionet me pakicë
@@ -4787,6 +4850,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Grumbull është i detyrueshëm në rradhë {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Grumbull është i detyrueshëm në rradhë {0}
 DocType: Company,Default Buying Terms,Kushtet e blerjes së paracaktuar
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Disbursimi i huasë
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Fatura Blerje Item furnizuar
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktivizo sinkronizimin e planifikuar
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Për datetime
@@ -4878,6 +4942,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Propozimi / Cmimi i çmimit
 DocType: Antibiotic,Healthcare,Kujdesit shëndetësor
 DocType: Target Detail,Target Detail,Detail Target
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Proceset e huasë
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Varianti i vetëm
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Të gjitha Jobs
 DocType: Sales Order,% of materials billed against this Sales Order,% E materialeve faturuar kundër këtij Rendit Shitje
@@ -4940,7 +5005,7 @@
 DocType: Item,Reorder level based on Warehouse,Niveli Reorder bazuar në Magazina
 DocType: Activity Cost,Billing Rate,Rate Faturimi
 ,Qty to Deliver,Qty të Dorëzojë
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Krijoni hyrjen e disbursimit
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Krijoni hyrjen e disbursimit
 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,Operations cannot be left blank,Operacionet nuk mund të lihet bosh
@@ -4974,6 +5039,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Shkëput integrimet e jashtme
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Zgjidhni një pagesë përkatëse
 DocType: Pricing Rule,Item Code,Kodi i artikullit
+DocType: Loan Disbursement,Pending Amount For Disbursal,Në pritje të shumës për disbursim
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garanci / AMC Detajet
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Zgjidh studentët me dorë për aktivitetin bazuar Grupit
@@ -4998,6 +5064,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Qty Total
 DocType: Landed Cost Item,Receipt Document,Dokumenti Receipt
 DocType: Employee Education,School/University,Shkolla / Universiteti
+DocType: Loan Security Pledge,Loan  Details,Detajet e huasë
 DocType: Sales Invoice Item,Available Qty at Warehouse,Qty në dispozicion në magazinë
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Shuma e faturuar
 DocType: Share Transfer,(including),(Duke përfshirë)
@@ -5021,6 +5088,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupet
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupi nga Llogaria
 DocType: Purchase Invoice,Hold Invoice,Mbaj fatura
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Statusi i pengut
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Ju lutemi zgjidhni Punonjësin
 DocType: Sales Order,Fully Delivered,Dorëzuar plotësisht
 DocType: Promotional Scheme Price Discount,Min Amount,Shuma e vogël
@@ -5030,7 +5098,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Shuma e disbursuar nuk mund të jetë më e madhe se: Kredia {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rresht {0} # Shuma e alokuar {1} nuk mund të jetë më e madhe se shuma e pakushtuar {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Blerje numrin urdhër që nevojitet për artikullit {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Mbaj Leaves përcolli
@@ -5058,6 +5125,7 @@
 DocType: Pick List Item,Serial No and Batch,Pa serial dhe Batch
 DocType: Warranty Claim,From Company,Nga kompanisë
 DocType: GSTR 3B Report,January,janar
+DocType: Loan Repayment,Principal Amount Paid,Shuma e paguar e principalit
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Shuma e pikëve të kritereve të vlerësimit të nevojave të jetë {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Ju lutemi të vendosur Numri i nënçmime rezervuar
 DocType: Supplier Scorecard Period,Calculations,llogaritjet
@@ -5084,6 +5152,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Për kompaninë tuaj
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Shfaq të dhënat e plakjes së aksioneve
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredi në llogarinë duhet të jetë një llogari Bilanci i Gjendjes
+DocType: Loan Repayment,Penalty Amount,Shuma e dënimit
 DocType: Donor,Donor,dhurues
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Azhurnoni taksat për artikujt
 DocType: Global Defaults,Disable In Words,Disable Në fjalë
@@ -5113,6 +5182,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Qendra e Kostove dhe Buxhetimi
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Hapja Bilanci ekuitetit
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Hyrja e paguar e pjesshme
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ju lutemi vendosni Programin e Pagesave
 DocType: Pick List,Items under this warehouse will be suggested,Artikujt nën këtë depo do të sugjerohen
 DocType: Purchase Invoice,N,N
@@ -5145,7 +5215,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Merrni Furnizuesit Nga
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nuk u gjet për Item {1}
 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,"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,Message Sent,Mesazh dërguar
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5159,6 +5228,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Aktivizo Rirregullimin Auto
 DocType: Stock Settings,Item Naming By,Item Emërtimi By
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Një tjetër Periudha Mbyllja Hyrja {0} është bërë pas {1}
+DocType: Proposed Pledge,Proposed Pledge,Premtimi i propozuar
 DocType: Work Order,Material Transferred for Manufacturing,Materiali Transferuar për Prodhim
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Llogaria {0} nuk ekziston
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Zgjidh programin e besnikërisë
@@ -5169,7 +5239,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Vendosja Ngjarje për {0}, pasi që punonjësit e bashkangjitur më poshtë Personave Sales nuk ka një ID User {1}"
 DocType: Timesheet,Billing Details,detajet e faturimit
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Burimi dhe depo objektiv duhet të jetë i ndryshëm
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Ju lutemi vendosni Sistemin e Emërtimit të Punonjësve në Burimet Njerëzore&gt; Cilësimet e BNJ
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pagesa dështoi. Kontrollo llogarinë tënde GoCardless për më shumë detaje
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nuk lejohet të përtërini transaksioneve të aksioneve të vjetër se {0}
 DocType: Stock Entry,Inspection Required,Kerkohet Inspektimi
@@ -5182,6 +5251,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Depo ofrimit të nevojshme për pikën e aksioneve {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Pesha bruto e paketës. Zakonisht pesha neto + paketimin pesha materiale. (Për shtyp)
 DocType: Assessment Plan,Program,program
+DocType: Unpledge,Against Pledge,Kundër pengut
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Përdoruesit me këtë rol janë të lejuara për të ngritur llogaritë ngrirë dhe për të krijuar / modifikuar shënimet e kontabilitetit kundrejt llogarive të ngrira
 DocType: Plaid Settings,Plaid Environment,Mjedisi i pllakosur
 ,Project Billing Summary,Përmbledhja e faturimit të projektit
@@ -5234,6 +5304,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,tufa
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Numri i ditëve të emërimeve mund të prenotohet paraprakisht
 DocType: Article,LMS User,Përdoruesi LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Pengu i Sigurisë së Kredisë është i detyrueshëm për kredinë e siguruar
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Vendi i furnizimit (Shteti / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Blerje Rendit {0} nuk është dorëzuar
@@ -5306,6 +5377,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Krijoni Kartën e Punës
 DocType: Quotation,Referral Sales Partner,Partner Shitje Referimi
 DocType: Quality Procedure Process,Process Description,Përshkrimi i procesit
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Nuk mund të zbritet, vlera e sigurisë së kredisë është më e madhe se shuma e ripaguar"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klienti {0} është krijuar.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Aktualisht nuk ka stoqe ne asnje depo
 ,Payment Period Based On Invoice Date,Periudha e pagesës bazuar në datën Faturë
@@ -5326,7 +5398,7 @@
 DocType: Asset,Insurance Details,Details Insurance
 DocType: Account,Payable,Për t&#39;u paguar
 DocType: Share Balance,Share Type,Lloji i aksioneve
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Ju lutemi shkruani Periudhat Ripagimi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Ju lutemi shkruani Periudhat Ripagimi
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitorët ({0})
 DocType: Pricing Rule,Margin,diferencë
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Klientët e Rinj
@@ -5335,6 +5407,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Ndrysho Profilin e POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Sasia ose Shuma është mandatroy për sigurinë e kredisë
 DocType: Bank Reconciliation Detail,Clearance Date,Pastrimi Data
 DocType: Delivery Settings,Dispatch Notification Template,Modeli i Njoftimit Dispeçer
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Raporti i Vlerësimit
@@ -5369,6 +5442,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Libri i aksioneve
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Fatura Sales {0} krijuar
 DocType: Employee,Confirmation Date,Konfirmimi Data
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"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 të anulluar këtë dokument"
 DocType: Inpatient Occupancy,Check Out,Kontrolloni
 DocType: C-Form,Total Invoiced Amount,Shuma totale e faturuar
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Qty nuk mund të jetë më i madh se Max Qty
@@ -5381,7 +5456,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID Company Quickbooks
 DocType: Travel Request,Travel Funding,Financimi i udhëtimeve
 DocType: Employee Skill,Proficiency,aftësi
-DocType: Loan Application,Required by Date,Kërkohet nga Data
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Detaji i Marrjes së Blerjes
 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
 DocType: Lead,Lead Owner,Lead Owner
@@ -5400,7 +5474,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM aktuale dhe të reja bom nuk mund të jetë e njëjtë
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Paga Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data e daljes në pension duhet të jetë më i madh se data e bashkimit
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Furnizuesi&gt; Lloji i furnizuesit
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variante të shumëfishta
 DocType: Sales Invoice,Against Income Account,Kundër llogarisë së të ardhurave
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Dorëzuar
@@ -5432,7 +5505,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Akuzat lloj vlerësimi nuk mund të shënuar si gjithëpërfshirës
 DocType: POS Profile,Update Stock,Update Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Detajet e pagesës
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Bom Rate
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Leximi i skedarit të ngarkuar
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5465,6 +5538,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Vlera maksimale e huasë
 ,Stock Ledger,Stock Ledger
 DocType: Company,Exchange Gain / Loss Account,Exchange Gain / Humbja e llogarisë
 DocType: Amazon MWS Settings,MWS Credentials,Kredencialet e MWS
@@ -5572,7 +5646,6 @@
 DocType: Fee Schedule,Fee Schedule,Orari Tarifa
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Etiketat e kolonave:
 DocType: Bank Transaction,Settled,Vendosën
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Data e Disbursimit nuk mund të jetë pas datës së fillimit të ripagimit të huasë
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,tatim
 DocType: Quality Feedback,Parameters,parametrat
 DocType: Company,Create Chart Of Accounts Based On,Krijoni planin kontabël në bazë të
@@ -5592,6 +5665,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kufizimet e kredisë dhe kushtet e pagesës
 DocType: Loyalty Program,Collection Rules,Rregullat e mbledhjes
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Pika 3
+DocType: Loan Security Shortfall,Shortfall Time,Koha e mungesës
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Rendit Hyrja
 DocType: Purchase Order,Customer Contact Email,Customer Contact Email
 DocType: Warranty Claim,Item and Warranty Details,Pika dhe Garanci Details
@@ -5611,12 +5685,14 @@
 DocType: Sales Person,Sales Person Name,Sales Person Emri
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ju lutemi shkruani atleast 1 faturën në tryezë
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nuk u krijua Test Lab
+DocType: Loan Security Shortfall,Security Value ,Vlera e sigurisë
 DocType: POS Item Group,Item Group,Grupi i artikullit
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupi Studentor:
 DocType: Depreciation Schedule,Finance Book Id,Libri i financave Id
 DocType: Item,Safety Stock,Siguria Stock
 DocType: Healthcare Settings,Healthcare Settings,Cilësimet e kujdesit shëndetësor
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Totali i lëkundjeve të alokuara
+DocType: Appointment Letter,Appointment Letter,Letra e Emërimeve
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Progresi% për një detyrë nuk mund të jetë më shumë se 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Para se të pajtimit
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Për {0}
@@ -5670,6 +5746,7 @@
 DocType: Stock Entry,From BOM,Nga bom
 DocType: Assessment Code,Assessment Code,Kodi i vlerësimit
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Themelor
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Aplikime për hua nga klientët dhe punonjësit.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transaksionet e aksioneve para {0} janë të ngrira
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Ju lutem klikoni në &quot;Generate Listën &#39;
 DocType: Job Card,Current Time,Koha aktuale
@@ -5696,7 +5773,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nuk Grupet Student krijuar.
 DocType: Purchase Invoice Item,Serial No,Serial Asnjë
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Shuma mujore e pagesës nuk mund të jetë më e madhe se Shuma e Kredisë
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Shuma mujore e pagesës nuk mund të jetë më e madhe se Shuma e Kredisë
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Ju lutemi shkruani maintaince Detaje parë
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rreshti # {0}: Data e pritshme e dorëzimit nuk mund të jetë para datës së porosisë së blerjes
 DocType: Purchase Invoice,Print Language,Print Gjuha
@@ -5709,6 +5786,7 @@
 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,All Territories,Të gjitha Territoret
+DocType: Plaid Settings,development,zhvillim
 DocType: Lost Reason Detail,Lost Reason Detail,Detaji i humbur i arsyes
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Urdhëri i pavlefshëm i baterisë për klientin dhe artikullin e zgjedhur
@@ -5771,12 +5849,14 @@
 DocType: Staffing Plan Detail,Current Openings,Hapjet aktuale
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash Flow nga operacionet
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Shuma e CGST
+DocType: Vehicle Log,Current Odometer value ,Vlera aktuale e odometrit
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Krijoni Student
 DocType: Asset Movement Item,Asset Movement Item,Artikulli i Lëvizjes së Pasurive
 DocType: Purchase Invoice,Shipping Rule,Rregulla anijeve
 DocType: Patient Relation,Spouse,bashkëshort
 DocType: Lab Test Groups,Add Test,Shto Test
 DocType: Manufacturer,Limited to 12 characters,Kufizuar në 12 karaktere
+DocType: Appointment Letter,Closing Notes,Shënime përmbyllëse
 DocType: Journal Entry,Print Heading,Printo Kreu
 DocType: Quality Action Table,Quality Action Table,Tabela e Veprimit të Cilësisë
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Gjithsej nuk mund të jetë zero
@@ -5842,6 +5922,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,Përmbledhje e shitjeve
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Gjithsej (Amt)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Entertainment &amp; Leisure
+DocType: Loan Security,Loan Security,Sigurimi i huasë
 ,Item Variant Details,Detajet e variantit të artikullit
 DocType: Quality Inspection,Item Serial No,Item Nr Serial
 DocType: Payment Request,Is a Subscription,Është një abonim
@@ -5854,7 +5935,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Mosha e fundit
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Datat e planifikuara dhe të pranuara nuk mund të jenë më pak se sot
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transferimi materiale të Furnizuesit
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Jo i ri Serial nuk mund të ketë depo. Magazina duhet të përcaktohen nga Bursa e hyrjes ose marrjes Blerje
 DocType: Lead,Lead Type,Lead Type
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Krijo Kuotim
@@ -5871,7 +5951,6 @@
 DocType: Leave Allocation,Leave Period,Lini periudhën
 DocType: Item,Default Material Request Type,Default Kërkesa Tipe Materiali
 DocType: Supplier Scorecard,Evaluation Period,Periudha e vlerësimit
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klienti&gt; Grupi i klientëve&gt; Territori
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,I panjohur
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Rendi i punës nuk është krijuar
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5955,7 +6034,8 @@
 ,Customer-wise Item Price,Pricemimi i artikullit të mençur nga klienti
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Pasqyra Cash Flow
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Asnjë kërkesë materiale nuk është krijuar
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Sasia huaja nuk mund të kalojë sasi maksimale huazimin e {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Sasia huaja nuk mund të kalojë sasi maksimale huazimin e {0}
+DocType: Loan,Loan Security Pledge,Pengu i sigurimit të huasë
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Liçensë
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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"
@@ -5973,6 +6053,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Skema e Zbritjes së mimeve
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Statusi i mirëmbajtjes duhet të anulohet ose të përfundohet për t&#39;u dërguar
 DocType: Amazon MWS Settings,US,SHBA
+DocType: Loan Security Pledge,Pledged,u zotua
 DocType: Holiday List,Add Weekly Holidays,Shto Pushime Javore
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Raporti Artikull
 DocType: Staffing Plan Detail,Vacancies,Vende të lira pune
@@ -5990,7 +6071,6 @@
 DocType: Production Plan Item,Planned Start Date,Planifikuar Data e Fillimit
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Ju lutem zgjidhni një BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Availed ITC Integrated Tax
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Krijoni hyrjen e ripagimit
 DocType: Purchase Order Item,Blanket Order Rate,Shkalla e Renditjes së Blankeve
 ,Customer Ledger Summary,Përmbledhja e Librit të Konsumatorëve
 apps/erpnext/erpnext/hooks.py,Certification,vërtetim
@@ -6011,6 +6091,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Vlerësimi Template Titulli
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Komercial
 DocType: Patient,Alcohol Current Use,Përdorimi aktual i alkoolit
+DocType: Loan,Loan Closure Requested,Kërkohet mbyllja e huasë
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Shuma e pagesës së qirasë së shtëpisë
 DocType: Student Admission Program,Student Admission Program,Programi i pranimit të studentëve
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Kategori e Përjashtimit të Taksave
@@ -6034,6 +6115,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Shitjet
 DocType: Stock Entry Detail,Basic Amount,Shuma bazë
 DocType: Training Event,Exam,Provimi
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Mungesa e sigurisë së huasë në proces
 DocType: Email Campaign,Email Campaign,Fushata e postës elektronike
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Gabim në treg
 DocType: Complaint,Complaint,ankim
@@ -6135,6 +6217,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,Lë të përdorura
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,A doni të paraqisni kërkesën materiale
 DocType: Job Offer,Awaiting Response,Në pritje të përgjigjes
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Kredia është e detyrueshme
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Sipër
 DocType: Support Search Source,Link Options,Opsionet e Lidhjes
@@ -6147,6 +6230,7 @@
 DocType: Training Event Employee,Optional,fakultativ
 DocType: Salary Slip,Earning & Deduction,Fituar dhe Zbritje
 DocType: Agriculture Analysis Criteria,Water Analysis,Analiza e ujit
+DocType: Pledge,Post Haircut Amount,Shuma e prerjes së flokëve
 DocType: Sales Order,Skip Delivery Note,Kalo Shënimin e Dorëzimit
 DocType: Price List,Price Not UOM Dependent,Pricemimi jo i varur nga UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} variantet e krijuara.
@@ -6173,6 +6257,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Qendra Kosto është e detyrueshme për Artikull {2}
 DocType: Vehicle,Policy No,Politika No
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get Items from Product Bundle,Të marrë sendet nga Bundle produktit
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Metoda e ripagimit është e detyrueshme për kreditë me afat
 DocType: Asset,Straight Line,Vijë e drejtë
 DocType: Project User,Project User,User Project
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,ndarje
@@ -6225,11 +6310,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial #
 DocType: Material Request Plan Item,Required Quantity,Sasia e kërkuar
 DocType: Lab Test Template,Lab Test Template,Modeli i testimit të laboratorit
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Furnizuesi&gt; Lloji i furnizuesit
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Llogaria e Shitjes
 DocType: Purchase Invoice Item,Total Weight,Pesha Totale
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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 të anulluar këtë dokument"
 DocType: Pick List Item,Pick List Item,Zgjidh artikullin e listës
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisioni për Shitje
 DocType: Job Offer Term,Value / Description,Vlera / Përshkrim
@@ -6275,6 +6357,7 @@
 DocType: Patient Encounter,Encounter Date,Data e takimit
 DocType: Work Order,Update Consumed Material Cost In Project,Azhurnoni koston e konsumuar të materialit në projekt
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Llogaria: {0} me monedhën: {1} nuk mund të zgjidhen
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Kredi për klientët dhe punonjësit.
 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
@@ -6342,7 +6425,6 @@
 DocType: Contract,Signed On,Nënshkruar
 DocType: Bank Account,Party Type,Lloji Partia
 DocType: Discounted Invoice,Discounted Invoice,Faturë e zbritur
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Shënoni frekuentimin si <b></b>
 DocType: Payment Schedule,Payment Schedule,Orari i pagesës
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Asnjë punonjës nuk u gjet për vlerën e dhënë në terren të punonjësve. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Shkurtim
@@ -6435,7 +6517,6 @@
 DocType: Purchase Order,To Receive,Për të marrë
 DocType: Leave Period,Holiday List for Optional Leave,Lista e pushimeve për pushim fakultativ
 DocType: Item Tax Template,Tax Rates,Mimet e taksave
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Kodi i Artikullit&gt; Grupi i Artikujve&gt; Marka
 DocType: Asset,Asset Owner,Pronar i aseteve
 DocType: Item,Website Content,Përmbajtja e faqes në internet
 DocType: Bank Account,Integration ID,ID e integrimit
@@ -6478,6 +6559,7 @@
 DocType: Customer,Mention if non-standard receivable account,Përmend në qoftë se jo-standarde llogari të arkëtueshme
 DocType: Bank,Plaid Access Token,Shenjë e hyrjes në pllakë
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Ju lutemi shtoni përfitimet e mbetura {0} në ndonjë nga përbërësit ekzistues
+DocType: Bank Account,Is Default Account,.Shtë llogari e paracaktuar
 DocType: Journal Entry Account,If Income or Expense,Nëse të ardhura ose shpenzime
 DocType: Course Topic,Course Topic,Tema e kursit
 DocType: Bank Statement Transaction Entry,Matching Invoices,Faturat e Përshtatshme
@@ -6489,7 +6571,7 @@
 DocType: Disease,Treatment Task,Detyra e Trajtimit
 DocType: Payment Order Reference,Bank Account Details,Detajet e llogarisë bankare
 DocType: Purchase Order Item,Blanket Order,Urdhri për batanije
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Shuma e ripagimit duhet të jetë më e madhe se
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Shuma e ripagimit duhet të jetë më e madhe se
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Pasuritë tatimore
 DocType: BOM Item,BOM No,Bom Asnjë
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detaje të azhurnuara
@@ -6544,6 +6626,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Produkte WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},gabim sintakse në formulën ose kushte: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Item {0} injoruar pasi ajo nuk është një artikull të aksioneve
+,Loan Security Status,Statusi i Sigurisë së Kredisë
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Për të nuk zbatohet Rregulla e Çmimeve në një transaksion të caktuar, të gjitha rregullat e aplikueshme çmimeve duhet të jetë me aftësi të kufizuara."
 DocType: Payment Term,Day(s) after the end of the invoice month,Ditë (a) pas përfundimit të muajit të faturës
 DocType: Assessment Group,Parent Assessment Group,Parent Group Vlerësimit
@@ -6558,7 +6641,6 @@
 DocType: Stock Entry Detail,Additional Cost,Kosto shtesë
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nuk mund të filtruar në bazë të Voucher Jo, qoftë të grupuara nga Bonon"
 DocType: Quality Inspection,Incoming,Hyrje
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ju lutemi vendosni seritë e numrave për Pjesëmarrje përmes Konfigurimit&gt; Seritë e numrave
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Modelet e taksave të parazgjedhur për shitje dhe blerje krijohen.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Regjistrimi i rezultatit të rezultatit {0} tashmë ekziston.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Shembull: ABCD. #####. Nëse seria është vendosur dhe No Batch nuk është përmendur në transaksionet, atëherë numri i batch automatik do të krijohet bazuar në këtë seri. Nëse gjithmonë doni të përmendni në mënyrë eksplicite Jo Serisë për këtë artikull, lini këtë bosh. Shënim: Ky vendosje do të ketë prioritet mbi Prefixin e Serisë së Emërtimit në Rregullimet e Stock."
@@ -6568,8 +6650,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Submit Rishikimi
 DocType: Contract,Party User,Përdoruesi i Partisë
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Ju lutemi të vendosur Company filtër bosh nëse Group By është &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klienti&gt; Grupi i klientëve&gt; Territori
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posting Data nuk mund të jetë data e ardhmja
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: serial {1} nuk përputhet me {2} {3}
+DocType: Loan Repayment,Interest Payable,Kamatë e pagueshme
 DocType: Stock Entry,Target Warehouse Address,Adresën e Objektit të Objektit
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Lini Rastesishme
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Koha para fillimit të ndërrimit, gjatë së cilës Kontrolli i Punonjësve konsiderohet për pjesëmarrje."
@@ -6698,6 +6782,7 @@
 DocType: Issue,Reset Service Level Agreement,Rivendosni Marrëveshjen e Nivelit të Shërbimit
 ,Sales Person-wise Transaction Summary,Sales Person-i mençur Përmbledhje Transaction
 DocType: Training Event,Contact Number,Numri i kontaktit
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Shuma e huasë është e detyrueshme
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6744,6 +6829,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Bilanci Qty
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Kushtet do të zbatohen në të gjitha sendet e zgjedhura të kombinuara.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Qëllimet nuk mund të jetë bosh
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Magazinë e pasaktë
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Regjistrimi i studentëve
 DocType: Item Group,Parent Item Group,Grupi prind Item
 DocType: Appointment Type,Appointment Type,Lloji i takimit
@@ -6797,10 +6883,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Norma mesatare
 DocType: Appointment,Appointment With,Emërimi Me
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Shuma totale e pagesës në orarin e pagesës duhet të jetë e barabartë me grandin / totalin e rrumbullakët
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Shënoni frekuentimin si <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Artikujt e siguruar nga klienti&quot; nuk mund të ketë Shkallën e Vlerësimit
 DocType: Subscription Plan Detail,Plan,plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Balanca Deklarata Banka sipas Librit Kryesor
-DocType: Job Applicant,Applicant Name,Emri i aplikantit
+DocType: Appointment Letter,Applicant Name,Emri i aplikantit
 DocType: Authorization Rule,Customer / Item Name,Customer / Item Emri
 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**. 
 
@@ -6844,11 +6931,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Shpërndarje
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Statusi i punonjësit nuk mund të vendoset në &#39;Majtas&#39; pasi punonjësit e mëposhtëm aktualisht po raportojnë tek ky punonjës:
-DocType: Journal Entry Account,Loan,hua
+DocType: Loan Repayment,Amount Paid,Shuma e paguar
+DocType: Loan Security Shortfall,Loan,hua
 DocType: Expense Claim Advance,Expense Claim Advance,Kërkesa e Shpenzimit të Shpenzimeve
 DocType: Lab Test,Report Preference,Preferencë e raportit
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informacione vullnetare.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Menaxher i Projektit
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grupi Nga Klienti
 ,Quoted Item Comparison,Cituar Item Krahasimi
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Dërgim
@@ -6867,6 +6956,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master dhënat syncing, ajo mund të marrë disa kohë"
 DocType: Material Request Plan Item,Material Issue,Materiali Issue
 DocType: Employee Education,Qualification,Kualifikim
+DocType: Loan Security Shortfall,Loan Security Shortfall,Mungesa e sigurisë së huasë
 DocType: Item Price,Item Price,Item Çmimi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sapun dhe detergjent
 DocType: BOM,Show Items,Shfaq Items
@@ -6888,13 +6978,13 @@
 DocType: Appointment Booking Settings,Appointment Details,Detajet e emërimit
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produkt i perfunduar
 DocType: Warehouse,Warehouse Name,Magazina Emri
+DocType: Loan Security Pledge,Pledge Time,Koha e pengut
 DocType: Naming Series,Select Transaction,Përzgjedhjen e transaksioneve
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ju lutemi shkruani Miratimi Roli ose Miratimi përdoruesin
 DocType: Journal Entry,Write Off Entry,Shkruani Off Hyrja
 DocType: BOM,Rate Of Materials Based On,Shkalla e materialeve në bazë të
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Nëse aktivizohet, termi akademik i fushës do të jetë i detyrueshëm në programin e regjistrimit të programit."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vlerat e furnizimeve të brendshme, të pavlefshme dhe të vlerësuara jo-GST përbrenda"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Klienti&gt; Grupi i klientëve&gt; Territori
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Kompania</b> është një filtër i detyrueshëm.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Uncheck gjitha
 DocType: Purchase Taxes and Charges,On Item Quantity,Në sasinë e sendit
@@ -6939,7 +7029,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Mungesa Qty
 DocType: Purchase Invoice,Input Service Distributor,Distributori i Shërbimit të Hyrjes
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Item variant {0} ekziston me atributet e njëjta
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Ju lutemi vendosni Sistemin e Emërtimit të Instruktorëve në Arsim&gt; Cilësimet e arsimit
 DocType: Loan,Repay from Salary,Paguajë nga paga
 DocType: Exotel Settings,API Token,Token API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Kerkuar pagesën kundër {0} {1} për sasi {2}
@@ -6958,6 +7047,7 @@
 DocType: Salary Slip,Total Interest Amount,Shuma totale e interesit
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Ditët Stale
 DocType: Travel Itinerary,Arrival Datetime,Datat e arritjes
 DocType: Tax Rule,Billing Zipcode,Fatura Zipcode
@@ -7140,6 +7230,7 @@
 DocType: Employee Transfer,Employee Transfer,Transferimi i Punonjësve
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Orë
 DocType: Project,Expected Start Date,Pritet Data e Fillimit
+DocType: Work Order,This is a location where raw materials are available.,Ky është një vend ku materialet e papërpunuara janë në dispozicion.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korrigjimi në Faturë
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Rendi i punës i krijuar për të gjitha artikujt me BOM
 DocType: Bank Account,Party Details,Detajet e Partisë
@@ -7158,6 +7249,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Citate:
 DocType: Contract,Partially Fulfilled,Pjesërisht e Përmbushur
 DocType: Maintenance Visit,Fully Completed,Përfunduar Plotësisht
+DocType: Loan Security,Loan Security Name,Emri i Sigurisë së Huasë
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Karaktere speciale përveç &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Dhe &quot;}&quot; nuk lejohen në seritë emërtuese"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Ratedshtë vlerësuar ose përjashtuar
 DocType: Employee,Educational Qualification,Kualifikimi arsimor
@@ -7214,6 +7306,7 @@
 DocType: Program,Is Featured,Atureshtë e veçuar
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Ngarkuar ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Përdoruesi i Bujqësisë
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,E vlefshme deri në datën nuk mund të jetë para datës së transaksionit
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7288,8 +7381,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Punonjësi {0} është në Lini në {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Asnjë shlyerje e zgjedhur për Regjistrimin e Gazetës
 DocType: Purchase Invoice,GST Category,Kategoria GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Premtimet e propozuara janë të detyrueshme për kreditë e siguruara
 DocType: Payment Reconciliation,From Invoice Date,Nga Faturë Data
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Buxhetet
 DocType: Invoice Discounting,Disbursed,disbursuar
@@ -7345,14 +7438,13 @@
 DocType: Restaurant,Active Menu,Meny aktiv
 DocType: Accounting Dimension Detail,Default Dimension,Dimensioni i paracaktuar
 DocType: Target Detail,Target Qty,Target Qty
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Kundër huasë: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Cilësimet Checkout
 DocType: Student Attendance,Present,I pranishëm
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Ofrimit Shënim {0} nuk duhet të dorëzohet
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Shuma e pagave të dërguara në punë me punonjësit do të mbrohet me fjalëkalim, fjalëkalimi do të gjenerohet bazuar në politikën e fjalëkalimit."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,rrugëmatës
 DocType: Production Plan Item,Ordered Qty,Urdhërohet Qty
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Item {0} është me aftësi të kufizuara
 DocType: Stock Settings,Stock Frozen Upto,Stock ngrira Upto
@@ -7408,7 +7500,6 @@
 DocType: Serial No,Delivery Document Type,Ofrimit Dokumenti Type
 DocType: Sales Order,Partly Delivered,Dorëzuar Pjesërisht
 DocType: Item Variant Settings,Do not update variants on save,Mos update variante për të shpëtuar
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupi i Marrësit
 DocType: Email Digest,Receivables,Arkëtueshme
 DocType: Lead Source,Lead Source,Burimi Lead
 DocType: Customer,Additional information regarding the customer.,Informacion shtesë në lidhje me konsumatorin.
@@ -7505,6 +7596,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Aktual
 DocType: Appointment,Skype ID,ID e Skype
 DocType: Restaurant Menu,Restaurant Manager,Menaxheri i Restorantit
+DocType: Loan,Penalty Income Account,Llogaria e të ardhurave nga gjobat
 DocType: Call Log,Call Log,Log Log
 DocType: Authorization Rule,Customerwise Discount,Customerwise Discount
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Pasqyrë e mungesave për detyra.
@@ -7591,6 +7683,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Skema e Zbritjes së Produkteve
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Asnjë çështje nuk është ngritur nga telefonuesi.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Grupi Nga Furnizuesi
 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,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"
@@ -7601,7 +7694,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Këshillues
 DocType: Subscription Plan,Based on price list,Bazuar në listën e çmimeve
 DocType: Customer Group,Parent Customer Group,Grupi prind Klientit
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Bill JSON e-Way mund të gjenerohet vetëm nga Fatura e Shitjeve
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Arritën përpjekjet maksimale për këtë kuiz!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,abonim
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Krijimi i tarifës në pritje
@@ -7618,6 +7710,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Mirëmbajtje parandaluese
 DocType: Delivery Note Item,Against Sales Invoice,Kundër Sales Faturës
 DocType: Purchase Invoice,07-Others,07-Të tjerët
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Shuma e kuotimit
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Ju lutem shkruani numrat serik për artikull serialized
 DocType: Bin,Reserved Qty for Production,Rezervuar Qty për Prodhimin
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Dërgo pakontrolluar në qoftë se ju nuk doni të marrin në konsideratë duke bërë grumbull grupet kurs të bazuar.
@@ -7725,6 +7818,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Pagesa Pranimi Shënim
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Krijoni kërkesë materiale
+DocType: Loan Interest Accrual,Pending Principal Amount,Në pritje të shumës kryesore
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7766,6 +7860,7 @@
 											to fullfill Sales Order {2}",Nuk mund të dorëzojë Serial No {0} të artikullit {1} pasi është e rezervuar për të plotësuar Urdhrin e Shitjes {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Furnizuesi Citat {0} krijuar
+DocType: Loan Security Unpledge,Unpledge Type,Lloji i bllokimit
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Fundi Viti nuk mund të jetë para se të fillojë Vitit
 DocType: Employee Benefit Application,Employee Benefits,Përfitimet e Punonjësve
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID e punonjësit
@@ -7848,6 +7943,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kodi i kursit:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Ju lutemi shkruani Llogari kurriz
 DocType: Quality Action Resolution,Problem,problem
+DocType: Loan Security Type,Loan To Value Ratio,Raporti i huasë ndaj vlerës
 DocType: Account,Stock,Stock
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7865,6 +7961,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Hyrja e transaksionit të deklaratës bankare
 DocType: Sales Invoice Item,Discount and Margin,Discount dhe Margin
 DocType: Lab Test,Prescription,recetë
+DocType: Process Loan Security Shortfall,Update Time,Koha e azhurnimit
 DocType: Import Supplier Invoice,Upload XML Invoices,Ngarko faturat XML
 DocType: Company,Default Deferred Revenue Account,Default Llogaria e të ardhurave të shtyra
 DocType: Project,Second Email,Emaili i dytë
@@ -7878,7 +7975,7 @@
 DocType: Quality Action,Preventive,parandalues
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Pajisjet e bëra për personat e paregjistruar
 DocType: Company,Date of Incorporation,Data e Inkorporimit
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Tatimi Total
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Tatimi Total
 DocType: Manufacturing Settings,Default Scrap Warehouse,Magazina e Paraprakisht e Scrapit
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Çmimi i fundit i blerjes
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Për sasinë (Prodhuar Qty) është i detyrueshëm
@@ -7897,6 +7994,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Vendosni mënyrën e paracaktuar të pagesës
 DocType: Stock Entry Detail,Against Stock Entry,Kundër hyrjes së aksioneve
 DocType: Grant Application,Withdrawn,I tërhequr
+DocType: Loan Repayment,Regular Payment,Pagesa e rregullt
 DocType: Support Search Source,Support Search Source,Kërkoni burimin e kërkimit
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,Marzhi bruto%
@@ -7910,8 +8008,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Pa pagesën e tatimit
 DocType: BOM Operation,BOM Operation,Bom Operacioni
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Në Shuma Previous Row
+DocType: Student,Home Address,Adresa e shtepise
 DocType: Options,Is Correct,Eshte e sakte
 DocType: Item,Has Expiry Date,Ka Data e Skadimit
+DocType: Loan Repayment,Paid Accrual Entries,Hyrjet e Paguara të Pagesave
+DocType: Loan Security,Loan Security Type,Lloji i sigurisë së huasë
 apps/erpnext/erpnext/config/support.py,Issue Type.,Lloji i çështjes.
 DocType: POS Profile,POS Profile,POS Profilin
 DocType: Training Event,Event Name,Event Emri
@@ -7923,6 +8024,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonalitetit për vendosjen buxhetet, objektivat etj"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Nuk ka vlera
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Emri i ndryshueshëm
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Zgjidhni Llogarinë Bankare për tu pajtuar.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Item {0} është një template, ju lutem zgjidhni një nga variantet e saj"
 DocType: Purchase Invoice Item,Deferred Expense,Shpenzimet e shtyra
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Kthehu tek Mesazhet
@@ -7974,7 +8076,6 @@
 DocType: GL Entry,To Rename,Për ta riemëruar
 DocType: Stock Entry,Repack,Ripaketoi
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Zgjidhni për të shtuar numrin serik.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Ju lutemi vendosni Sistemin e Emërtimit të Instruktorëve në Arsim&gt; Cilësimet e arsimit
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ju lutemi vendosni Kodin Fiskal për &#39;% s&#39; të konsumatorit
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Ju lutem zgjidhni fillimisht Kompaninë
 DocType: Item Attribute,Numeric Values,Vlerat numerike
@@ -7998,6 +8099,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Fetch bazuar në FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Rrënjë nuk mund të redaktohen.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Vlera e sigurisë së huasë
 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
@@ -8044,6 +8146,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Ju lutemi zgjidhni kategorinë e parë
 apps/erpnext/erpnext/config/projects.py,Project master.,Mjeshtër projekt.
 DocType: Contract,Contract Terms,Kushtet e kontratës
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Limiti i shumës së sanksionuar
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Vazhdoni konfigurimin
 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,Maximum benefit amount of component {0} exceeds {1},Shuma maksimale e përfitimit të komponentit {0} tejkalon {1}
@@ -8088,3 +8191,4 @@
 DocType: Account,Cash,Para
 DocType: Sales Invoice,Unpaid and Discounted,Të papaguar dhe të zbritur
 DocType: Employee,Short biography for website and other publications.,Biografia e shkurtër për faqen e internetit dhe botime të tjera.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Row # {0}: Nuk mund të zgjedh Magazin e Furnizuesit ndërsa furnizon me lëndë të parë nënkontraktorin
diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv
index 4c088f5..7f844f4 100644
--- a/erpnext/translations/sr.csv
+++ b/erpnext/translations/sr.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Прилика изгубљен разлог
 DocType: Patient Appointment,Check availability,Провери доступност
 DocType: Retention Bonus,Bonus Payment Date,Датум исплате бонуса
-DocType: Employee,Job Applicant,Посао захтева
+DocType: Appointment Letter,Job Applicant,Посао захтева
 DocType: Job Card,Total Time in Mins,Укупно време у минима
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ово је засновано на трансакције против тог добављача. Погледајте рок доле за детаље
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Процент прекомерне производње за радни налог
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Контакт информације
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Тражи било шта ...
 ,Stock and Account Value Comparison,Поређење вредности акција и рачуна
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Изплаћени износ не може бити већи од износа зајма
 DocType: Company,Phone No,Тел
 DocType: Delivery Trip,Initial Email Notification Sent,Послато је обавештење о почетној е-пошти
 DocType: Bank Statement Settings,Statement Header Mapping,Мапирање заглавља извода
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Заинтересован
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Отварање
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Програм:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Важи од времена мора бити краће од Важећег времена.
 DocType: Item,Copy From Item Group,Копирање из ставке групе
 DocType: Journal Entry,Opening Entry,Отварање Ентри
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Рачун плаћате само
@@ -338,6 +340,7 @@
 DocType: Student,B-,Б-
 DocType: Assessment Result,Grade,разред
 DocType: Restaurant Table,No of Seats,Број седишта
+DocType: Loan Type,Grace Period in Days,Граце Период у данима
 DocType: Sales Invoice,Overdue and Discounted,Закашњели и снижени
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Имовина {0} не припада старатељу {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Позив прекинути
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Прописане процедуре
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Прикажи само ПОС
 DocType: Supplier Group,Supplier Group Name,Име групе добављача
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство као <b></b>
 DocType: Driver,Driving License Categories,Возачке дозволе категорије
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Молимо унесите датум испоруке
 DocType: Depreciation Schedule,Make Depreciation Entry,Маке Трошкови Ентри
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Детаљи о пословању спроведена.
 DocType: Asset Maintenance Log,Maintenance Status,Одржавање статус
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Износ пореза укључен у вредност
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Безплатна позајмица
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Детаљи о чланству
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Добављач је обавезан против плативог обзир {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Предмети и цене
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Укупно часова: {0}
+DocType: Loan,Loan Manager,Менаџер кредита
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Од датума треба да буде у оквиру фискалне године. Под претпоставком Од датума = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,ХЛЦ-ПМР-ИИИИ.-
 DocType: Drug Prescription,Interval,Интервал
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Упдатед преко 'Време Приступи'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Изаберите купца или добављача.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Код државе у датотеци не подудара се са кодом државе постављеним у систему
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Счет {0} не принадлежит компании {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Изаберите само један приоритет као подразумевани.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Унапред износ не може бити већи од {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временски слот скипиран, слот {0} до {1} се преклапа са постојећим слотом {2} до {3}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Оставите Блокирани
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банк unosi
-DocType: Customer,Is Internal Customer,Је интерни корисник
+DocType: Sales Invoice,Is Internal Customer,Је интерни корисник
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,Продаја Рачун Нема
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Материјал Захтев
 DocType: Bank Reconciliation,Update Clearance Date,Упдате Дате клиренс
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Количина пакета
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Није могуће креирање зајма док апликација не буде одобрена
 ,GSTR-2,ГСТР-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Ставка {0} није пронађен у &quot;сировине Испоручује се &#39;сто у нарудзбенице {1}
 DocType: Salary Slip,Total Principal Amount,Укупни основни износ
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Тацно
 DocType: Student Guardian,Mother,мајка
 DocType: Restaurant Reservation,Reservation End Time,Време завршетка резервације
+DocType: Salary Slip Loan,Loan Repayment Entry,Отплата зајма
 DocType: Crop,Biennial,Биенниал
 ,BOM Variance Report,Извјештај о варијацији БОМ
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Потврђена наређења од купаца.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Плаћање по {0} {1} не може бити већи од преосталог износа {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Све јединице за здравствену заштиту
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,О претварању могућности
+DocType: Loan,Total Principal Paid,Укупна плаћена главница
 DocType: Bank Account,Address HTML,Адреса ХТМЛ
 DocType: Lead,Mobile No.,Мобиле Но
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Начин плаћања
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Биланс у основној валути
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Мак Граде
 DocType: Email Digest,New Quotations,Нове понуде
+DocType: Loan Interest Accrual,Loan Interest Accrual,Обрачунате камате на зајмове
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Присуство није послато за {0} као {1} на одсуству.
 DocType: Journal Entry,Payment Order,Налог за плаћање
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,потврди мејл
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Приходи из других извора
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ако је празно, узет ће се у обзир матични рачун магацина или подразумевано предузеће"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Емаилс плата клизање да запосленом на основу пожељног е-маил одабран у запосленог
+DocType: Work Order,This is a location where operations are executed.,Ово је локација на којој се извршавају операције.
 DocType: Tax Rule,Shipping County,Достава жупанија
 DocType: Currency Exchange,For Selling,За продају
 apps/erpnext/erpnext/config/desktop.py,Learn,Научити
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Примењени код купона
 DocType: Asset,Next Depreciation Date,Следећа Амортизација Датум
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Активност Трошкови по запосленом
+DocType: Loan Security,Haircut %,Фризура%
 DocType: Accounts Settings,Settings for Accounts,Подешавања за рачуне
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Добављач Фактура Не постоји у фактури {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Управление менеджера по продажам дерево .
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Молимо подесите Хотел Роом Рате на {}
 DocType: Journal Entry,Multi Currency,Тема Валута
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Фактура Тип
+DocType: Loan,Loan Security Details,Детаљи осигурања кредита
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Важи од датума мора бити мање од важећег до датума
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Изузетак је настао током поравнавања {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Подесите Прихваћено складиште
@@ -776,7 +788,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Захтевати одобрење за тестирање лабораторија
 DocType: Attendance,Working Hours,Радно време
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Тотал Оутстандинг
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Фактор конверзије УОМ ({0} -&gt; {1}) није пронађен за ставку: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промена стартовања / струја број редни постојеће серије.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Проценат вам је дозвољено да наплатите више у односу на наручени износ. На пример: Ако је вредност за наруџбу 100 долара, а толеранција постављена на 10%, онда вам је дозвољено да наплатите 110 долара."
 DocType: Dosage Strength,Strength,Снага
@@ -794,6 +805,7 @@
 DocType: Purchase Receipt,Vehicle Date,Датум возила
 DocType: Campaign Email Schedule,Campaign Email Schedule,Распоред е-поште кампање
 DocType: Student Log,Medical,медицинский
+DocType: Work Order,This is a location where scraped materials are stored.,Ово је место где се чувају стругани материјали.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Изаберите Лијек
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Олово Власник не може бити исти као и олова
 DocType: Announcement,Receiver,пријемник
@@ -890,7 +902,7 @@
 DocType: Driver,Applicable for external driver,Примењује се за спољни управљачки програм
 DocType: Sales Order Item,Used for Production Plan,Користи се за производни план
 DocType: BOM,Total Cost (Company Currency),Укупни трошак (валута компаније)
-DocType: Loan,Total Payment,Укупан износ
+DocType: Repayment Schedule,Total Payment,Укупан износ
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,ПО је већ креиран за све ставке поруџбине
@@ -916,6 +928,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Упозоравај наруџбенице
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Изнајмљен од датума
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Довољно Делови за изградњу
+DocType: Loan Security,Loan Security Code,Код за сигурност кредита
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Прво сачувајте
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Предмети су потребни за повлачење сировина које су са њим повезане.
 DocType: POS Profile User,POS Profile User,ПОС Профил корисника
@@ -974,6 +987,7 @@
 DocType: Patient,Risk Factors,Фактори ризика
 DocType: Patient,Occupational Hazards and Environmental Factors,Физичке опасности и фактори околине
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Залоге већ створене за радни налог
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код артикла&gt; Група артикала&gt; Марка
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Погледајте прошла наређења
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} разговора
 DocType: Vital Signs,Respiratory rate,Стопа респираторних органа
@@ -1006,7 +1020,6 @@
 DocType: Company,Delete Company Transactions,Делете Цомпани трансакције
 DocType: Production Plan Item,Quantity and Description,Количина и опис
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Референца број и референце Датум је обавезна за банке трансакције
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Молимо поставите Наминг Сериес за {0} путем Подешавање&gt; Подешавања&gt; Именовање серије
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Адд / Едит порези и таксе
 DocType: Payment Entry Reference,Supplier Invoice No,Снабдевач фактура бр
 DocType: Territory,For reference,За референце
@@ -1037,6 +1050,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Порески налог за одузимање пореза
 DocType: Pricing Rule,Sales Partner,Продаја Партнер
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Све испоставне картице.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Износ наруџбе
+DocType: Loan,Disbursed Amount,Изплаћена сума
 DocType: Buying Settings,Purchase Receipt Required,Куповина Потврда Обавезно
 DocType: Sales Invoice,Rail,Раил
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Стварна цена
@@ -1077,6 +1092,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Повезан са КуицкБоокс-ом
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Молимо идентификујте / креирајте налог (књигу) за тип - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Плаћа се рачуна
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Рачун је обавезан за унос плаћања
 DocType: Payment Entry,Type of Payment,Врста плаћања
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Датум полувремена је обавезан
 DocType: Sales Order,Billing and Delivery Status,Обрачун и Статус испоруке
@@ -1116,7 +1132,7 @@
 DocType: Purchase Order Item,Billed Amt,Фактурисане Амт
 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,Principal Amount,Основицу
+DocType: Repayment Schedule,Principal Amount,Основицу
 DocType: Loan Application,Total Payable Interest,Укупно оплате камата
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Укупно изузетно: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Отвори контакт
@@ -1130,6 +1146,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Дошло је до грешке током процеса ажурирања
 DocType: Restaurant Reservation,Restaurant Reservation,Резервација ресторана
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Ваше ставке
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Добављач&gt; врста добављача
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Писање предлога
 DocType: Payment Entry Deduction,Payment Entry Deduction,Плаћање Ступање дедукције
 DocType: Service Level Priority,Service Level Priority,Приоритет на нивоу услуге
@@ -1162,6 +1179,7 @@
 DocType: Batch,Batch Description,Батцх Опис
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Креирање студентских група
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Паимент Гатеваи налог није створен, ручно направите."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Групне складишта се не могу користити у трансакцијама. Молимо промените вредност {0}
 DocType: Supplier Scorecard,Per Year,Годишње
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Није прихватљиво за пријем у овом програму према ДОБ-у
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Ред # {0}: Не може се избрисати ставка {1} која је додељена наруџбини купца.
@@ -1286,7 +1304,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Док сте креирали налог за дечију компанију {0}, родитељски рачун {1} није пронађен. Направите матични рачун у одговарајућем ЦОА"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Сплит Иссуе
 DocType: Student Attendance,Student Attendance,студент Присуство
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Нема података за извоз
 DocType: Sales Invoice Timesheet,Time Sheet,Распоред
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Бацкфлусх сировине на основу
 DocType: Sales Invoice,Port Code,Порт Цоде
@@ -1299,6 +1316,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,суплиер
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Стварни датум испоруке
 DocType: Lab Test,Test Template,Тест Темплате
+DocType: Loan Security Pledge,Securities,Хартије од вредности
 DocType: Restaurant Order Entry Item,Served,Сервирано
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Информације о поглављу.
 DocType: Account,Accounts,Рачуни
@@ -1393,6 +1411,7 @@
 DocType: Inpatient Record,O Negative,О Негативе
 DocType: Work Order Operation,Planned End Time,Планирано време завршетка
 DocType: POS Profile,Only show Items from these Item Groups,Прикажите само ставке из ових група предмета
+DocType: Loan,Is Secured Loan,Обезбеђен зајам
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,Счет с существующей сделки не могут быть преобразованы в книге
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Детаљи типа Мемеберсхип
 DocType: Delivery Note,Customer's Purchase Order No,Наруџбенице купца Нема
@@ -1429,6 +1448,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,Молимо да одаберете Компанију и Датум објављивања да бисте добили уносе
 DocType: Asset,Maintenance,Одржавање
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,Узмите из сусрета пацијента
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Фактор конверзије УОМ ({0} -&gt; {1}) није пронађен за ставку: {2}
 DocType: Subscriber,Subscriber,Претплатник
 DocType: Item Attribute Value,Item Attribute Value,Итем Вредност атрибута
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Мењање мјењача мора бити примјењиво за куповину или продају.
@@ -1527,6 +1547,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Без дозвола
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контролна листа Испуњавања уговора
 DocType: Vital Signs,Heart Rate / Pulse,Срце / пулса
+DocType: Customer,Default Company Bank Account,Подразумевани банковни рачун компаније
 DocType: Supplier,Default Bank Account,Уобичајено банковног рачуна
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Филтрирање на основу партије, изаберите партија Типе први"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"&#39;Ажурирање Сток &quot;не може се проверити, јер ствари нису достављене преко {0}"
@@ -1645,7 +1666,6 @@
 DocType: Sales Team,Incentives,Подстицаји
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Вредности ван синхронизације
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Вредност разлике
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање&gt; Серија нумерирања
 DocType: SMS Log,Requested Numbers,Тражени Бројеви
 DocType: Volunteer,Evening,Вече
 DocType: Quiz,Quiz Configuration,Конфигурација квиза
@@ -1665,6 +1685,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,На претходни ред Укупно
 DocType: Purchase Invoice Item,Rejected Qty,одбијен ком
 DocType: Setup Progress Action,Action Field,Поље активности
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Врста кредита за камату и затезне стопе
 DocType: Healthcare Settings,Manage Customer,Управљајте купцима
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Увек синхронизујте своје производе са Амазон МВС пре синхронизације детаља о наруџбини
 DocType: Delivery Trip,Delivery Stops,Деливери Стопс
@@ -1676,6 +1697,7 @@
 ,Final Assessment Grades,Коначне оцене
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Име ваше компаније за коју сте се постављање овог система .
 DocType: HR Settings,Include holidays in Total no. of Working Days,Укључи одмор у Укупан бр. радних дана
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Од укупног износа
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Поставите свој институт у ЕРПНект
 DocType: Agriculture Analysis Criteria,Plant Analysis,Анализа биљака
 DocType: Task,Timeline,Временска линија
@@ -1683,9 +1705,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Алтернативна јединица
 DocType: Shopify Log,Request Data,Захтевајте податке
 DocType: Employee,Date of Joining,Датум Придруживање
+DocType: Delivery Note,Inter Company Reference,Интер Цомпани Референце
 DocType: Naming Series,Update Series,Упдате
 DocType: Supplier Quotation,Is Subcontracted,Да ли подизвођење
 DocType: Restaurant Table,Minimum Seating,Минимално седиште
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Питање не може бити дупликат
 DocType: Item Attribute,Item Attribute Values,Итем Особина Вредности
 DocType: Examination Result,Examination Result,преглед резултата
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Куповина Пријем
@@ -1787,6 +1811,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Синц Оффлине Рачуни
 DocType: Payment Request,Paid,Плаћен
 DocType: Service Level,Default Priority,Подразумевани приоритет
+DocType: Pledge,Pledge,Залог
 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; табелу према новој БОМ-у. Такође ажурира најновију цену у свим БОМ."
@@ -1800,6 +1825,7 @@
 DocType: Guardian,Guardian Name,гуардиан Име
 DocType: Cheque Print Template,Has Print Format,Има Принт Формат
 DocType: Support Settings,Get Started Sections,Започните секције
+,Loan Repayment and Closure,Отплата и затварање зајма
 DocType: Lead,CRM-LEAD-.YYYY.-,ЦРМ-ЛЕАД-.ИИИИ.-
 DocType: Invoice Discounting,Sanctioned,санкционисан
 ,Base Amount,Основни износ
@@ -1810,10 +1836,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Фром Плаце
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Износ зајма не може бити већи од {0}
 DocType: Student Admission,Publish on website,Објави на сајту
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Добављач Фактура Датум не може бити већи од датума када је послата
 DocType: Installation Note,MAT-INS-.YYYY.-,МАТ-ИНС-.ИИИИ.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код артикла&gt; Група артикала&gt; Марка
 DocType: Subscription,Cancelation Date,Датум отказивања
 DocType: Purchase Invoice Item,Purchase Order Item,Куповина ставке поруџбине
 DocType: Agriculture Task,Agriculture Task,Пољопривреда задатак
@@ -1832,7 +1858,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Додатни попуст Проценат
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Погледајте листу сву помоћ видео
 DocType: Agriculture Analysis Criteria,Soil Texture,Текстура тла
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Изаберите главу рачуна банке у којој је депонован чек.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Дозволите кориснику да измените Рате Ценовник у трансакцијама
 DocType: Pricing Rule,Max Qty,Макс Кол-во
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Штампај извештај картицу
@@ -1967,7 +1992,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Једном подешен, овај рачун ће бити на чекању до одређеног датума"
 DocType: Cashier Closing,POS-CLO-,ПОС-ЦЛО-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Продаја Износ
-DocType: Repayment Schedule,Interest Amount,Износ камате
+DocType: Loan Interest Accrual,Interest Amount,Износ камате
 DocType: Job Card,Time Logs,Тиме трупци
 DocType: Sales Invoice,Loyalty Amount,Износ лојалности
 DocType: Employee Transfer,Employee Transfer Detail,Детаљи трансфера запослених
@@ -1982,6 +2007,7 @@
 DocType: Cashier Closing,Returns,повраћај
 DocType: Job Card,WIP Warehouse,ВИП Магацин
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Серийный номер {0} находится под контрактом на техническое обслуживание ДО {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Граница санкционисаног износа прешла за {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,регрутовање
 DocType: Lead,Organization Name,Име организације
 DocType: Support Settings,Show Latest Forum Posts,Прикажи најновије постове форума
@@ -2008,7 +2034,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Налози за куповину наруџбине
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Поштански број
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Салес Ордер {0} је {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Изаберите каматни приход у кредиту {0}
 DocType: Opportunity,Contact Info,Контакт Инфо
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Макинг Стоцк записи
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Не могу промовирати запосленика са статусом лево
@@ -2094,7 +2119,6 @@
 DocType: Salary Slip,Deductions,Одбици
 DocType: Setup Progress Action,Action Name,Назив акције
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,старт Година
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Креирај зајам
 DocType: Purchase Invoice,Start date of current invoice's period,Почетак датум периода текуће фактуре за
 DocType: Shift Type,Process Attendance After,Посједовање процеса након
 ,IRS 1099,ИРС 1099
@@ -2115,6 +2139,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Изаберите своје домене
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Схопифи Супплиер
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ставке фактуре за плаћање
+DocType: Repayment Schedule,Is Accrued,Је обрачунато
 DocType: Payroll Entry,Employee Details,Запослених Детаљи
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обрада КСМЛ датотека
 DocType: Amazon MWS Settings,CN,ЦН
@@ -2146,6 +2171,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Улаз Лоиалти Поинт-а
 DocType: Employee Checkin,Shift End,Схифт Енд
 DocType: Stock Settings,Default Item Group,Уобичајено тачка Група
+DocType: Loan,Partially Disbursed,Делимично Додељено
 DocType: Job Card Time Log,Time In Mins,Време у минутама
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Грант информације.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ова акција ће прекинути везу овог рачуна са било којом спољном услугом која интегрише ЕРПНект са вашим банковним рачунима. Не може се поништити. Јесте ли сигурни ?
@@ -2161,6 +2187,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Исто ставка не може се уписати више пута.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Даље рачуни могу бити у групама, али уноса можете извршити над несрпским групама"
+DocType: Loan Repayment,Loan Closure,Затварање зајма
 DocType: Call Log,Lead,Довести
 DocType: Email Digest,Payables,Обавезе
 DocType: Amazon MWS Settings,MWS Auth Token,МВС Аутх Токен
@@ -2194,6 +2221,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Порез на запослене и бенефиције
 DocType: Bank Guarantee,Validity in Days,Ваљаност у данима
 DocType: Bank Guarantee,Validity in Days,Ваљаност у данима
+DocType: Unpledge,Haircut,Шишање
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Ц облик није применљив за фактуре: {0}
 DocType: Certified Consultant,Name of Consultant,Име консултанта
 DocType: Payment Reconciliation,Unreconciled Payment Details,Неусаглашена Детаљи плаћања
@@ -2247,7 +2275,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Остальной мир
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Ставка {0} не може имати Батцх
 DocType: Crop,Yield UOM,Принос УОМ
+DocType: Loan Security Pledge,Partially Pledged,Делимично заложено
 ,Budget Variance Report,Буџет Разлика извештај
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Износ санкције зајма
 DocType: Salary Slip,Gross Pay,Бруто Паи
 DocType: Item,Is Item from Hub,Је ставка из чворишта
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Добијте ставке из здравствених услуга
@@ -2282,6 +2312,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Нови поступак квалитета
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Весы для счета {0} должен быть всегда {1}
 DocType: Patient Appointment,More Info,Више информација
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Датум рођења не може бити већи од датума придруживања.
 DocType: Supplier Scorecard,Scorecard Actions,Акције Сцорецард
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Добављач {0} није пронађен у {1}
 DocType: Purchase Invoice,Rejected Warehouse,Одбијен Магацин
@@ -2378,6 +2409,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Молимо прво поставите код за ставку
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Док Тип
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Зајам за зајам креиран: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Именовања и сусрети са пацијентима
@@ -2433,6 +2465,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Број истовремених именовања
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Почетак
 DocType: Purchase Invoice,Taxes and Charges Calculation,Порези и накнаде израчунавање
+DocType: Loan Interest Accrual,Payable Principal Amount,Плативи главни износ
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Књига имовине Амортизација Ступање Аутоматски
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Књига имовине Амортизација Ступање Аутоматски
 DocType: BOM Operation,Workstation,Воркстатион
@@ -2470,7 +2503,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,еда
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Старење Опсег 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ПОС Цлосинг Воуцхер Детаљи
-DocType: Bank Account,Is the Default Account,Да ли је задани налог
 DocType: Shopify Log,Shopify Log,Схопифи Лог
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Није пронађена комуникација.
 DocType: Inpatient Occupancy,Check In,Пријавити
@@ -2528,12 +2560,14 @@
 DocType: Sales Order Item,Planned Quantity,Планирана количина
 DocType: Water Analysis,Water Analysis Criteria,Критеријуми за анализу воде
 DocType: Item,Maintain Stock,Одржавајте Стоцк
+DocType: Loan Security Unpledge,Unpledge Time,Време унпледге-а
 DocType: Terms and Conditions,Applicable Modules,Применљиви модули
 DocType: Employee,Prefered Email,преферед Е-маил
 DocType: Student Admission,Eligibility and Details,Подобност и Детаљи
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Укључено у бруто добит
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Нето промена у основном средству
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Рекд Кти
+DocType: Work Order,This is a location where final product stored.,На овом месту се чува крајњи производ.
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные ' в строке {0} не могут быть включены в пункт Оценить
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Мак: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Од датетиме
@@ -2574,8 +2608,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Гаранција / АМЦ статус
 ,Accounts Browser,Дебиторская Браузер
 DocType: Procedure Prescription,Referral,Реферал
+,Territory-wise Sales,Продаја на територији
 DocType: Payment Entry Reference,Payment Entry Reference,Плаћање Ступање Референтна
 DocType: GL Entry,GL Entry,ГЛ Ентри
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Ред # {0}: Прихваћена складишта и складишта добављача не могу бити исти
 DocType: Support Search Source,Response Options,Опције одговора
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Примените вишеструка правила цена
 DocType: HR Settings,Employee Settings,Подешавања запослених
@@ -2636,6 +2672,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,Рок плаћања на реду {0} је вероватно дупликат.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Пољопривреда (бета)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Паковање Слип
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Молимо поставите Наминг Сериес за {0} путем Подешавање&gt; Подешавања&gt; Именовање серије
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,аренда площади для офиса
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Подешавање Подешавања СМС Гатеваи
 DocType: Disease,Common Name,Уобичајено име
@@ -2652,6 +2689,7 @@
 DocType: Item,Sales Details,Детаљи продаје
 DocType: Coupon Code,Used,Користи се
 DocType: Opportunity,With Items,Са ставкама
+DocType: Vehicle Log,last Odometer Value ,последња вредност одометра
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Кампања &#39;{0}&#39; већ постоји за {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Тим за одржавање
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Редослијед у којим ће се одјељцима појавити 0 је прво, 1 је друго итд."
@@ -2662,7 +2700,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Расход Захтев {0} већ постоји за Дневник возила
 DocType: Asset Movement Item,Source Location,Изворна локација
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Институт Име
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Молимо Вас да унесете отплате Износ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Молимо Вас да унесете отплате Износ
 DocType: Shift Type,Working Hours Threshold for Absent,Праг радног времена за одсутне
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,На основу укупне потрошње може бити више фактора сакупљања. Али фактор конверзије за откуп ће увек бити исти за све нивое.
 apps/erpnext/erpnext/config/help.py,Item Variants,Ставка Варијанте
@@ -2686,6 +2724,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},Ова {0} је у супротности са {1} за {2} {3}
 DocType: Student Attendance Tool,Students HTML,Студенти ХТМЛ-
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} мора бити мањи од {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Прво одаберите врсту подносиоца захтева
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Изаберите БОМ, Кти и Фор Варехоусе"
 DocType: GST HSN Code,GST HSN Code,ПДВ ХСН код
 DocType: Employee External Work History,Total Experience,Укупно Искуство
@@ -2776,7 +2815,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Није пронађена активна БОМ за ставку {0}. Достава са \ Сериал Но не може бити осигурана
 DocType: Sales Partner,Sales Partner Target,Продаја Партнер Циљна
-DocType: Loan Type,Maximum Loan Amount,Максимални износ кредита
+DocType: Loan Application,Maximum Loan Amount,Максимални износ кредита
 DocType: Coupon Code,Pricing Rule,Цены Правило
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Дупликат Д број за студента {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Дупликат Д број за студента {0}
@@ -2800,6 +2839,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Листья Выделенные Успешно для {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Нет объектов для вьючных
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Тренутно су подржане само .цсв и .клск датотеке
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Молимо вас да подесите систем именовања запослених у људским ресурсима&gt; ХР подешавања
 DocType: Shipping Rule Condition,From Value,Од вредности
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Производња Количина је обавезно
 DocType: Loan,Repayment Method,Начин отплате
@@ -2883,6 +2923,7 @@
 DocType: Customer,Customer POS Id,Кориснички ПОС-ИД
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Студент са е-маилом {0} не постоји
 DocType: Account,Account Name,Име налога
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Износ санкционисаног зајма већ постоји за {0} против компаније {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Од датума не може бити већа него до сада
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция
 DocType: Pricing Rule,Apply Discount on Rate,Примените попуст на рате
@@ -2954,6 +2995,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Нето добит
 DocType: Purchase Invoice,Eligibility For ITC,Подобност за ИТЦ
 DocType: Student Applicant,EDU-APP-.YYYY.-,ЕДУ-АПП-ИИИИ.-
+DocType: Loan Security Pledge,Unpledged,Непотпуњено
 DocType: Journal Entry,Entry Type,Ступање Тип
 ,Customer Credit Balance,Кориснички кредитни биланс
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Нето промена у потрашивањима
@@ -2965,6 +3007,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ИД уређаја посетилаца (ИД биометријске / РФ ознаке)
 DocType: Quotation,Term Details,Орочена Детаљи
 DocType: Item,Over Delivery/Receipt Allowance (%),Надокнада за испоруку / примање (%)
+DocType: Appointment Letter,Appointment Letter Template,Предложак писма о именовању
 DocType: Employee Incentive,Employee Incentive,Инцентиве за запослене
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,Не могу уписати више од {0} студенте за ову студентској групи.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),Укупно (без пореза)
@@ -2989,6 +3032,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",Не може се осигурати испорука помоћу Серијског бр. Као \ Итем {0} додат је са и без Осигурање испоруке од \ Серијски број
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Унлинк плаћања о отказивању рачуна
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Обрачун камата на зајам
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Тренутни читање Пробег ушао треба да буде већа од почетне километраже возила {0}
 ,Purchase Order Items To Be Received or Billed,Купите ставке налога за примање или наплату
 DocType: Restaurant Reservation,No Show,Но Схов
@@ -3074,6 +3118,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Трошкови Центар је потребно за &quot;добит и губитак&quot; налога {2}. Молимо Вас да оснује центар трошкова подразумевани за компаније.
 DocType: Payment Schedule,Payment Term,Рок исплате
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов существует с тем же именем , пожалуйста изменить имя клиентов или переименовать группу клиентов"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Датум завршетка пријема требао би бити већи од датума почетка пријема.
 DocType: Location,Area,Област
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Нови контакт
 DocType: Company,Company Description,Опис компаније
@@ -3149,6 +3194,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Маппед Дата
 DocType: Purchase Order Item,Warehouse and Reference,Магацини и Референца
 DocType: Payroll Period Date,Payroll Period Date,Датум периода плаћања
+DocType: Loan Disbursement,Against Loan,Против зајма
 DocType: Supplier,Statutory info and other general information about your Supplier,Статутарна инфо и друге опште информације о вашем добављачу
 DocType: Item,Serial Nos and Batches,Сериал Нос анд Пакети
 DocType: Item,Serial Nos and Batches,Сериал Нос анд Пакети
@@ -3216,6 +3262,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Изаберите компанију
 DocType: Delivery Settings,Delivery Settings,Подешавања испоруке
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Извадите податке
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Не може се уклонити више од {0} број од {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Максимални дозвољени одмор у типу одласка {0} је {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Објавите 1 предмет
 DocType: SMS Center,Create Receiver List,Направите листу пријемника
@@ -3364,6 +3411,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Основица (Фирма валута)
 DocType: Purchase Invoice,Registered Regular,Регистрован редовно
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Сировине
+DocType: Plaid Settings,sandbox,песковник
 DocType: Payment Reconciliation Payment,Reference Row,референце Ред
 DocType: Installation Note,Installation Time,Инсталација време
 DocType: Sales Invoice,Accounting Details,Књиговодство Детаљи
@@ -3376,12 +3424,11 @@
 DocType: Leave Ledger Entry,Transaction Type,врста трансакције
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критеријуми за пријем
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Унесите Материјални захтеве у горњој табели
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Укупно плаћају износ
 DocType: Task,Expected Time (in hours),Очекивано време (у сатима)
 DocType: Item Reorder,Check in (group),Цхецк ин (група)
 DocType: Soil Texture,Silt,Силт
@@ -3413,6 +3460,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Порез на одбитку за неоснован доказ о ослобађању од пореза
 DocType: Volunteer,Anytime,Увек
 DocType: Bank Account,Bank Account No,Банкарски рачун бр
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Исплата и отплата
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Поднесак доказа ослобађања од пореза на раднике
 DocType: Patient,Surgical History,Хируршка историја
 DocType: Bank Statement Settings Item,Mapped Header,Маппед Хеадер
@@ -3477,6 +3525,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Направите лабораторијске тестове на рачуну за продају
 DocType: Serial No,Invoice Details,Детаљи рачуна
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Структура плата мора се поднијети прије подношења Изјаве о ослобађању од пореза
+DocType: Loan Application,Proposed Pledges,Предложена обећања
 DocType: Grant Application,Show on Website,Схов он Вебсите
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Почиње
 DocType: Hub Tracked Item,Hub Category,Главна категорија
@@ -3488,7 +3537,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Добављач Сцорецард Стандинг
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Билл оф Материалс није пронађена за тачком {1}
 DocType: Contract Fulfilment Checklist,Requirement,Услов
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Молимо вас да подесите систем именовања запослених у људским ресурсима&gt; ХР подешавања
 DocType: Journal Entry,Accounts Receivable,Потраживања
 DocType: Quality Goal,Objectives,Циљеви
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Улога је дозвољена за креирање назадне апликације за одлазак
@@ -3501,6 +3549,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Укључи помирили уносе
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Укупни додељени износ ({0}) је намазан од уплаћеног износа ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Дистрибуирају пријава по
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Плаћени износ не може бити мањи од {0}
 DocType: Projects Settings,Timesheets,тимесхеетс
 DocType: HR Settings,HR Settings,ХР Подешавања
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Мастерс Аццоунтинг
@@ -3646,6 +3695,7 @@
 DocType: Employee,Health Insurance,Здравствено осигурање
 DocType: Asset Repair,Manufacturing Manager,Производња директор
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Серийный номер {0} находится на гарантии ДО {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Износ зајма премашује максимални износ зајма од {0} по предложеним хартијама од вредности
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимална дозвољена вредност
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Корисник {0} већ постоји
 apps/erpnext/erpnext/hooks.py,Shipments,Пошиљке
@@ -3690,7 +3740,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Врста пословања
 DocType: Sales Invoice,Consumer,Потрошач
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Молимо Вас да изаберете издвајају, Тип фактуре и број фактуре у атлеаст једном реду"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Молимо поставите Наминг Сериес за {0} путем Подешавање&gt; Подешавања&gt; Именовање серије
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Трошкови куповини
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Заказать продаж требуется для Пункт {0}
 DocType: Grant Application,Grant Description,Грант Опис
@@ -3699,6 +3748,7 @@
 DocType: Subscription,Discounts,Попусти
 DocType: Bank Transaction,Unallocated Amount,Неалоцирано Износ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Молимо омогућите применљиву на налогу за куповину и применљиву на тренутним трошковима резервације
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} није банковни рачун компаније
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Не могу да нађем ставку која се подудара. Молимо Вас да одаберете неку другу вредност за {0}.
 DocType: POS Profile,Taxes and Charges,Порези и накнаде
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Производ или сервис који се купити, продати или држати у складишту."
@@ -3749,6 +3799,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Важи од датума мора бити мањи од важећег датума.
 DocType: Employee Skill,Evaluation Date,Датум процене
 DocType: Quotation Item,Stock Balance,Берза Биланс
+DocType: Loan Security Pledge,Total Security Value,Укупна вредност безбедности
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Продаја Налог за плаћања
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Директор
 DocType: Purchase Invoice,With Payment of Tax,Уз плаћање пореза
@@ -3761,6 +3812,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Молимо изаберите исправан рачун
 DocType: Salary Structure Assignment,Salary Structure Assignment,Распоред плата
 DocType: Purchase Invoice Item,Weight UOM,Тежина УОМ
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Налог {0} не постоји у табели командне табле {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Списак доступних акционара са бројевима фолије
 DocType: Salary Structure Employee,Salary Structure Employee,Плата Структура запослених
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Прикажи варијантне атрибуте
@@ -3842,6 +3894,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Тренутни Процена курс
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Број матичних рачуна не може бити мањи од 4
 DocType: Training Event,Advance,Адванце
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Против зајма:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,ГоЦардлесс поставке гатеваи плаћања
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Курсне / Губитак
 DocType: Opportunity,Lost Reason,Лост Разлог
@@ -3926,8 +3979,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Избор серијски бр
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Неважећи {0}: {1}
 ,GSTR-1,ГСТР-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Ред {0}: Датум рођења браће не може бити већи од данашњег.
 DocType: Fee Validity,Reference Inv,Референце Инв
 DocType: Sales Invoice Advance,Advance Amount,Унапред Износ
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Каматна стопа (%) по дану
 DocType: Manufacturing Settings,Capacity Planning,Капацитет Планирање
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Прилагођавање заокруживања (Валута предузећа
 DocType: Asset,Policy number,Број политике
@@ -3943,7 +3998,9 @@
 DocType: Normal Test Items,Require Result Value,Захтевај вредност резултата
 DocType: Purchase Invoice,Pricing Rules,Правила цена
 DocType: Item,Show a slideshow at the top of the page,Приказивање слајдова на врху странице
+DocType: Appointment Letter,Body,Тело
 DocType: Tax Withholding Rate,Tax Withholding Rate,Стопа задржавања пореза
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Датум почетка отплате је обавезан за орочене кредите
 DocType: Pricing Rule,Max Amt,Мак Амт
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,БОМ
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Магазины
@@ -3963,7 +4020,7 @@
 DocType: Call Log,Received By,Прима
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Трајање састанка (у неколико минута)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детаљи шаблона за мапирање готовог тока
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управљање зајмовима
+DocType: Loan,Loan Management,Управљање зајмовима
 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,Update Cost,Ажурирање Трошкови
@@ -3971,6 +4028,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,ГСТР3Б-Образац
 DocType: Sales Invoice,Mode of Transport,Начин транспорта
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Схов плата Слип
+DocType: Loan,Is Term Loan,Терм зајам
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Пренос материјала
 DocType: Fees,Send Payment Request,Пошаљите захтев за плаћање
 DocType: Travel Request,Any other details,Било који други детаљ
@@ -3988,6 +4046,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Новчани ток од финансирања
 DocType: Budget Account,Budget Account,буџета рачуна
 DocType: Quality Inspection,Verified By,Верифиед би
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Додајте осигурање кредита
 DocType: Travel Request,Name of Organizer,Име организатора
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,Да ли је порез на доходак
@@ -4038,6 +4097,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Обавезно На
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ако је означено, сакрива и онемогућује поље Заокружено укупно у листићима за плаћу"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ово је подразумевани помак (дана) за датум испоруке у продајним налозима. Компензација је 7 дана од датума слања наруџбе.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање&gt; Серија нумерирања
 DocType: Rename Tool,File to Rename,Филе Ренаме да
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Молимо одаберите БОМ за предмета на Ров {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Изврши ажурирање претплате
@@ -4050,6 +4110,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Серијски бројеви су креирани
 DocType: POS Profile,Applicable for Users,Применљиво за кориснике
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,ПУР-СКТН-.ИИИИ.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Датум и датум су обавезни
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Поставите Пројецт и све задатке на статус {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Поставите унапред и доделите (ФИФО)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Стварање радних налога
@@ -4059,6 +4120,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Предмети од
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Трошкови Купљено
 DocType: Employee Separation,Employee Separation Template,Шаблон за раздвајање запослених
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Нулта количина {0} обећала је зајам {0}
 DocType: Selling Settings,Sales Order Required,Продаја Наручите Обавезно
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Постаните Продавац
 ,Procurement Tracker,Праћење набавке
@@ -4155,11 +4217,12 @@
 ,Minutes to First Response for Opportunity,Минутес то први одговор за Оппортунити
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Укупно Абсент
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Износ који се плаћа
+DocType: Loan Repayment,Payable Amount,Износ који се плаћа
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Прилика
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Максимална снага не може бити мања од нуле.
 DocType: Options,Option,Опција
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Не можете да креирате рачуноводствене уносе у затвореном обрачунском периоду {0}
 DocType: Operation,Default Workstation,Уобичајено Воркстатион
@@ -4201,6 +4264,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Износ камате је обавезан
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Оставите без плате се не слаже са одобреним подацима одсуство примене
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Следећи кораци
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Сачуване ставке
@@ -4272,8 +4336,6 @@
 DocType: Grant Application,Grant Application Details ,Грант Апплицатион Детаилс
 DocType: Employee Separation,Employee Separation,Раздвајање запослених
 DocType: BOM Item,Original Item,Оригинал Итем
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Избришите запосленика <a href=""#Form/Employee/{0}"">{0}</a> \ да бисте отказали овај документ"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Доц Дате
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Накнада Записи Цреатед - {0}
 DocType: Asset Category Account,Asset Category Account,Средство Категорија налог
@@ -4309,6 +4371,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Предмет лабораторијског теста {0} већ постоји
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} је празник компаније
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Сати на наплату
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Затезна камата се свакодневно обрачунава на виши износ камате у случају кашњења са отплатом
+DocType: Appointment Letter content,Appointment Letter content,Садржај писма о састанку
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставите статусну поруку
 DocType: Patient Appointment,Procedure Prescription,Процедура Пресцриптион
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Намештај и инвентар
@@ -4328,7 +4392,7 @@
 DocType: Opportunity,Customer / Lead Name,Заказчик / Ведущий Имя
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Клиренс Дата не упоминается
 DocType: Payroll Period,Taxable Salary Slabs,Опорезива плата за опорезивање
-DocType: Job Card,Production,производња
+DocType: Plaid Settings,Production,производња
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Неважећи ГСТИН! Унесени унос не одговара формату ГСТИН-а.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Вредност рачуна
 DocType: Guardian,Occupation,занимање
@@ -4474,6 +4538,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Збирка програма лојалности
 DocType: Stock Entry Detail,Subcontracted Item,Ставка подуговарача
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Студент {0} не припада групи {1}
+DocType: Appointment Letter,Appointment Date,Датум именовања
 DocType: Budget,Cost Center,Трошкови центар
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Ваучер #
 DocType: Tax Rule,Shipping Country,Достава Земља
@@ -4544,6 +4609,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Рачуноводствена димензија
 ,Profit and Loss Statement,Биланс успјеха
 DocType: Bank Reconciliation Detail,Cheque Number,Чек Број
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Плаћени износ не може бити нула
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Ставка на коју се односи {0} - {1} већ је фактурисана
 ,Sales Browser,Браузер по продажам
 DocType: Journal Entry,Total Credit,Укупна кредитна
@@ -4660,6 +4726,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Додајте / измените услове купона
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Расходи / Разлика налог ({0}) мора бити ""Добитак или губитак 'налога"
 DocType: Stock Entry Detail,Stock Entry Child,Улаз у децу
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Предузеће за зајам зајма и зајамно предузеће морају бити исти
 DocType: Project,Copied From,копиран из
 DocType: Project,Copied From,копиран из
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Рачун који је већ креиран за сва времена плаћања
@@ -4668,6 +4735,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Је финансијски трошак
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Посещаемость за работника {0} уже отмечен
 DocType: Packing Slip,If more than one package of the same type (for print),Ако више од једног пакета истог типа (за штампу)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Поставите систем именовања инструктора у Образовање&gt; Подешавања образовања
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Подесите подразумевани купац у подешавањима ресторана
 ,Salary Register,плата Регистрација
 DocType: Company,Default warehouse for Sales Return,Подразумевано складиште за повраћај продаје
@@ -4712,7 +4780,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Тренутни серијски бр
 DocType: Employee,Attendance and Leave Details,Детаљи о посети и одласку
 ,BOM Comparison Tool,Алат за упоређивање БОМ-а
-,Requested,Тражени
+DocType: Loan Security Pledge,Requested,Тражени
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Но Примедбе
 DocType: Asset,In Maintenance,У одржавању
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Кликните ово дугме да бисте извлачили податке о продајном налогу из Амазон МВС.
@@ -4724,7 +4792,6 @@
 DocType: Drug Prescription,Drug Prescription,Пресцриптион другс
 DocType: Service Level,Support and Resolution,Подршка и резолуција
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Бесплатни код артикла није одабран
-DocType: Loan,Repaid/Closed,Отплаћује / Цлосед
 DocType: Amazon MWS Settings,CA,ЦА
 DocType: Item,Total Projected Qty,Укупна пројектована количина
 DocType: Monthly Distribution,Distribution Name,Дистрибуција Име
@@ -4758,6 +4825,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Рачуноводство Ентри за Деонице
 DocType: Lab Test,LabTest Approver,ЛабТест Аппровер
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Већ сте оцијенили за критеријуми за оцењивање {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Износ мањка
 DocType: Vehicle Service,Engine Oil,Моторно уље
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Креирани радни налоги: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Молимо вас да подесите ИД е-поште за Леад {0}
@@ -4776,6 +4844,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},За графикон на контролној табли није подешен рачун {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Нанесите додатни попуст Он
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Изаберите Тип ...
+DocType: Loan Interest Accrual,Amounts,Количине
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Ваше карте
 DocType: Account,Root Type,Корен Тип
 DocType: Item,FIFO,"ФИФО,"
@@ -4783,6 +4852,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Ред # {0}: Не могу да се врате више од {1} за тачком {2}
 DocType: Item Group,Show this slideshow at the top of the page,Покажи ову пројекцију слајдова на врху странице
 DocType: BOM,Item UOM,Ставка УОМ
+DocType: Loan Security Price,Loan Security Price,Цена гаранције зајма
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Износ пореза Након Износ попуста (Фирма валута)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Ретаил Оператионс
@@ -4923,6 +4993,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Серија је обавезна у реду {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Серија је обавезна у реду {0}
 DocType: Company,Default Buying Terms,Подразумевани услови за куповину
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Исплата зајма
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Куповина Потврда јединице у комплету
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Омогућите заказану синхронизацију
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Да датетиме
@@ -4951,6 +5022,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Унесите вредност бетвееен {0} и {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Унесите назив кампање, ако извор истраге је кампања"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Новински издавачи
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Није пронађена ваљана цена <b>зајма</b> за {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Будући датуми нису дозвољени
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Очекивани датум испоруке треба да буде након датума продаје
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Реордер Ниво
@@ -5017,6 +5089,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Предлог / цена Куоте
 DocType: Antibiotic,Healthcare,Здравствена заштита
 DocType: Target Detail,Target Detail,Циљна Детаљ
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Процеси зајма
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Јединствена варијанта
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Сви послови
 DocType: Sales Order,% of materials billed against this Sales Order,% Материјала наплаћени против овог налога за продају
@@ -5080,7 +5153,7 @@
 DocType: Item,Reorder level based on Warehouse,Промени редослед ниво на основу Варехоусе
 DocType: Activity Cost,Billing Rate,Обрачун курс
 ,Qty to Deliver,Количина на Избави
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Направите унос исплате
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Направите унос исплате
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Амазон ће синхронизовати податке ажуриране након овог датума
 ,Stock Analytics,Стоцк Аналитика
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,Операције не може остати празно
@@ -5114,6 +5187,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Прекини везу спољних интеграција
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Изаберите одговарајућу уплату
 DocType: Pricing Rule,Item Code,Шифра
+DocType: Loan Disbursement,Pending Amount For Disbursal,Износ на чекању за расправу
 DocType: Student,EDU-STU-.YYYY.-,ЕДУ-СТУ-.ИИИИ.-
 DocType: Serial No,Warranty / AMC Details,Гаранција / АМЦ Детаљи
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Изаберите студенти ручно активности заснива Групе
@@ -5139,6 +5213,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Количина Укупно
 DocType: Landed Cost Item,Receipt Document,prijem dokument
 DocType: Employee Education,School/University,Школа / Универзитет
+DocType: Loan Security Pledge,Loan  Details,Детаљи о зајму
 DocType: Sales Invoice Item,Available Qty at Warehouse,Доступно Кол у складишту
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Изграђена Износ
 DocType: Share Transfer,(including),(укључујући)
@@ -5162,6 +5237,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Групе
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Группа по Счет
 DocType: Purchase Invoice,Hold Invoice,Држите фактуру
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Статус залога
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Изаберите Емплоиее
 DocType: Sales Order,Fully Delivered,Потпуно Испоручено
 DocType: Promotional Scheme Price Discount,Min Amount,Мин. Износ
@@ -5171,7 +5247,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Исплаћено износ не може бити већи од кредита Износ {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Ред {0} # Расподијељена количина {1} не може бити већа од незадовољне количине {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Царри Форвардед Леавес
@@ -5199,6 +5274,7 @@
 DocType: Pick List Item,Serial No and Batch,Серијски број и партије
 DocType: Warranty Claim,From Company,Из компаније
 DocType: GSTR 3B Report,January,Јануара
+DocType: Loan Repayment,Principal Amount Paid,Износ главнице
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Збир Сцорес мерила за оцењивање треба да буде {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Молимо поставите Број Амортизација Жути картони
 DocType: Supplier Scorecard Period,Calculations,Израчунавање
@@ -5225,6 +5301,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,О вашој Компанији
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Прикажи податке о старењу залиха
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на рачун мора да буде биланса стања
+DocType: Loan Repayment,Penalty Amount,Износ казне
 DocType: Donor,Donor,Донор
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ажурирајте порез на ставке
 DocType: Global Defaults,Disable In Words,Онемогућити У Вордс
@@ -5255,6 +5332,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Трошкови и буџетирање
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Почетно стање Капитал
 DocType: Appointment,CRM,ЦРМ
+DocType: Loan Repayment,Partial Paid Entry,Дјеломични плаћени улазак
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Молимо поставите Распоред плаћања
 DocType: Pick List,Items under this warehouse will be suggested,Предлози испод овог складишта ће бити предложени
 DocType: Purchase Invoice,N,Н
@@ -5288,7 +5366,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} није пронађен за ставку {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Вредност мора бити између {0} и {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Прикажи инклузивни порез у штампи
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банкарски рачун, од датума и до датума је обавезан"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Порука је послата
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Рачун са дететом чворова не може да се подеси као књиге
 DocType: C-Form,II,ИИИ
@@ -5302,6 +5379,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Омогући аутоматску поновну наруџбу
 DocType: Stock Settings,Item Naming By,Шифра назив под
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Другой Период Окончание Вступление {0} был сделан после {1}
+DocType: Proposed Pledge,Proposed Pledge,Предложено заложно право
 DocType: Work Order,Material Transferred for Manufacturing,Материјал пребачени на Мануфацтуринг
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Рачун {0} не постоји
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Одаберите програм лојалности
@@ -5312,7 +5390,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Постављање Догађаји на {0}, јер запослени у прилогу у наставку продаје лица нема Усер ИД {1}"
 DocType: Timesheet,Billing Details,Детаљи наплате
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Извор и циљ складиште мора бити другачија
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Молимо вас да подесите систем именовања запослених у људским ресурсима&gt; ХР подешавања
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Уплата није успела. Проверите свој ГоЦардлесс рачун за више детаља
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Није дозвољено да ажурирате акција трансакције старије од {0}
 DocType: Stock Entry,Inspection Required,Инспекција Обавезно
@@ -5325,6 +5402,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,програм
+DocType: Unpledge,Against Pledge,Против залога
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Корисници са овом улогом је дозвољено да подесите замрзнуте рачуне и створити / модификује рачуноводствене уносе против замрзнутим рачунима
 DocType: Plaid Settings,Plaid Environment,Плаид Енвиронмент
 ,Project Billing Summary,Резиме обрачуна пројеката
@@ -5377,6 +5455,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Пакети
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Број дана термина може се унапријед резервирати
 DocType: Article,LMS User,Корисник ЛМС-а
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Залог обезбеђења зајма је обавезан за обезбеђени зајам
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Место снабдевања (држава / држава)
 DocType: Purchase Order Item Supplied,Stock UOM,Берза УОМ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Заказ на {0} не представлено
@@ -5451,6 +5530,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Креирајте Јоб Цард
 DocType: Quotation,Referral Sales Partner,Препорука продајног партнера
 DocType: Quality Procedure Process,Process Description,Опис процеса
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Не могу се уклонити, вредност гаранције зајма је већа од отплаћеног износа"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клијент {0} је креиран.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Тренутно нема доступних трговина на залихама
 ,Payment Period Based On Invoice Date,Период отплате Басед Он Фактура Дате
@@ -5471,7 +5551,7 @@
 DocType: Asset,Insurance Details,осигурање Детаљи
 DocType: Account,Payable,к оплате
 DocType: Share Balance,Share Type,Тип дељења
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Молимо Вас да унесете отплате Периоди
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Молимо Вас да унесете отплате Периоди
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Дужници ({0})
 DocType: Pricing Rule,Margin,Маржа
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Нове Купци
@@ -5480,6 +5560,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Могућности извора извора
 DocType: Appraisal Goal,Weightage (%),Веигхтаге (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Промените ПОС профил
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Количина или износ је мандатрои за осигурање кредита
 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,Assessment Report,Извештај процене
@@ -5515,6 +5596,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Схаре Ледгер
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Продајна фактура {0} креирана
 DocType: Employee,Confirmation Date,Потврда Датум
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Избришите запосленика <a href=""#Form/Employee/{0}"">{0}</a> \ да бисте отказали овај документ"
 DocType: Inpatient Occupancy,Check Out,Провери
 DocType: C-Form,Total Invoiced Amount,Укупан износ Фактурисани
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Минимална Кол не може бити већи од Мак Кол
@@ -5528,7 +5611,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Компанија ИД брзе књиге
 DocType: Travel Request,Travel Funding,Финансирање путовања
 DocType: Employee Skill,Proficiency,Професионалност
-DocType: Loan Application,Required by Date,Рекуиред би Дате
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Детаљи потврде о куповини
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Веза са свим локацијама у којима расту усеви
 DocType: Lead,Lead Owner,Олово Власник
@@ -5547,7 +5629,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,"Текущий спецификации и Нью- BOM не может быть таким же,"
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Плата Слип ИД
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Добављач&gt; врста добављача
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Вишеструке варијанте
 DocType: Sales Invoice,Against Income Account,Против приход
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Испоручено
@@ -5580,7 +5661,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Тип Процена трошкови не могу означити као инцлусиве
 DocType: POS Profile,Update Stock,Упдате Стоцк
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Podaci o plaćanju
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,БОМ курс
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Читање преузете датотеке
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Прекинуто радно поруџбање не може се отказати, Унстоп први да откаже"
@@ -5616,6 +5697,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Максимална вредност зајма
 ,Stock Ledger,Берза Леџер
 DocType: Company,Exchange Gain / Loss Account,Курсне / успеха
 DocType: Amazon MWS Settings,MWS Credentials,МВС акредитиви
@@ -5623,6 +5705,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Цель должна быть одна из {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Попуните формулар и да га сачувате
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Форум
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Без лишћа додељено запосленом: {0} за врсту одмора: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Стварна количина на лагеру
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Стварна количина на лагеру
 DocType: Homepage,"URL for ""All Products""",УРЛ за &quot;Сви производи&quot;
@@ -5725,7 +5808,6 @@
 DocType: Fee Schedule,Fee Schedule,цјеновник
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Ознаке колона:
 DocType: Bank Transaction,Settled,Решени
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Датум исплате не може бити након почетног датума враћања зајма
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Цесс
 DocType: Quality Feedback,Parameters,Параметри
 DocType: Company,Create Chart Of Accounts Based On,Створити контни план на основу
@@ -5745,6 +5827,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Кредитни лимит и услови плаћања
 DocType: Loyalty Program,Collection Rules,Правила сакупљања
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Тачка 3
+DocType: Loan Security Shortfall,Shortfall Time,Време краћења
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Унос налога
 DocType: Purchase Order,Customer Contact Email,Кориснички Контакт Е-маил
 DocType: Warranty Claim,Item and Warranty Details,Ставка и гаранције Детаљи
@@ -5764,12 +5847,14 @@
 DocType: Sales Person,Sales Person Name,Продаја Особа Име
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Пожалуйста, введите не менее чем 1 -фактуру в таблице"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Није направљен лабораторијски тест
+DocType: Loan Security Shortfall,Security Value ,Вредност сигурности
 DocType: POS Item Group,Item Group,Ставка Група
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студент Група:
 DocType: Depreciation Schedule,Finance Book Id,Ид Боок оф Финанце
 DocType: Item,Safety Stock,Безбедност Сток
 DocType: Healthcare Settings,Healthcare Settings,Поставке здравствене заштите
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Укупно издвојене листе
+DocType: Appointment Letter,Appointment Letter,Писмо о именовању
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},Да {0}
@@ -5825,6 +5910,7 @@
 DocType: Stock Entry,From BOM,Од БОМ
 DocType: Assessment Code,Assessment Code,Процена код
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,основной
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Пријаве за зајмове од купаца и запослених.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Сток трансакције пре {0} су замрзнути
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Пожалуйста, нажмите на кнопку "" Generate Расписание """
 DocType: Job Card,Current Time,Тренутно време
@@ -5851,7 +5937,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Нема Студент Групе створио.
 DocType: Purchase Invoice Item,Serial No,Серијски број
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може бити већи од кредита Износ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може бити већи од кредита Износ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Пожалуйста, введите Maintaince Подробности"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Ред # {0}: Очекивани датум испоруке не може бити пре датума куповине налога
 DocType: Purchase Invoice,Print Language,принт Језик
@@ -5865,6 +5951,7 @@
 DocType: Asset,Finance Books,Финансијске књиге
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Категорија изјаве о изузећу пореза на раднике
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,Все территории
+DocType: Plaid Settings,development,развој
 DocType: Lost Reason Detail,Lost Reason Detail,Детаљ изгубљеног разлога
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,Молимо да одредите политику одласка за запосленог {0} у Записнику запослених / разреда
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,Неважећи поруџбина за одабрани корисник и ставку
@@ -5929,12 +6016,14 @@
 DocType: Staffing Plan Detail,Current Openings,Цуррент Опенингс
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Новчани ток из пословања
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,ЦГСТ Износ
+DocType: Vehicle Log,Current Odometer value ,Тренутна вредност одометра
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Креирајте Студент
 DocType: Asset Movement Item,Asset Movement Item,Ставка за кретање имовине
 DocType: Purchase Invoice,Shipping Rule,Достава Правило
 DocType: Patient Relation,Spouse,Супруга
 DocType: Lab Test Groups,Add Test,Додајте тест
 DocType: Manufacturer,Limited to 12 characters,Ограничена до 12 карактера
+DocType: Appointment Letter,Closing Notes,Завршне белешке
 DocType: Journal Entry,Print Heading,Штампање наслова
 DocType: Quality Action Table,Quality Action Table,Табела квалитета акције
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Всего не может быть нулевым
@@ -6002,6 +6091,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Укупно (Амт)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Молимо идентификујте / креирајте налог (групу) за тип - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Забава и слободно време
+DocType: Loan Security,Loan Security,Гаранција на кредит
 ,Item Variant Details,Детаљи варијанте производа
 DocType: Quality Inspection,Item Serial No,Ставка Сериал но
 DocType: Payment Request,Is a Subscription,Је претплата
@@ -6014,7 +6104,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Касно фаза
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Заказани и прихваћени датуми не могу бити мањи него данас
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Пребаци Материјал добављачу
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ЕМИ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад . Склад должен быть установлен на фондовой Вступил или приобрести получении
 DocType: Lead,Lead Type,Олово Тип
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Направи понуду
@@ -6032,7 +6121,6 @@
 DocType: Leave Allocation,Leave Period,Оставите Период
 DocType: Item,Default Material Request Type,Уобичајено Материјал Врста Захтева
 DocType: Supplier Scorecard,Evaluation Period,Период евалуације
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Купац&gt; Група купаца&gt; Територија
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Непознат
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Радни налог није креиран
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6118,7 +6206,8 @@
 ,Customer-wise Item Price,Цена предмета за купце
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Извештај о токовима готовине
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Није направљен материјални захтев
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ кредита не може бити већи од максимални износ кредита {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ кредита не може бити већи од максимални износ кредита {0}
+DocType: Loan,Loan Security Pledge,Зајам за зајам кредита
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,лиценца
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,Молимо изаберите пренети ако такође желите да укључите претходну фискалну годину је биланс оставља на ову фискалну годину
@@ -6136,6 +6225,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Схема попуста на цене
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Статус одржавања мора бити поништен или завршен за достављање
 DocType: Amazon MWS Settings,US,САД
+DocType: Loan Security Pledge,Pledged,Заложено
 DocType: Holiday List,Add Weekly Holidays,Додај недељни празник
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Извештај
 DocType: Staffing Plan Detail,Vacancies,Радна места
@@ -6154,7 +6244,6 @@
 DocType: Production Plan Item,Planned Start Date,Планирани датум почетка
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Изаберите БОМ
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Коришћен ИТЦ интегрисани порез
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Креирајте унос за отплату
 DocType: Purchase Order Item,Blanket Order Rate,Стопа поруџбине робе
 ,Customer Ledger Summary,Резиме клијента
 apps/erpnext/erpnext/hooks.py,Certification,Сертификација
@@ -6175,6 +6264,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Процена Шаблон Наслов
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,коммерческий
 DocType: Patient,Alcohol Current Use,Употреба алкохола
+DocType: Loan,Loan Closure Requested,Затражено затварање зајма
 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,Категорија опорезивања
@@ -6198,6 +6288,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Продајни
 DocType: Stock Entry Detail,Basic Amount,Основни Износ
 DocType: Training Event,Exam,испит
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Недостатак сигурности зајма у процесу
 DocType: Email Campaign,Email Campaign,Кампања е-поште
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Грешка на тржишту
 DocType: Complaint,Complaint,Жалба
@@ -6277,6 +6368,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Пошаљите ово да бисте креирали запис Запосленог
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Цена зајамног осигурања која се преклапа са {0}
 DocType: Item Default,Item Default,Итем Дефаулт
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Унутарње државе
 DocType: Chapter Member,Leave Reason,Оставите разлог
@@ -6304,6 +6396,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Купон се користи {1}. Дозвољена количина се исцрпљује
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Да ли желите да поднесете материјални захтев
 DocType: Job Offer,Awaiting Response,Очекујем одговор
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Зајам је обавезан
 DocType: Course Schedule,EDU-CSH-.YYYY.-,ЕДУ-ЦСХ-.ИИИИ.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Горе
 DocType: Support Search Source,Link Options,Линк Оптионс
@@ -6316,6 +6409,7 @@
 DocType: Training Event Employee,Optional,Опционо
 DocType: Salary Slip,Earning & Deduction,Зарада и дедукције
 DocType: Agriculture Analysis Criteria,Water Analysis,Анализа воде
+DocType: Pledge,Post Haircut Amount,Износ пошиљања фризуре
 DocType: Sales Order,Skip Delivery Note,Прескочите доставницу
 DocType: Price List,Price Not UOM Dependent,Цена није УОМ зависна
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} креиране варијанте.
@@ -6342,6 +6436,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Гет ставки из производа Бундле
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Начин отплате је обавезан за орочене кредите
 DocType: Asset,Straight Line,Права линија
 DocType: Project User,Project User,projekat Корисник
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Разделити
@@ -6390,7 +6485,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Улога дозвољено да постављају блокада трансакцијских рачуна & Едит Фрозен записи
 DocType: Supplier Scorecard Scoring Variable,Path,Пут
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге , как это имеет дочерние узлы"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Фактор конверзије УОМ ({0} -&gt; {1}) није пронађен за ставку: {2}
 DocType: Production Plan,Total Planned Qty,Укупна планирана количина
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Трансакције су већ повучене из извода
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Отварање Вредност
@@ -6399,11 +6493,8 @@
 DocType: Material Request Plan Item,Required Quantity,Потребна количина
 DocType: Lab Test Template,Lab Test Template,Лаб тест шаблон
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Рачуноводствени период се преклапа са {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Добављач&gt; врста добављача
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Рачун продаје
 DocType: Purchase Invoice Item,Total Weight,Укупна маса
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Избришите запосленика <a href=""#Form/Employee/{0}"">{0}</a> \ да бисте отказали овај документ"
 DocType: Pick List Item,Pick List Item,Изаберите ставку листе
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комиссия по продажам
 DocType: Job Offer Term,Value / Description,Вредност / Опис
@@ -6450,6 +6541,7 @@
 DocType: Patient Encounter,Encounter Date,Датум сусрета
 DocType: Work Order,Update Consumed Material Cost In Project,Ажурирајте потрошене трошкове материјала у пројекту
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Рачун: {0} са валутом: {1} не може бити изабран
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Кредити купцима и запосленима.
 DocType: Bank Statement Transaction Settings Item,Bank Data,Подаци банке
 DocType: Purchase Receipt Item,Sample Quantity,Количина узорка
 DocType: Bank Guarantee,Name of Beneficiary,Име корисника
@@ -6518,7 +6610,6 @@
 DocType: Contract,Signed On,Сигнед Он
 DocType: Bank Account,Party Type,партия Тип
 DocType: Discounted Invoice,Discounted Invoice,Рачун са попустом
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство као <b></b>
 DocType: Payment Schedule,Payment Schedule,Динамика плаћања
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},За одређену вредност поља запосленог није пронађен ниједан запослени. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Скраћеница
@@ -6590,6 +6681,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Повериоци
 DocType: Assessment Plan,Assessment Name,Процена Име
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ред # {0}: Серијски број је обавезан
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,За затварање зајма потребан је износ {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрый Налоговый Подробно
 DocType: Employee Onboarding,Job Offer,Понуда за посао
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Институт држава
@@ -6614,7 +6706,6 @@
 DocType: Purchase Order,To Receive,Примити
 DocType: Leave Period,Holiday List for Optional Leave,Лист за одмор за опциони одлазак
 DocType: Item Tax Template,Tax Rates,Пореске стопе
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код артикла&gt; Група артикала&gt; Марка
 DocType: Asset,Asset Owner,Власник имовине
 DocType: Item,Website Content,Садржај веб странице
 DocType: Bank Account,Integration ID,ИД интеграције
@@ -6631,6 +6722,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Синцх Ордерс
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Поруџбине пуштен за производњу.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Изаберите Фискална година ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Молимо одаберите врсту кредита за компанију {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,ПОС Профил потребно да ПОС Ентри
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.","Точке лојалности ће се рачунати од потрошене (преко фактуре за продају), на основу наведеног фактора сакупљања."
 DocType: Program Enrollment Tool,Enroll Students,упис студената
@@ -6659,6 +6751,7 @@
 DocType: Customer,Mention if non-standard receivable account,Спомените ако нестандардни потраживања рачуна
 DocType: Bank,Plaid Access Token,Плаид Аццесс Токен
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Додајте преостале погодности {0} било којој од постојећих компоненти
+DocType: Bank Account,Is Default Account,Је подразумевани налог
 DocType: Journal Entry Account,If Income or Expense,Ако прихода или расхода
 DocType: Course Topic,Course Topic,Тема курса
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Завршни ваучер ПОС-а постоји за {0} између датума {1} и {2}
@@ -6671,7 +6764,7 @@
 DocType: Disease,Treatment Task,Третман задатака
 DocType: Payment Order Reference,Bank Account Details,Детаљи банковног рачуна
 DocType: Purchase Order Item,Blanket Order,Бланкет Ордер
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Износ отплате мора бити већи од
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Износ отплате мора бити већи од
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,налоговые активы
 DocType: BOM Item,BOM No,БОМ Нема
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Ажурирај детаље
@@ -6728,6 +6821,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,ВооЦоммерце производи
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Синтакса грешка у формули или стања: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Пункт {0} игнорируется, так как это не складские позиции"
+,Loan Security Status,Статус осигурања кредита
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Да не примењује Правилник о ценама у одређеном трансакцијом, све важеће Цене Правила би требало да буде онемогућен."
 DocType: Payment Term,Day(s) after the end of the invoice month,Дан (и) након завршетка месеца фактуре
 DocType: Assessment Group,Parent Assessment Group,Родитељ Процена Група
@@ -6742,7 +6836,6 @@
 DocType: Stock Entry Detail,Additional Cost,Додатни трошак
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не можете да филтрирате на основу ваучер Не , ако груписани по ваучер"
 DocType: Quality Inspection,Incoming,Долазни
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање&gt; Серија нумерирања
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Основани порезни предлошци за продају и куповину су створени.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Оцењивање Резултат записа {0} већ постоји.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: АБЦД. #####. Ако је серија подешена и Батцх Но се не помиње у трансакцијама, онда ће се на основу ове серије креирати аутоматски број серије. Уколико увек желите да експлицитно наведете Батцх Но за ову ставку, оставите ово празним. Напомена: ово подешавање ће имати приоритет над Префиксом назива серија у поставкама залиха."
@@ -6753,8 +6846,10 @@
 DocType: Contract,Party User,Парти Усер
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Средства нису створена за <b>{0}</b> . Средство ћете морати да креирате ручно.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Молимо поставите Фирма филтер празно ако Група По је &#39;Фирма&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Купац&gt; Група купаца&gt; Територија
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Датум постања не може бити будућност датум
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Ред # {0}: Серијски број {1} не одговара {2} {3}
+DocType: Loan Repayment,Interest Payable,Зарађена камата
 DocType: Stock Entry,Target Warehouse Address,Адреса циљне магацине
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Повседневная Оставить
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Време пре почетка смене током којег се одјава пријављује за присуство.
@@ -6883,6 +6978,7 @@
 DocType: Issue,Reset Service Level Agreement,Ресетујте уговор о нивоу услуге
 ,Sales Person-wise Transaction Summary,Продавац у питању трансакција Преглед
 DocType: Training Event,Contact Number,Контакт број
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Износ зајма је обавезан
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Магацин {0} не постоји
 DocType: Cashier Closing,Custody,Старатељство
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Детаљи о подношењу доказа о изузећу пореза на раднике
@@ -6931,6 +7027,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Стање Кол
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Услови ће се примењивати на све изабране ставке заједно.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Циљеви не може бити празна
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Погрешно складиште
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Уписивање студената
 DocType: Item Group,Parent Item Group,Родитељ тачка Група
 DocType: Appointment Type,Appointment Type,Тип именовања
@@ -6984,10 +7081,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Просечна стопа
 DocType: Appointment,Appointment With,Састанак са
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Укупан износ плаћања у распореду плаћања мора бити једнак Гранд / заокруженом укупно
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство као <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Предмет који пружа клијент“ не може имати стопу вредновања
 DocType: Subscription Plan Detail,Plan,План
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Банка Биланс по Главној књизи
-DocType: Job Applicant,Applicant Name,Подносилац захтева Име
+DocType: Appointment Letter,Applicant Name,Подносилац захтева Име
 DocType: Authorization Rule,Customer / Item Name,Кориснички / Назив
 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**. 
 
@@ -7031,11 +7129,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не может быть удален как существует запись складе книга для этого склада .
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Дистрибуција
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Статус запосленог не може се поставити на „Лево“, јер следећи запосленици тренутно пријављују овог запосленика:"
-DocType: Journal Entry Account,Loan,Зајам
+DocType: Loan Repayment,Amount Paid,Износ Плаћени
+DocType: Loan Security Shortfall,Loan,Зајам
 DocType: Expense Claim Advance,Expense Claim Advance,Адванце Цлаим Адванце
 DocType: Lab Test,Report Preference,Предност извештаја
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Волонтерске информације.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Пројецт Манагер
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Групирање по купцу
 ,Quoted Item Comparison,Цитирано артикла Поређење
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},Преклапање у бодовима између {0} и {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,депеша
@@ -7055,6 +7155,7 @@
 DocType: Material Request Plan Item,Material Issue,Материјал Издање
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Бесплатни артикал није постављен у правилу о ценама {0}
 DocType: Employee Education,Qualification,Квалификација
+DocType: Loan Security Shortfall,Loan Security Shortfall,Недостатак осигурања кредита
 DocType: Item Price,Item Price,Артикал Цена
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Сапун и детерџент
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Запослени {0} не припада компанији {1}
@@ -7077,6 +7178,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Детаљи састанка
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Готов производ
 DocType: Warehouse,Warehouse Name,Магацин Име
+DocType: Loan Security Pledge,Pledge Time,Време залога
 DocType: Naming Series,Select Transaction,Изаберите трансакцију
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Пожалуйста, введите утверждении роли или утверждении Пользователь"
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Уговор о нивоу услуге са типом ентитета {0} и ентитетом {1} већ постоји.
@@ -7084,7 +7186,6 @@
 DocType: BOM,Rate Of Materials Based On,Стопа материјала на бази
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако је омогућено, поље Академски термин ће бити обавезно у алату за упис програма."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Вриједности изузетих, нултих оцјена и улазних залиха које нису ГСТ"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Купац&gt; Група купаца&gt; Територија
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Компанија</b> је обавезан филтер.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Искључи све
 DocType: Purchase Taxes and Charges,On Item Quantity,Количина артикла
@@ -7130,7 +7231,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Мањак Количина
 DocType: Purchase Invoice,Input Service Distributor,Дистрибутер улазне услуге
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Тачка варијанта {0} постоји са истим атрибутима
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Поставите систем именовања инструктора у Образовање&gt; Подешавања образовања
 DocType: Loan,Repay from Salary,Отплатити од плате
 DocType: Exotel Settings,API Token,АПИ Токен
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Тражећи исплату од {0} {1} за износ {2}
@@ -7150,6 +7250,7 @@
 DocType: Salary Slip,Total Interest Amount,Укупан износ камате
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,Складишта са дететом чворова не могу се претворити у ЛЕДГЕР
 DocType: BOM,Manage cost of operations,Управљање трошкове пословања
+DocType: Unpledge,Unpledge,Унпледге
 DocType: Accounts Settings,Stale Days,Стале Даис
 DocType: Travel Itinerary,Arrival Datetime,Долазак Датетиме
 DocType: Tax Rule,Billing Zipcode,Зип код за наплату
@@ -7336,6 +7437,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Радно време
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},За вас је створен нови састанак са {0}
 DocType: Project,Expected Start Date,Очекивани датум почетка
+DocType: Work Order,This is a location where raw materials are available.,Ово је место где су доступне сировине.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Исправка у фактури
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Радни налог већ је креиран за све предмете са БОМ
 DocType: Bank Account,Party Details,Парти Детаљи
@@ -7354,6 +7456,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,цитати:
 DocType: Contract,Partially Fulfilled,Делимично испуњено
 DocType: Maintenance Visit,Fully Completed,Потпуно Завршено
+DocType: Loan Security,Loan Security Name,Име зајма зајма
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Посебни знакови осим &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; И &quot;}&quot; нису дозвољени у именовању серија"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Није нил оцењено или је изузето
 DocType: Employee,Educational Qualification,Образовни Квалификације
@@ -7411,6 +7514,7 @@
 DocType: Program,Is Featured,Представља се
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Дохваћање ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Корисник пољопривреде
+DocType: Loan Security Shortfall,America/New_York,Америка / Нев_Иорк
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Валид до датума не може бити пре датума трансакције
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,студент Категорија
@@ -7488,8 +7592,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,Нисте овлашћени да подесите вредност Фрозен
 DocType: Payment Reconciliation,Get Unreconciled Entries,Гет неусаглашених уносе
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Запослени {0} је на Ушћу на {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,За унос дневника нису изабрана никаква отплата
 DocType: Purchase Invoice,GST Category,ГСТ Категорија
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Предложене залоге су обавезне за осигуране зајмове
 DocType: Payment Reconciliation,From Invoice Date,Од Датум рачуна
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Буџети
 DocType: Invoice Discounting,Disbursed,Исплаћено
@@ -7547,14 +7651,13 @@
 DocType: Restaurant,Active Menu,Активни мени
 DocType: Accounting Dimension Detail,Default Dimension,Подразумевана димензија
 DocType: Target Detail,Target Qty,Циљна Кол
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Против кредита: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Плаћање подешавања
 DocType: Student Attendance,Present,Представљање
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Доставка Примечание {0} не должны быть представлены
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Попис плата упућен запосленом биће заштићен лозинком, а лозинка ће се генерисати на основу смерница за лозинку."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,Затварање рачуна {0} мора бити типа одговорности / Екуити
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},Плата Слип запосленог {0} већ креиран за време стања {1}
-DocType: Vehicle Log,Odometer,мерач за пређени пут
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,мерач за пређени пут
 DocType: Production Plan Item,Ordered Qty,Ж Кол
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Ставка {0} је онемогућен
 DocType: Stock Settings,Stock Frozen Upto,Берза Фрозен Упто
@@ -7613,7 +7716,6 @@
 DocType: Serial No,Delivery Document Type,Испорука Доцумент Типе
 DocType: Sales Order,Partly Delivered,Делимично Испоручено
 DocType: Item Variant Settings,Do not update variants on save,Не ажурирајте варијанте приликом штедње
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Цустмер Гроуп
 DocType: Email Digest,Receivables,Потраживања
 DocType: Lead Source,Lead Source,Олово Соурце
 DocType: Customer,Additional information regarding the customer.,Додатне информације у вези купца.
@@ -7711,6 +7813,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Стваран
 DocType: Appointment,Skype ID,Скипе ИД
 DocType: Restaurant Menu,Restaurant Manager,Ресторан менаџер
+DocType: Loan,Penalty Income Account,Рачун дохотка од казни
 DocType: Call Log,Call Log,Дневник позива
 DocType: Authorization Rule,Customerwise Discount,Цустомервисе Попуст
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Тимесхеет за послове.
@@ -7799,6 +7902,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Схема попуста на производе
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Позиватељ није покренуо ниједан проблем.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Групирање по добављачу
 DocType: Restaurant Reservation,Waitlisted,Ваитлистед
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категорија изузећа
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Валута не може да се промени након што уносе користите неки други валуте
@@ -7809,7 +7913,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Консалтинг
 DocType: Subscription Plan,Based on price list,На основу ценовника
 DocType: Customer Group,Parent Customer Group,Родитељ групу потрошача
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,е-Ваи Билл ЈСОН може се добити само из фактуре продаје
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Достигнути максимални покушаји овог квиза!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Претплата
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Пендинг Цреатион Фее
@@ -7827,6 +7930,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Превентивно одржавање
 DocType: Delivery Note Item,Against Sales Invoice,Против продаје фактура
 DocType: Purchase Invoice,07-Others,07-остали
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Износ котације
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Молимо унесите серијске бројеве за серијализованом ставку
 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. ,Остави неконтролисано ако не желите да размотри серије правећи курса на бази групе.
@@ -7936,6 +8040,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Плаћање Пријем Напомена
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Ово је засновано на трансакције против овог клијента. Погледајте рок доле за детаље
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Креирајте материјални захтев
+DocType: Loan Interest Accrual,Pending Principal Amount,На чекању главнице
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Датуми почетка и завршетка нису у важећем Периоду платног списка, не могу израчунати {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,Нови академски термин
@@ -7979,6 +8084,7 @@
 											to fullfill Sales Order {2}",Није могуће доставити Серијски број {0} ставке {1} пошто је резервисан \ да бисте испунили налог продаје {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,САЛ-КТН-ИИИИ.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Добављач Понуда {0} је направљена
+DocType: Loan Security Unpledge,Unpledge Type,Унпледге Типе
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,До краја године не може бити пре почетка године
 DocType: Employee Benefit Application,Employee Benefits,Примања запослених
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Број запосленог
@@ -8061,6 +8167,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Шифра курса:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Унесите налог Екпенсе
 DocType: Quality Action Resolution,Problem,Проблем
+DocType: Loan Security Type,Loan To Value Ratio,Однос зајма до вредности
 DocType: Account,Stock,Залиха
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од нарудзбенице, фактури или Јоурнал Ентри"
 DocType: Employee,Current Address,Тренутна адреса
@@ -8078,6 +8185,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Улазак трансакције са банковним изјавама
 DocType: Sales Invoice Item,Discount and Margin,Попуста и маргина
 DocType: Lab Test,Prescription,Пресцриптион
+DocType: Process Loan Security Shortfall,Update Time,Време ажурирања
 DocType: Import Supplier Invoice,Upload XML Invoices,Пошаљите КСМЛ фактуре
 DocType: Company,Default Deferred Revenue Account,Почетни одложени порез
 DocType: Project,Second Email,Друга е-пошта
@@ -8091,7 +8199,7 @@
 DocType: Quality Action,Preventive,Превентивно
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Набавка за нерегистроване особе
 DocType: Company,Date of Incorporation,Датум оснивања
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Укупно Пореска
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Укупно Пореска
 DocType: Manufacturing Settings,Default Scrap Warehouse,Уобичајено Сцрап Варехоусе
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Последња цена куповине
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,За Количина (Мануфацтуред Кти) је обавезан
@@ -8110,6 +8218,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Подеси подразумевани начин плаћања
 DocType: Stock Entry Detail,Against Stock Entry,Против уноса акција
 DocType: Grant Application,Withdrawn,повучен
+DocType: Loan Repayment,Regular Payment,Редовна уплата
 DocType: Support Search Source,Support Search Source,Подршка за претрагу
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Цхаргебле
 DocType: Project,Gross Margin %,Бруто маржа%
@@ -8123,8 +8232,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Без плаћања пореза
 DocType: BOM Operation,BOM Operation,БОМ Операција
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На претходни ред Износ
+DocType: Student,Home Address,Кућна адреса
 DocType: Options,Is Correct,Је тачно
 DocType: Item,Has Expiry Date,Има датум истека
+DocType: Loan Repayment,Paid Accrual Entries,Уплаћени обрачунски уноси
+DocType: Loan Security,Loan Security Type,Врста осигурања зајма
 apps/erpnext/erpnext/config/support.py,Issue Type.,Врста издања.
 DocType: POS Profile,POS Profile,ПОС Профил
 DocType: Training Event,Event Name,Име догађаја
@@ -8136,6 +8248,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезонски за постављање буџети, мете итд"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Нема вредности
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Име променљиве
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Изаберите банковни рачун да бисте га ускладили.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Ставка {0} је шаблон, изаберите једну од својих варијанти"
 DocType: Purchase Invoice Item,Deferred Expense,Одложени трошкови
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Назад на поруке
@@ -8187,7 +8300,6 @@
 DocType: GL Entry,To Rename,Да преименујете
 DocType: Stock Entry,Repack,Препаковати
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Изаберите да додате серијски број.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Поставите систем именовања инструктора у Образовање&gt; Подешавања образовања
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Молимо поставите фискални код за клијента &#39;% с&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Прво изаберите Компанију
 DocType: Item Attribute,Numeric Values,Нумеричке вредности
@@ -8211,6 +8323,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Добивање на основу ФИФО
 DocType: Soil Texture,Clay Loam,Цлаи Лоам
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Корневая не могут быть изменены .
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Вредност зајма кредита
 DocType: Item,Units of Measure,Мерних јединица
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Изнајмљује се у граду Метро
 DocType: Supplier,Default Tax Withholding Config,Подразумевана пореска обавеза задржавања пореза
@@ -8257,6 +8370,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Прво изаберите категорију
 apps/erpnext/erpnext/config/projects.py,Project master.,Пројекат господар.
 DocType: Contract,Contract Terms,Услови уговора
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Лимитирани износ лимита
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Наставите конфигурацију
 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,Maximum benefit amount of component {0} exceeds {1},Максимална корист од компоненте {0} прелази {1}
@@ -8289,6 +8403,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Погледајте дневник позива
 DocType: BOM Operation,Operating Cost(Company Currency),Оперативни трошкови (Фирма валута)
 DocType: Loan Application,Rate of Interest,Ниво интересовања
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Гаранција за зајам већ је заложена за зајам {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Санкционисани Износ
 DocType: Item,Shelf Life In Days,Рок трајања у данима
 DocType: GL Entry,Is Opening,Да ли Отварање
@@ -8302,3 +8417,4 @@
 DocType: Account,Cash,Готовина
 DocType: Sales Invoice,Unpaid and Discounted,Неплаћено и снижено
 DocType: Employee,Short biography for website and other publications.,Кратка биографија за сајт и других публикација.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Ред # {0}: Није могуће одабрати складиште добављача док добавља сировине подизвођачу
diff --git a/erpnext/translations/sr_sp.csv b/erpnext/translations/sr_sp.csv
index d1dfa94..7ec7d56 100644
--- a/erpnext/translations/sr_sp.csv
+++ b/erpnext/translations/sr_sp.csv
@@ -302,6 +302,7 @@
 DocType: Shopping Cart Settings,Enable Shopping Cart,Omogući korpu
 DocType: Purchase Invoice Item,Is Fixed Asset,Artikal je osnovno sredstvo
 ,POS,POS
+DocType: Loan Repayment,Amount Paid,Plaćeni iznos
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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, (Half Day),(Pola dana)
 DocType: Shipping Rule,Net Weight,Neto težina
@@ -589,6 +590,7 @@
 DocType: Warehouse,Warehouse Name,Naziv skladišta
 DocType: Authorization Rule,Customer / Item Name,Kupac / Naziv proizvoda
 DocType: Timesheet,Total Billed Amount,Ukupno fakturisano
+DocType: Student,Home Address,Kućna adresa
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Prijem vrije.
 DocType: Expense Claim,Employees Email Id,ID email Zaposlenih
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Tree Type,Tip stabla
@@ -789,7 +791,7 @@
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,Purchase Price List,Nabavni cjenovnik
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Pregled obaveze prema dobavljačima
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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
+DocType: Repayment Schedule,Total Payment,Ukupno plaćeno
 DocType: POS Settings,POS Settings,POS podešavanja
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Iznos nabavke
 DocType: Purchase Invoice Item,Valuation Rate,Prosječna nab. cijena
@@ -916,7 +918,7 @@
 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detalji o primarnom kontaktu
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Vezni dokument
 DocType: Account,Accounts,Računi
-,Requested,Tražena
+DocType: Loan Security Pledge,Requested,Tražena
 apps/erpnext/erpnext/controllers/selling_controller.py,{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
diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv
index 55f9794..e9df6f7 100644
--- a/erpnext/translations/sv.csv
+++ b/erpnext/translations/sv.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Möjlighet förlorad anledning
 DocType: Patient Appointment,Check availability,Kontrollera tillgänglighet
 DocType: Retention Bonus,Bonus Payment Date,Bonusbetalningsdatum
-DocType: Employee,Job Applicant,Arbetssökande
+DocType: Appointment Letter,Job Applicant,Arbetssökande
 DocType: Job Card,Total Time in Mins,Total tid i minuter
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Kontakt information
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Sök efter allt ...
 ,Stock and Account Value Comparison,Jämförelse av lager och konto
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Det utbetalda beloppet kan inte vara större än lånebeloppet
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Intresserad
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Öppning
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Giltig från tid måste vara mindre än giltig fram till tid.
 DocType: Item,Copy From Item Group,Kopiera från artikelgrupp
 DocType: Journal Entry,Opening Entry,Öppnings post
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Endast konto Pay
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Kvalitet
 DocType: Restaurant Table,No of Seats,Antal platser
+DocType: Loan Type,Grace Period in Days,Nådeperiod i dagar
 DocType: Sales Invoice,Overdue and Discounted,Försenade och rabatterade
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Tillgång {0} tillhör inte vårdnadshavaren {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Samtalet bröts
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Föreskrivna förfaranden
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Visa bara POS
 DocType: Supplier Group,Supplier Group Name,Leverantörsgruppsnamn
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markera närvaro som <b></b>
 DocType: Driver,Driving License Categories,Körkortskategorier
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Ange leveransdatum
 DocType: Depreciation Schedule,Make Depreciation Entry,Göra Av- Entry
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detaljer om de åtgärder som genomförs.
 DocType: Asset Maintenance Log,Maintenance Status,Underhåll Status
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artikel Skattebelopp ingår i värdet
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Lånesäkerhet unpledge
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Medlemsuppgifter
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverantör krävs mot betalkonto {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Produkter och prissättning
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Totalt antal timmar: {0}
+DocType: Loan,Loan Manager,Lånchef
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Från Datum bör ligga inom räkenskapsåret. Förutsatt Från Datum = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Intervall
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Uppdaterad via &quot;Time Log&quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Välj kund eller leverantör.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landskod i fil stämmer inte med landskod som ställts in i systemet
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Kontot {0} tillhör inte ett företag {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Välj endast en prioritet som standard.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Lämna Blockerad
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,bankAnteckningar
-DocType: Customer,Is Internal Customer,Är internkund
+DocType: Sales Invoice,Is Internal Customer,Är internkund
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materialförfrågan
 DocType: Bank Reconciliation,Update Clearance Date,Uppdatera Clearance Datum
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Kan inte skapa lån förrän ansökan har godkänts
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Korrekt
 DocType: Student Guardian,Mother,Mor
 DocType: Restaurant Reservation,Reservation End Time,Bokning Sluttid
+DocType: Salary Slip Loan,Loan Repayment Entry,Lånet återbetalning post
 DocType: Crop,Biennial,Tvåårig
 ,BOM Variance Report,BOM-variansrapport
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Bekräftade ordrar från kunder.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betalning mot {0} {1} inte kan vara större än utestående beloppet {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Alla hälsovårdstjänster
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Om konvertering av möjlighet
+DocType: Loan,Total Principal Paid,Totalt huvudsakligt betalt
 DocType: Bank Account,Address HTML,Adress HTML
 DocType: Lead,Mobile No.,Mobilnummer.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Betalningssätt
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Balans i basvaluta
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Nya Citat
+DocType: Loan Interest Accrual,Loan Interest Accrual,Låneränta
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Närvaro som inte lämnats in för {0} som {1} på ledighet.
 DocType: Journal Entry,Payment Order,Betalningsorder
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verifiera Email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Intäkter från andra källor
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",Om det är tomt kommer överföringskontot eller företagets standard att övervägas
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-post lönebesked till anställd baserat på föredragna e-post väljs i Employee
+DocType: Work Order,This is a location where operations are executed.,Detta är en plats där operationerna utförs.
 DocType: Tax Rule,Shipping County,Frakt County
 DocType: Currency Exchange,For Selling,För försäljning
 apps/erpnext/erpnext/config/desktop.py,Learn,Lär dig
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Tillämpad kupongkod
 DocType: Asset,Next Depreciation Date,Nästa Av- Datum
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Aktivitet Kostnad per anställd
+DocType: Loan Security,Haircut %,Frisyr %
 DocType: Accounts Settings,Settings for Accounts,Inställningar för konton
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Leverantör faktura nr existerar i inköpsfaktura {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Hantera Säljare.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ange hotellets rumspris på {}
 DocType: Journal Entry,Multi Currency,Flera valutor
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura Typ
+DocType: Loan,Loan Security Details,Lånesäkerhetsdetaljer
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Giltigt från datum måste vara mindre än giltigt fram till datum
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Undantag inträffade vid försoning av {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Ställ in accepterat lager
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Kräv laboratorietest godkännande
 DocType: Attendance,Working Hours,Arbetstimmar
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totalt Utestående
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-omvandlingsfaktor ({0} -&gt; {1}) hittades inte för artikeln: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ändra start / aktuella sekvensnumret av en befintlig serie.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Procentandel du får fakturera mer mot det beställda beloppet. Till exempel: Om ordervärdet är $ 100 för en artikel och toleransen är inställd på 10% får du fakturera $ 110.
 DocType: Dosage Strength,Strength,Styrka
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Fordons Datum
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampanjens e-postschema
 DocType: Student Log,Medical,Medicinsk
+DocType: Work Order,This is a location where scraped materials are stored.,Detta är en plats där skrotade material lagras.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Var god välj Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Bly Ägaren kan inte vara densamma som den ledande
 DocType: Announcement,Receiver,Mottagare
@@ -891,7 +903,7 @@
 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: BOM,Total Cost (Company Currency),Total kostnad (företagsvaluta)
-DocType: Loan,Total Payment,Total betalning
+DocType: Repayment Schedule,Total Payment,Total betalning
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO redan skapad för alla beställningsobjekt
@@ -917,6 +929,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Varna inköpsorder
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Hyrd från datum
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Tillräckligt med delar för att bygga
+DocType: Loan Security,Loan Security Code,Lånesäkerhetskod
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Spara först
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Föremål krävs för att dra råvarorna som är associerade med det.
 DocType: POS Profile User,POS Profile User,POS Profil Användare
@@ -975,6 +988,7 @@
 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,Stock Entries already created for Work Order ,Lagerinmatningar som redan har skapats för arbetsorder
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Produktkod&gt; Produktgrupp&gt; Märke
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Se tidigare order
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} konversationer
 DocType: Vital Signs,Respiratory rate,Andningsfrekvens
@@ -1007,7 +1021,6 @@
 DocType: Company,Delete Company Transactions,Radera Företagstransactions
 DocType: Production Plan Item,Quantity and Description,Kvantitet och beskrivning
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referensnummer och referens Datum är obligatorisk för Bank transaktion
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ange Naming Series för {0} via Setup&gt; Inställningar&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lägg till / redigera skatter och avgifter
 DocType: Payment Entry Reference,Supplier Invoice No,Leverantörsfaktura Nej
 DocType: Territory,For reference,Som referens
@@ -1038,6 +1051,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Skatteavdragskonto
 DocType: Pricing Rule,Sales Partner,Försäljnings Partner
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alla leverantörs scorecards.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Beställningssumma
+DocType: Loan,Disbursed Amount,Utbetalat belopp
 DocType: Buying Settings,Purchase Receipt Required,Inköpskvitto Krävs
 DocType: Sales Invoice,Rail,Järnväg
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Verklig kostnad
@@ -1078,6 +1093,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Ansluten till QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vänligen identifiera / skapa konto (Ledger) för typ - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Betalningskonto
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Kontot är obligatoriskt för att få inbetalningar
 DocType: Payment Entry,Type of Payment,Typ av betalning
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halvdagsdatum är obligatorisk
 DocType: Sales Order,Billing and Delivery Status,Fakturering och leveransstatus
@@ -1116,7 +1132,7 @@
 DocType: Purchase Order Item,Billed Amt,Fakturerat ant.
 DocType: Training Result Employee,Training Result Employee,Utbildning Resultat anställd
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Ett logiskt lager mot vilken lagerposter görs.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Kapitalbelopp
+DocType: Repayment Schedule,Principal Amount,Kapitalbelopp
 DocType: Loan Application,Total Payable Interest,Totalt betalas ränta
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totalt utestående: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Öppen kontakt
@@ -1130,6 +1146,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Ett fel uppstod under uppdateringsprocessen
 DocType: Restaurant Reservation,Restaurant Reservation,Restaurangbokning
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Dina artiklar
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverantör&gt; Leverantörstyp
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Förslagsskrivning
 DocType: Payment Entry Deduction,Payment Entry Deduction,Betalning Entry Avdrag
 DocType: Service Level Priority,Service Level Priority,Servicenivåprioritet
@@ -1163,6 +1180,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Skapa studentgrupper
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Skapa studentgrupper
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betalning Gateway konto inte skapat, vänligen skapa ett manuellt."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Grupplager kan inte användas i transaktioner. Ändra värdet på {0}
 DocType: Supplier Scorecard,Per Year,Per år
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Inte berättigad till antagning i detta program enligt DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rad nr {0}: Det går inte att radera artikel {1} som tilldelas kundens inköpsorder.
@@ -1287,7 +1305,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",När du skapar konto för barnföretag {0} hittades inte moderkonto {1}. Skapa det överordnade kontot i motsvarande COA
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Delat utgåva
 DocType: Student Attendance,Student Attendance,Student Närvaro
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Inga data att exportera
 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
@@ -1300,6 +1317,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktiskt leveransdatum
 DocType: Lab Test,Test Template,Testmall
+DocType: Loan Security Pledge,Securities,värdepapper
 DocType: Restaurant Order Entry Item,Served,Serveras
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Kapitelinformation.
 DocType: Account,Accounts,Konton
@@ -1394,6 +1412,7 @@
 DocType: Inpatient Record,O Negative,O Negativ
 DocType: Work Order Operation,Planned End Time,Planerat Sluttid
 DocType: POS Profile,Only show Items from these Item Groups,Visa endast artiklar från dessa artikelgrupper
+DocType: Loan,Is Secured Loan,Är säkrat lån
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Memebership Type Detaljer
 DocType: Delivery Note,Customer's Purchase Order No,Kundens inköpsorder Nr
@@ -1430,6 +1449,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Få från patientmötet
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-omvandlingsfaktor ({0} -&gt; {1}) hittades inte för artikeln: {2}
 DocType: Subscriber,Subscriber,Abonnent
 DocType: Item Attribute Value,Item Attribute Value,Produkt Attribut Värde
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,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.
@@ -1509,6 +1529,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Inget Tillstånd
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Checklista för kontraktsuppfyllelse
 DocType: Vital Signs,Heart Rate / Pulse,Hjärtfrekvens / puls
+DocType: Customer,Default Company Bank Account,Standardföretagets bankkonto
 DocType: Supplier,Default Bank Account,Standard bankkonto
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","För att filtrera baserat på partiet, väljer Party Typ först"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Uppdatera lager"" kan inte klaras av eftersom objekt inte levereras via {0}"
@@ -1626,7 +1647,6 @@
 DocType: Sales Team,Incentives,Sporen
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Värden utan synk
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Skillnadsvärde
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ställ in numreringsserier för närvaro via Setup&gt; Numbering Series
 DocType: SMS Log,Requested Numbers,Begärda nummer
 DocType: Volunteer,Evening,Kväll
 DocType: Quiz,Quiz Configuration,Quizkonfiguration
@@ -1646,6 +1666,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,På föregående v Totalt
 DocType: Purchase Invoice Item,Rejected Qty,Avvisad Antal
 DocType: Setup Progress Action,Action Field,Åtgärdsområde
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Låntyp för ränta och straff
 DocType: Healthcare Settings,Manage Customer,Hantera kund
 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
@@ -1657,6 +1678,7 @@
 ,Final Assessment Grades,Final Assessment Grades
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Namnet på ditt företag som du ställer in det här systemet.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Inkludera semester i Totalt antal. Arbetsdagar
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Av total summan
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Ställ in ditt institut i ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Växtanalys
 DocType: Task,Timeline,tidslinje
@@ -1664,9 +1686,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativ artikel
 DocType: Shopify Log,Request Data,Förfrågningsuppgifter
 DocType: Employee,Date of Joining,Datum för att delta
+DocType: Delivery Note,Inter Company Reference,Inter Company Reference
 DocType: Naming Series,Update Series,Uppdatera Serie
 DocType: Supplier Quotation,Is Subcontracted,Är utlagt
 DocType: Restaurant Table,Minimum Seating,Minsta sätet
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Frågan kan inte dupliceras
 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,Purchase Receipt,Inköpskvitto
@@ -1768,6 +1792,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synkroniserings Offline fakturor
 DocType: Payment Request,Paid,Betalats
 DocType: Service Level,Default Priority,Standardprioritet
+DocType: Pledge,Pledge,Lova
 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."
@@ -1781,6 +1806,7 @@
 DocType: Guardian,Guardian Name,Guardian Namn
 DocType: Cheque Print Template,Has Print Format,Har Utskriftsformat
 DocType: Support Settings,Get Started Sections,Kom igång sektioner
+,Loan Repayment and Closure,Lånåterbetalning och stängning
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-bly-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,sanktionerade
 ,Base Amount,Basbelopp
@@ -1791,10 +1817,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Från plats
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Lånebeloppet kan inte vara större än {0}
 DocType: Student Admission,Publish on website,Publicera på webbplats
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverantörsfakturor Datum kan inte vara större än Publiceringsdatum
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Produktkod&gt; Produktgrupp&gt; Märke
 DocType: Subscription,Cancelation Date,Avbokningsdatum
 DocType: Purchase Invoice Item,Purchase Order Item,Inköpsorder Artikeln
 DocType: Agriculture Task,Agriculture Task,Jordbruksuppgift
@@ -1813,7 +1839,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Ytterligare rabatt Procent
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Visa en lista över alla hjälp videos
 DocType: Agriculture Analysis Criteria,Soil Texture,Marktextur
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Välj konto chefen för banken, där kontrollen avsattes."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Tillåt användare att redigera prislista i transaktioner
 DocType: Pricing Rule,Max Qty,Max Antal
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Skriv ut rapportkort
@@ -1948,7 +1973,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",När den är inställd kommer den här fakturan att vara kvar tills det angivna datumet
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Försäljningsbelopp
-DocType: Repayment Schedule,Interest Amount,räntebelopp
+DocType: Loan Interest Accrual,Interest Amount,räntebelopp
 DocType: Job Card,Time Logs,Tid loggar
 DocType: Sales Invoice,Loyalty Amount,Lojalitetsbelopp
 DocType: Employee Transfer,Employee Transfer Detail,Anställningsöverföringsdetalj
@@ -1963,6 +1988,7 @@
 DocType: Cashier Closing,Returns,avkastning
 DocType: Job Card,WIP Warehouse,WIP Lager
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Löpnummer {0} är under underhållsavtal upp {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Sanktionerad beloppgräns för {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Rekrytering
 DocType: Lead,Organization Name,Organisationsnamn
 DocType: Support Settings,Show Latest Forum Posts,Visa senaste foruminlägg
@@ -1989,7 +2015,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Inköpsorder Föremål Försenade
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Postnummer
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Kundorder {0} är {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Göra Stock Inlägg
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Kan inte marknadsföra Medarbetare med status Vänster
@@ -2075,7 +2100,6 @@
 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,Start Year,Start Year
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Skapa lån
 DocType: Purchase Invoice,Start date of current invoice's period,Startdatum för aktuell faktura period
 DocType: Shift Type,Process Attendance After,Process Deltagande efter
 ,IRS 1099,IRS 1099
@@ -2096,6 +2120,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Välj domäner
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Leverantör
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalningsfakturaobjekt
+DocType: Repayment Schedule,Is Accrued,Är upplupna
 DocType: Payroll Entry,Employee Details,Anställdas detaljer
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Bearbetar XML-filer
 DocType: Amazon MWS Settings,CN,CN
@@ -2127,6 +2152,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Lojalitetspoäng inträde
 DocType: Employee Checkin,Shift End,Shift End
 DocType: Stock Settings,Default Item Group,Standard Varugrupp
+DocType: Loan,Partially Disbursed,delvis Utbetalt
 DocType: Job Card Time Log,Time In Mins,Tid i min
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Bevilja information.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Den här åtgärden kommer att koppla bort detta konto från alla externa tjänster som integrerar ERPNext med dina bankkonton. Det kan inte bli ogjort. Är du säker ?
@@ -2142,6 +2168,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Samma post kan inte anges flera gånger.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Lånestängning
 DocType: Call Log,Lead,Prospekt
 DocType: Email Digest,Payables,Skulder
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2175,6 +2202,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Arbetstagarskatt och förmåner
 DocType: Bank Guarantee,Validity in Days,Giltighet i dagar
 DocType: Bank Guarantee,Validity in Days,Giltighet i dagar
+DocType: Unpledge,Haircut,Frisyr
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-formen är inte tillämplig för faktura: {0}
 DocType: Certified Consultant,Name of Consultant,Namn på konsult
 DocType: Payment Reconciliation,Unreconciled Payment Details,Sonade Betalningsinformation
@@ -2228,7 +2256,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Resten av världen
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Item {0} kan inte ha Batch
 DocType: Crop,Yield UOM,Utbyte UOM
+DocType: Loan Security Pledge,Partially Pledged,Delvis pantsatt
 ,Budget Variance Report,Budget Variationsrapport
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Sanktionerat lånebelopp
 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,Get Items from Healthcare Services,Få artiklar från sjukvårdstjänster
@@ -2263,6 +2293,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Nytt kvalitetsförfarande
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo konto {0} måste alltid vara {1}
 DocType: Patient Appointment,More Info,Mer Information
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Födelsedatum kan inte vara större än anslutningsdatum.
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard Actions
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverantör {0} finns inte i {1}
 DocType: Purchase Invoice,Rejected Warehouse,Avvisat Lager
@@ -2359,6 +2390,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Vänligen ange produktkoden först
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Typ
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Lånesäkerhetslöfte skapad: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Möten och patientmöten
@@ -2414,6 +2446,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Antal samtidiga möten
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Komma igång
 DocType: Purchase Invoice,Taxes and Charges Calculation,Skatter och avgifter Beräkning
+DocType: Loan Interest Accrual,Payable Principal Amount,Betalningsbart huvudbelopp
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bokförtillgodskrivning automatiskt
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bokförtillgodskrivning automatiskt
 DocType: BOM Operation,Workstation,Arbetsstation
@@ -2451,7 +2484,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Mat
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Åldringsräckvidd 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-slutkupongdetaljer
-DocType: Bank Account,Is the Default Account,Är standardkontot
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Ingen kommunikation hittades.
 DocType: Inpatient Occupancy,Check In,Checka in
@@ -2509,12 +2541,14 @@
 DocType: Sales Order Item,Planned Quantity,Planerad Kvantitet
 DocType: Water Analysis,Water Analysis Criteria,Vattenanalysskriterier
 DocType: Item,Maintain Stock,Behåll Lager
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge Time
 DocType: Terms and Conditions,Applicable Modules,Tillämpliga moduler
 DocType: Employee,Prefered Email,Föredragen E
 DocType: Student Admission,Eligibility and Details,Behörighet och detaljer
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Ingår i bruttovinsten
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,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,Reqd Qty,Reqd Antal
+DocType: Work Order,This is a location where final product stored.,Detta är en plats där slutprodukten lagras.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Från Daterad tid
@@ -2555,8 +2589,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garanti / AMC Status
 ,Accounts Browser,Konton Webbläsare
 DocType: Procedure Prescription,Referral,remiss
+,Territory-wise Sales,Territorisk visad försäljning
 DocType: Payment Entry Reference,Payment Entry Reference,Betalning Entry Referens
 DocType: GL Entry,GL Entry,GL Entry
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Rad # {0}: Accepterat lager och leverantörslager kan inte vara samma
 DocType: Support Search Source,Response Options,Svaralternativ
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Tillämpa flera prissättningsregler
 DocType: HR Settings,Employee Settings,Personal Inställningar
@@ -2616,6 +2652,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Jordbruk (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Följesedel
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ange Naming Series för {0} via Setup&gt; Inställningar&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Kontorshyra
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Setup SMS-gateway-inställningar
 DocType: Disease,Common Name,Vanligt namn
@@ -2632,6 +2669,7 @@
 DocType: Item,Sales Details,Försäljnings Detaljer
 DocType: Coupon Code,Used,Begagnade
 DocType: Opportunity,With Items,Med artiklar
+DocType: Vehicle Log,last Odometer Value ,sista kilometervärde
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampanjen &#39;{0}&#39; finns redan för {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Underhållsteam
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Ordning i vilka avsnitt som ska visas. 0 är först, 1 är andra och så vidare."
@@ -2642,7 +2680,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Räkningen {0} finns redan för fordons Log
 DocType: Asset Movement Item,Source Location,Källa Plats
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Namn
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Ange återbetalningsbeloppet
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Ange återbetalningsbeloppet
 DocType: Shift Type,Working Hours Threshold for Absent,Tröskel för arbetstid för frånvarande
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Det kan vara en multipelbaserad insamlingsfaktor baserat på den totala spenderingen. Men konverteringsfaktorn för inlösen kommer alltid att vara densamma för alla nivåer.
 apps/erpnext/erpnext/config/help.py,Item Variants,Produkt Varianter
@@ -2666,6 +2704,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} måste vara mindre än {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Välj först sökande
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Välj BOM, antal och för lager"
 DocType: GST HSN Code,GST HSN Code,GST HSN-kod
 DocType: Employee External Work History,Total Experience,Total Experience
@@ -2756,7 +2795,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Ingen aktiv BOM hittades för objektet {0}. Leverans med \ Serienummer kan inte garanteras
 DocType: Sales Partner,Sales Partner Target,Sales Partner Target
-DocType: Loan Type,Maximum Loan Amount,Maximala lånebeloppet
+DocType: Loan Application,Maximum Loan Amount,Maximala lånebeloppet
 DocType: Coupon Code,Pricing Rule,Prissättning Regel
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Dubbelnummer för student {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Dubbelnummer för student {0}
@@ -2780,6 +2819,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Lämnar Avsatt framgångsrikt för {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Inga produkter att packa
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Endast .csv- och .xlsx-filer stöds för närvarande
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Installera anställdes namngivningssystem i personalresurser&gt; HR-inställningar
 DocType: Shipping Rule Condition,From Value,Från Värde
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Tillverknings Kvantitet är obligatorisk
 DocType: Loan,Repayment Method,återbetalning Metod
@@ -2863,6 +2903,7 @@
 DocType: Customer,Customer POS Id,Kundens POS-ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student med e-post {0} finns inte
 DocType: Account,Account Name,Kontonamn
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Sanktionerat lånebelopp finns redan för {0} mot företag {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Från Datum kan inte vara större än Till Datum
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} kvantitet {1} inte kan vara en fraktion
 DocType: Pricing Rule,Apply Discount on Rate,Tillämpa rabatt på pris
@@ -2934,6 +2975,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Nettoförtjänst
 DocType: Purchase Invoice,Eligibility For ITC,Stödberättigande för ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,Entry Type
 ,Customer Credit Balance,Kund tillgodohavande
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto Förändring av leverantörsskulder
@@ -2945,6 +2987,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Deltagande enhets-ID (biometrisk / RF-tag-ID)
 DocType: Quotation,Term Details,Term Detaljer
 DocType: Item,Over Delivery/Receipt Allowance (%),Överleverans / kvittobidrag (%)
+DocType: Appointment Letter,Appointment Letter Template,Utnämningsbrevmall
 DocType: Employee Incentive,Employee Incentive,Anställdas incitament
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Totalt (utan skatt)
@@ -2969,6 +3012,7 @@
 					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
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Bort länken Betalning på Indragning av faktura
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Processlån Ränteöverföring
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Nuvarande vägmätare läsning deltagare bör vara större än initial Vägmätarvärde {0}
 ,Purchase Order Items To Be Received or Billed,Beställningsobjekt som ska tas emot eller faktureras
 DocType: Restaurant Reservation,No Show,Icke infinnande
@@ -3055,6 +3099,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Kostnadsställe krävs för ""Resultaträkning"" konto {2}. Ange ett standardkostnadsställe för bolaget."
 DocType: Payment Schedule,Payment Term,Betalningsvillkor
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,En kundgrupp finns redan med samma namn. Vänligen ändra kundens namn eller byt namn på kundgruppen
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Slutdatum för antagning bör vara större än startdatum för antagning.
 DocType: Location,Area,Område
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Ny kontakt
 DocType: Company,Company Description,Företagsbeskrivning
@@ -3130,6 +3175,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappad data
 DocType: Purchase Order Item,Warehouse and Reference,Lager och referens
 DocType: Payroll Period Date,Payroll Period Date,Lön Period Period
+DocType: Loan Disbursement,Against Loan,Mot lån
 DocType: Supplier,Statutory info and other general information about your Supplier,Lagstadgad information och annan allmän information om din leverantör
 DocType: Item,Serial Nos and Batches,Serienummer och partier
 DocType: Item,Serial Nos and Batches,Serienummer och partier
@@ -3198,6 +3244,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Välj ett företag
 DocType: Delivery Settings,Delivery Settings,Leveransinställningar
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hämta data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Det går inte att ange mer än {0} antal {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Max tillåten semester i ledighetstyp {0} är {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicera en artikel
 DocType: SMS Center,Create Receiver List,Skapa Mottagare Lista
@@ -3346,6 +3393,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Basbelopp (företagets valuta)
 DocType: Purchase Invoice,Registered Regular,Registrerad regelbunden
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Råmaterial
+DocType: Plaid Settings,sandbox,sandlåda
 DocType: Payment Reconciliation Payment,Reference Row,referens Row
 DocType: Installation Note,Installation Time,Installationstid
 DocType: Sales Invoice,Accounting Details,Redovisning Detaljer
@@ -3358,12 +3406,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Överföringstyp
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Acceptanskriterier
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Ange Material Begäran i ovanstående tabell
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Total Betalbelopp
 DocType: Task,Expected Time (in hours),Förväntad tid (i timmar)
 DocType: Item Reorder,Check in (group),Checka in (grupp)
 DocType: Soil Texture,Silt,Slam
@@ -3394,6 +3441,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Avdragsskatt för ej inlämnad skattebefrielse bevis
 DocType: Volunteer,Anytime,när som helst
 DocType: Bank Account,Bank Account No,Bankkontonummer
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Utbetalning och återbetalning
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Anmälan om anställningsskattbefrielse
 DocType: Patient,Surgical History,Kirurgisk historia
 DocType: Bank Statement Settings Item,Mapped Header,Mapped Header
@@ -3458,6 +3506,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Skapa Lab Test (s) på Försäljningsfaktura Skicka
 DocType: Serial No,Invoice Details,Faktura detaljer
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Lönestruktur måste lämnas in innan skattereduceringsdeklarationen lämnas in
+DocType: Loan Application,Proposed Pledges,Föreslagna pantsättningar
 DocType: Grant Application,Show on Website,Visa på hemsidan
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Börja på
 DocType: Hub Tracked Item,Hub Category,Navkategori
@@ -3469,7 +3518,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverantörs Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials hittades inte för objektet {1}
 DocType: Contract Fulfilment Checklist,Requirement,Krav
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Installera anställdes namngivningssystem i mänskliga resurser&gt; HR-inställningar
 DocType: Journal Entry,Accounts Receivable,Kundreskontra
 DocType: Quality Goal,Objectives,mål
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roll tillåten för att skapa backdaterad lämna ansökan
@@ -3482,6 +3530,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Inkludera avstämnignsanteckningar
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Det totala tilldelade beloppet ({0}) är högre än det betalda beloppet ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Fördela avgifter som grundas på
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Det betalda beloppet kan inte vara mindre än {0}
 DocType: Projects Settings,Timesheets,tidrapporter
 DocType: HR Settings,HR Settings,HR Inställningar
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Bokföringsmästare
@@ -3627,6 +3676,7 @@
 DocType: Employee,Health Insurance,Hälsoförsäkring
 DocType: Asset Repair,Manufacturing Manager,Tillverkningsansvarig
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Löpnummer {0} är under garanti upp till {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Lånebeloppet överstiger det maximala lånebeloppet på {0} enligt föreslagna värdepapper
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minsta tillåtet värde
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Användaren {0} finns redan
 apps/erpnext/erpnext/hooks.py,Shipments,Transporter
@@ -3671,7 +3721,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Typ av företag
 DocType: Sales Invoice,Consumer,Konsument
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Välj tilldelade beloppet, Faktura Typ och fakturanumret i minst en rad"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Ange Naming Series för {0} via Setup&gt; Inställningar&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostnader för nya inköp
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Kundorder krävs för punkt {0}
 DocType: Grant Application,Grant Description,Grant Beskrivning
@@ -3680,6 +3729,7 @@
 DocType: Subscription,Discounts,rabatter
 DocType: Bank Transaction,Unallocated Amount,oallokerad Mängd
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Vänligen aktivera Gäller på inköpsorder och gäller vid bokning av faktiska utgifter
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} är inte ett företagets bankkonto
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Det går inte att hitta en matchande objekt. Välj något annat värde för {0}.
 DocType: POS Profile,Taxes and Charges,Skatter och avgifter
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","En produkt eller en tjänst som köps, säljs eller hålls i lager."
@@ -3730,6 +3780,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Giltig från datum måste vara mindre än giltig till datum.
 DocType: Employee Skill,Evaluation Date,Utvärderingsdatum
 DocType: Quotation Item,Stock Balance,Lagersaldo
+DocType: Loan Security Pledge,Total Security Value,Totalt säkerhetsvärde
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Kundorder till betalning
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,vd
 DocType: Purchase Invoice,With Payment of Tax,Med betalning av skatt
@@ -3742,6 +3793,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Kontot {0} finns inte i översiktsdiagrammet {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Visa variantegenskaper
@@ -3823,6 +3875,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Nuvarande värderingensomsättning
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Antalet root-konton kan inte vara mindre än 4
 DocType: Training Event,Advance,Förskott
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Mot lån:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless betalnings gateway-inställningar
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Exchange vinst / förlust
 DocType: Opportunity,Lost Reason,Förlorad Anledning
@@ -3907,8 +3960,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Välj batchnummer
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Ogiltigt {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Rad {0}: Syskon födelsedatum kan inte vara större än idag.
 DocType: Fee Validity,Reference Inv,Referens Inv
 DocType: Sales Invoice Advance,Advance Amount,Förskottsmängd
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Straffränta (%) per dag
 DocType: Manufacturing Settings,Capacity Planning,Kapacitetsplanering
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Avrundningsjustering (Företagsvaluta
 DocType: Asset,Policy number,Försäkringsnummer
@@ -3924,7 +3979,9 @@
 DocType: Normal Test Items,Require Result Value,Kräver resultatvärde
 DocType: Purchase Invoice,Pricing Rules,Priseregler
 DocType: Item,Show a slideshow at the top of the page,Visa ett bildspel på toppen av sidan
+DocType: Appointment Letter,Body,Kropp
 DocType: Tax Withholding Rate,Tax Withholding Rate,Skattesats
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Startdatum för återbetalning är obligatoriskt för lån
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,stycklistor
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Butiker
@@ -3944,7 +4001,7 @@
 DocType: Call Log,Received By,Mottaget av
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Utnämningstid (inom några minuter)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kassaflödesmallar Detaljer
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lånhantering
+DocType: Loan,Loan Management,Lånhantering
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Spåra separat intäkter och kostnader för produkt vertikaler eller divisioner.
 DocType: Rename Tool,Rename Tool,Ändrings Verktyget
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Uppdatera Kostnad
@@ -3952,6 +4009,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Form
 DocType: Sales Invoice,Mode of Transport,Transportsätt
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Visa lönebesked
+DocType: Loan,Is Term Loan,Är terminlån
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfermaterial
 DocType: Fees,Send Payment Request,Skicka betalningsförfrågan
 DocType: Travel Request,Any other details,Eventuella detaljer
@@ -3969,6 +4027,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Kassaflöde från finansiering
 DocType: Budget Account,Budget Account,budget-konto
 DocType: Quality Inspection,Verified By,Verifierad Av
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Lägg till säkerhetslån
 DocType: Travel Request,Name of Organizer,Organisatorens namn
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Det går inte att ändra bolagets standardvaluta, eftersom det redan finns transaktioner. Transaktioner måste avbokas att ändra valuta."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Är inkomstskattansvar
@@ -4019,6 +4078,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Obligatorisk På
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Om markerat, döljer och inaktiverar fältet Avrundat totalt i lönesedlar"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Detta är standardförskjutningen (dagar) för leveransdatum i försäljningsorder. Återkopplingsförskjutningen är 7 dagar från beställningsdatumet.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ställ in numreringsserier för närvaro via Setup&gt; Numbering Series
 DocType: Rename Tool,File to Rename,Fil att byta namn på
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Välj BOM till punkt i rad {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Hämta prenumerationsuppdateringar
@@ -4031,6 +4091,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serienummer skapade
 DocType: POS Profile,Applicable for Users,Gäller för användare
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Från datum och datum är obligatoriskt
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Ställer du projekt och alla uppgifter till status {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Ställ in förskott och fördela (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Inga arbetsorder skapade
@@ -4040,6 +4101,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artiklar av
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kostnad för köpta varor
 DocType: Employee Separation,Employee Separation Template,Medarbetarens separationsmall
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Nollantal {0} pantsatt mot lån {0}
 DocType: Selling Settings,Sales Order Required,Kundorder krävs
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Bli en säljare
 ,Procurement Tracker,Upphandlingsspårare
@@ -4138,11 +4200,12 @@
 ,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,Total Absent,Totalt Frånvarande
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Betalningsbart belopp
+DocType: Loan Repayment,Payable Amount,Betalningsbart belopp
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Möjlighet
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maxstyrkan kan inte vara mindre än noll.
 DocType: Options,Option,Alternativ
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Du kan inte skapa bokföringsposter under den stängda bokföringsperioden {0}
 DocType: Operation,Default Workstation,Standard arbetsstation
@@ -4184,6 +4247,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Ränta Belopp är obligatoriskt
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Nästa steg
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Sparade objekt
@@ -4235,8 +4299,6 @@
 DocType: Grant Application,Grant Application Details ,Ange ansökningsdetaljer
 DocType: Employee Separation,Employee Separation,Anställd separering
 DocType: BOM Item,Original Item,Ursprunglig artikel
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Radera anställden <a href=""#Form/Employee/{0}"">{0}</a> \ för att avbryta detta dokument"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Arvodes Records Skapad - {0}
 DocType: Asset Category Account,Asset Category Account,Tillgångsslag konto
@@ -4272,6 +4334,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labtestobjekt {0} finns redan
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} håller företaget stängt
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturerbara timmar
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Straffräntan tas ut på det pågående räntebeloppet dagligen vid försenad återbetalning
+DocType: Appointment Letter content,Appointment Letter content,Utnämningsbrev Innehåll
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Lämna statusmeddelande
 DocType: Patient Appointment,Procedure Prescription,Förfarande recept
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Möbler och inventarier
@@ -4291,7 +4355,7 @@
 DocType: Opportunity,Customer / Lead Name,Kund / Huvudnamn
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Utförsäljningsdatum inte nämnt
 DocType: Payroll Period,Taxable Salary Slabs,Skattepliktiga löneskivor
-DocType: Job Card,Production,Produktion
+DocType: Plaid Settings,Production,Produktion
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ogiltig GSTIN! Ingången du har angett stämmer inte med formatet för GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Kontovärde
 DocType: Guardian,Occupation,Ockupation
@@ -4437,6 +4501,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Lojalitetsprogram Samling
 DocType: Stock Entry Detail,Subcontracted Item,Underleverantörsartikel
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Student {0} tillhör inte gruppen {1}
+DocType: Appointment Letter,Appointment Date,Utnämningsdagen
 DocType: Budget,Cost Center,Kostnadscenter
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Rabatt #
 DocType: Tax Rule,Shipping Country,Frakt Land
@@ -4507,6 +4572,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Redovisningsdimension
 ,Profit and Loss Statement,Resultaträkning
 DocType: Bank Reconciliation Detail,Cheque Number,Check Nummer
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Betalt belopp kan inte vara noll
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Föremålet som nämns av {0} - {1} faktureras redan
 ,Sales Browser,Försäljnings Webbläsare
 DocType: Journal Entry,Total Credit,Total Credit
@@ -4611,6 +4677,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Lägg till / redigera kupongvillkor
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Utgift / Differens konto ({0}) måste vara ett ""vinst eller förlust"" konto"
 DocType: Stock Entry Detail,Stock Entry Child,Lagerinförande barn
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Lånesäkerhetslöftebolag och låneföretag måste vara samma
 DocType: Project,Copied From,Kopierad från
 DocType: Project,Copied From,Kopierad från
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura som redan skapats för alla faktureringstimmar
@@ -4619,6 +4686,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Är finansieringskostnad
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Närvaro för anställd {0} är redan märkt
 DocType: Packing Slip,If more than one package of the same type (for print),Om mer än ett paket av samma typ (för utskrift)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Installera instruktörens namngivningssystem i utbildning&gt; Utbildningsinställningar
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ange standardkund i Restauranginställningar
 ,Salary Register,lön Register
 DocType: Company,Default warehouse for Sales Return,Standardlager för återförsäljning
@@ -4663,7 +4731,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Aktuellt serienummer
 DocType: Employee,Attendance and Leave Details,Information om närvaro och lämna
 ,BOM Comparison Tool,BOM-jämförelseverktyg
-,Requested,Begärd
+DocType: Loan Security Pledge,Requested,Begärd
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4675,7 +4743,6 @@
 DocType: Drug Prescription,Drug Prescription,Drug Prescription
 DocType: Service Level,Support and Resolution,Support och upplösning
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Gratis artikelkod är inte vald
-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
@@ -4709,6 +4776,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Du har redan bedömt för bedömningskriterierna {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Bristbelopp
 DocType: Vehicle Service,Engine Oil,Motorolja
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Arbetsorder skapade: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Ange ett e-post-id för Lead {0}
@@ -4727,6 +4795,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Kontot är inte inställt för instrumentpanelen {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Applicera ytterligare rabatt på
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Välj typ ...
+DocType: Loan Interest Accrual,Amounts,Belopp
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Dina biljetter
 DocType: Account,Root Type,Root Typ
 DocType: Item,FIFO,FIFO
@@ -4734,6 +4803,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Rad # {0}: Det går inte att returnera mer än {1} till artikel {2}
 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: Loan Security Price,Loan Security Price,Lånesäkerhetspris
 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,Target warehouse is mandatory for row {0},Target lager är obligatoriskt för rad {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Återförsäljare
@@ -4874,6 +4944,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch är obligatorisk i rad {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Batch är obligatorisk i rad {0}
 DocType: Company,Default Buying Terms,Standardköpvillkor
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Lånutbetalning
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Inköpskvitto Artikel Levereras
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktivera schemalagd synkronisering
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Till Datetime
@@ -4902,6 +4973,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ange värde mellan {0} och {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Ange namnet på kampanjen om källförfrågan är kampanjen
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Tidningsutgivarna
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Inget giltigt <b>lånesäkerhetspris</b> hittades för {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Framtida datum inte tillåtet
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Förväntad leveransdatum bör vara efter försäljningsbeställningsdatum
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Ombeställningsnivå
@@ -4968,6 +5040,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Förslag / pris offert
 DocType: Antibiotic,Healthcare,Sjukvård
 DocType: Target Detail,Target Detail,Måldetaljer
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Låneprocesser
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Enstaka variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,alla jobb
 DocType: Sales Order,% of materials billed against this Sales Order,% Av material faktureras mot denna kundorder
@@ -5031,7 +5104,7 @@
 DocType: Item,Reorder level based on Warehouse,Beställningsnivå baserat på Warehouse
 DocType: Activity Cost,Billing Rate,Faktureringsfrekvens
 ,Qty to Deliver,Antal att leverera
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Skapa bidrag till utbetalning
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Skapa bidrag till utbetalning
 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,Operations cannot be left blank,Verksamheten kan inte lämnas tomt
@@ -5065,6 +5138,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Koppla bort externa integrationer
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Välj en motsvarande betalning
 DocType: Pricing Rule,Item Code,Produktkod
+DocType: Loan Disbursement,Pending Amount For Disbursal,Väntande belopp för utbetalning
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Välj studenter manuellt för aktivitetsbaserad grupp
@@ -5090,6 +5164,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Antal totalt
 DocType: Landed Cost Item,Receipt Document,kvitto Dokument
 DocType: Employee Education,School/University,Skola / Universitet
+DocType: Loan Security Pledge,Loan  Details,Lånedetaljer
 DocType: Sales Invoice Item,Available Qty at Warehouse,Tillgång Antal vid Lager
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Fakturerat antal
 DocType: Share Transfer,(including),(inklusive)
@@ -5113,6 +5188,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Grupper
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupp per konto
 DocType: Purchase Invoice,Hold Invoice,Håll faktura
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Pantstatus
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Var god välj Medarbetare
 DocType: Sales Order,Fully Delivered,Fullt Levererad
 DocType: Promotional Scheme Price Discount,Min Amount,Min belopp
@@ -5122,7 +5198,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Betalats Beloppet får inte vara större än Loan Mängd {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rad {0} # Tilldelad mängd {1} kan inte vara större än oavkrävat belopp {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Inköpsordernr som krävs för punkt {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Skicka vidare ledighet
@@ -5150,6 +5225,7 @@
 DocType: Pick List Item,Serial No and Batch,Löpnummer och Batch
 DocType: Warranty Claim,From Company,Från Företag
 DocType: GSTR 3B Report,January,januari
+DocType: Loan Repayment,Principal Amount Paid,Huvudbelopp som betalats
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summan av Mängder av bedömningskriterier måste vara {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Ställ in Antal Avskrivningar bokat
 DocType: Supplier Scorecard Period,Calculations,beräkningar
@@ -5176,6 +5252,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Om ditt företag
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Visa lagringsalternativ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Tack till kontot måste vara ett balanskonto
+DocType: Loan Repayment,Penalty Amount,Straffbelopp
 DocType: Donor,Donor,Givare
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Uppdatera skatter för objekt
 DocType: Global Defaults,Disable In Words,Inaktivera uttrycker in
@@ -5206,6 +5283,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostnadscentrum och budgetering
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Ingående balans kapital
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Delvis betald post
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ställ in betalningsschemat
 DocType: Pick List,Items under this warehouse will be suggested,Föremål under detta lager kommer att föreslås
 DocType: Purchase Invoice,N,N
@@ -5239,7 +5317,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} hittades inte för objekt {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Värdet måste vara mellan {0} och {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Visa inklusiv skatt i tryck
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankkonto, från-datum och till-datum är obligatoriska"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Meddelande Skickat
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5253,6 +5330,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Aktivera automatisk ombeställning
 DocType: Stock Settings,Item Naming By,Produktnamn Genom
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},En annan period Utgående anteckning {0} har gjorts efter {1}
+DocType: Proposed Pledge,Proposed Pledge,Föreslagen pantsättning
 DocType: Work Order,Material Transferred for Manufacturing,Material Överfört för tillverkning
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Konto {0} existerar inte
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Välj Lojalitetsprogram
@@ -5263,7 +5341,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Inställning Händelser till {0}, eftersom personal bifogas nedan försäljare inte har en användar-ID {1}"
 DocType: Timesheet,Billing Details,Faktureringsuppgifter
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Källa och mål lager måste vara annorlunda
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Installera anställdes namngivningssystem i mänskliga resurser&gt; HR-inställningar
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betalning misslyckades. Kontrollera ditt GoCardless-konto för mer information
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ej tillåtet att uppdatera lagertransaktioner äldre än {0}
 DocType: Stock Entry,Inspection Required,Inspektion krävs
@@ -5276,6 +5353,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Leverans lager som krävs för Beställningsvara {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruttovikten på paketet. Vanligtvis nettovikt + förpackningsmaterial vikt. (För utskrift)
 DocType: Assessment Plan,Program,Program
+DocType: Unpledge,Against Pledge,Mot pant
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Användare med den här rollen får ställa frysta konton och skapa / ändra bokföringsposter mot frysta konton
 DocType: Plaid Settings,Plaid Environment,Plädmiljö
 ,Project Billing Summary,Projekt faktureringsöversikt
@@ -5328,6 +5406,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partier
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Antal dagars möten kan bokas i förväg
 DocType: Article,LMS User,LMS-användare
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Lånsäkerhetslöfte är obligatoriskt för säkrat lån
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Leveransplats (staten / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Lager UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Inköpsorder {0} inte lämnad
@@ -5403,6 +5482,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Skapa jobbkort
 DocType: Quotation,Referral Sales Partner,Referensförsäljningspartner
 DocType: Quality Procedure Process,Process Description,Metodbeskrivning
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Det går inte att ta bort, lånets säkerhetsvärde är större än det återbetalda beloppet"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kund {0} är skapad.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,För närvarande finns inget på lager i något lager.
 ,Payment Period Based On Invoice Date,Betalningstiden Baserad på Fakturadatum
@@ -5423,7 +5503,7 @@
 DocType: Asset,Insurance Details,Insurance Information
 DocType: Account,Payable,Betalning sker
 DocType: Share Balance,Share Type,Share Type
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Ange återbetalningstider
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Ange återbetalningstider
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Gäldenär ({0})
 DocType: Pricing Rule,Margin,Marginal
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Nya kunder
@@ -5432,6 +5512,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Ändra POS-profil
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Antal eller belopp är obligatoriskt för lånets säkerhet
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance Datum
 DocType: Delivery Settings,Dispatch Notification Template,Dispatch Notification Template
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Utvärderingsrapport
@@ -5467,6 +5548,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Dela Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Försäljningsfaktura {0} skapad
 DocType: Employee,Confirmation Date,Bekräftelsedatum
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Radera anställden <a href=""#Form/Employee/{0}"">{0}</a> \ för att avbryta detta dokument"
 DocType: Inpatient Occupancy,Check Out,Checka ut
 DocType: C-Form,Total Invoiced Amount,Sammanlagt fakturerat belopp
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Antal kan inte vara större än Max Antal
@@ -5480,7 +5563,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,QuickBooks företags-ID
 DocType: Travel Request,Travel Funding,Resefinansiering
 DocType: Employee Skill,Proficiency,Skicklighet
-DocType: Loan Application,Required by Date,Krävs Datum
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Köp kvitto detalj
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,En länk till alla platser där grödor växer
 DocType: Lead,Lead Owner,Prospekt ägaren
@@ -5499,7 +5581,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuell BOM och Nya BOM kan inte vara samma
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Lön Slip ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum för pensionering måste vara större än Datum för att delta
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverantör&gt; Leverantörstyp
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Flera varianter
 DocType: Sales Invoice,Against Income Account,Mot Inkomst konto
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Levererad
@@ -5532,7 +5613,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Värderingsavgifter kan inte markerats som inklusive
 DocType: POS Profile,Update Stock,Uppdatera lager
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Betalningsinformation
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM betyg
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Läser uppladdad fil
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Stoppad Arbetsorder kan inte avbrytas, Avbryt den först för att avbryta"
@@ -5568,6 +5649,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maximal lånevärde
 ,Stock Ledger,Stock Ledger
 DocType: Company,Exchange Gain / Loss Account,Exchange vinst / förlust konto
 DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials
@@ -5575,6 +5657,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Syfte måste vara en av {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,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,Community Forum,Community Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Inga blad tilldelade anställda: {0} för lämna typ: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Faktisk antal i lager
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Faktisk antal i lager
 DocType: Homepage,"URL for ""All Products""",URL för &quot;Alla produkter&quot;
@@ -5677,7 +5760,6 @@
 DocType: Fee Schedule,Fee Schedule,avgift Schema
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Kolumnetiketter:
 DocType: Bank Transaction,Settled,Fast
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Utbetalningsdatum kan inte vara efter startdatum för återbetalning av lån
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,parametrar
 DocType: Company,Create Chart Of Accounts Based On,Skapa konto Baserad på
@@ -5697,6 +5779,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kreditgräns och betalningsvillkor
 DocType: Loyalty Program,Collection Rules,Samlingsregler
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Produkt 3
+DocType: Loan Security Shortfall,Shortfall Time,Bristtid
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Orderläggning
 DocType: Purchase Order,Customer Contact Email,Kundkontakt Email
 DocType: Warranty Claim,Item and Warranty Details,Punkt och garantiinformation
@@ -5716,12 +5799,14 @@
 DocType: Sales Person,Sales Person Name,Försäljnings Person Namn
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ange minst 1 faktura i tabellen
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Inget labtest skapat
+DocType: Loan Security Shortfall,Security Value ,Säkerhetsvärde
 DocType: POS Item Group,Item Group,Produkt Grupp
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentgrupp:
 DocType: Depreciation Schedule,Finance Book Id,Finans bok ID
 DocType: Item,Safety Stock,Säkerhetslager
 DocType: Healthcare Settings,Healthcare Settings,Sjukvård Inställningar
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Totalt tilldelade blad
+DocType: Appointment Letter,Appointment Letter,Mötesbrev
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Framsteg% för en uppgift kan inte vara mer än 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Innan avstämning
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Till {0}
@@ -5777,6 +5862,7 @@
 DocType: Stock Entry,From BOM,Från BOM
 DocType: Assessment Code,Assessment Code,bedömning kod
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grundläggande
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Låneansökningar från kunder och anställda.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Arkiv transaktioner före {0} är frysta
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Klicka på ""Skapa schema '"
 DocType: Job Card,Current Time,Aktuell tid
@@ -5803,7 +5889,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Bevilja
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Inga studentgrupper skapas.
 DocType: Purchase Invoice Item,Serial No,Serienummer
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Månatliga återbetalningen belopp kan inte vara större än Lånebelopp
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Månatliga återbetalningen belopp kan inte vara större än Lånebelopp
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Ange servicedetaljer först
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rad # {0}: Förväntad leveransdatum kan inte vara före inköpsdatum
 DocType: Purchase Invoice,Print Language,print Språk
@@ -5817,6 +5903,7 @@
 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,All Territories,Alla territorierna
+DocType: Plaid Settings,development,utveckling
 DocType: Lost Reason Detail,Lost Reason Detail,Förlorad anledning detalj
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Ogiltig blankettorder för den valda kunden och föremålet
@@ -5880,12 +5967,14 @@
 DocType: Staffing Plan Detail,Current Openings,Nuvarande öppningar
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kassaflöde från rörelsen
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST-belopp
+DocType: Vehicle Log,Current Odometer value ,Aktuellt kilometertalvärde
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Skapa student
 DocType: Asset Movement Item,Asset Movement Item,Objektrörelsepost
 DocType: Purchase Invoice,Shipping Rule,Frakt Regel
 DocType: Patient Relation,Spouse,Make
 DocType: Lab Test Groups,Add Test,Lägg till test
 DocType: Manufacturer,Limited to 12 characters,Begränsat till 12 tecken
+DocType: Appointment Letter,Closing Notes,Avslutande anteckningar
 DocType: Journal Entry,Print Heading,Utskrifts Rubrik
 DocType: Quality Action Table,Quality Action Table,Kvalitetstabell
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totalt kan inte vara noll
@@ -5953,6 +6042,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Totalt (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Identifiera / skapa konto (grupp) för typ - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Underhållning &amp; Fritid
+DocType: Loan Security,Loan Security,Lånsäkerhet
 ,Item Variant Details,Varianter av varianter
 DocType: Quality Inspection,Item Serial No,Produkt Löpnummer
 DocType: Payment Request,Is a Subscription,Är en prenumeration
@@ -5965,7 +6055,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Sent skede
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planerade och godkända datum kan inte vara mindre än idag
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Överföra material till leverantören
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nya Löpnummer kan inte ha Lager. Lagermåste ställas in av lagerpost eller inköpskvitto
 DocType: Lead,Lead Type,Prospekt Typ
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Skapa offert
@@ -5983,7 +6072,6 @@
 DocType: Leave Allocation,Leave Period,Lämningsperiod
 DocType: Item,Default Material Request Type,Standard Material Typ av förfrågan
 DocType: Supplier Scorecard,Evaluation Period,Utvärderingsperiod
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kund&gt; Kundgrupp&gt; Territorium
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Okänd
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbetsorder inte skapad
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6069,7 +6157,8 @@
 ,Customer-wise Item Price,Kundmässigt artikelpris
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Kassaflödesanalys
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ingen materiell förfrågan skapad
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeloppet kan inte överstiga Maximal låne Mängd {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeloppet kan inte överstiga Maximal låne Mängd {0}
+DocType: Loan,Loan Security Pledge,Lånesäkerhetslöfte
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Licens
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6087,6 +6176,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Prisrabatt
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Underhållsstatus måste avbrytas eller slutförts för att skicka in
 DocType: Amazon MWS Settings,US,oss
+DocType: Loan Security Pledge,Pledged,Ställda
 DocType: Holiday List,Add Weekly Holidays,Lägg till veckovisa helgdagar
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Rapportera objekt
 DocType: Staffing Plan Detail,Vacancies,Lediga platser
@@ -6105,7 +6195,6 @@
 DocType: Production Plan Item,Planned Start Date,Planerat startdatum
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Var god välj en BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Availed ITC Integrated Tax
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Skapa återbetalningsinmatning
 DocType: Purchase Order Item,Blanket Order Rate,Blankett Order Rate
 ,Customer Ledger Summary,Sammanfattning av kundbok
 apps/erpnext/erpnext/hooks.py,Certification,certifiering
@@ -6126,6 +6215,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Bedömning mall Titel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Kommersiell
 DocType: Patient,Alcohol Current Use,Alkoholströmanvändning
+DocType: Loan,Loan Closure Requested,Lånestängning begärdes
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Hus Hyresbetalningsbelopp
 DocType: Student Admission Program,Student Admission Program,Studentträningsprogram
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Skattebefrielse kategori
@@ -6149,6 +6239,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Försäljning
 DocType: Stock Entry Detail,Basic Amount,BASBELOPP
 DocType: Training Event,Exam,Examen
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Process Säkerhetsbrist
 DocType: Email Campaign,Email Campaign,E-postkampanj
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Marknadsfel
 DocType: Complaint,Complaint,Klagomål
@@ -6228,6 +6319,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Skicka in det här för att skapa anställningsrekordet
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Lånesäkerhetspris som överlappar med {0}
 DocType: Item Default,Item Default,Objektstandard
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Mellanstatliga leveranser
 DocType: Chapter Member,Leave Reason,Lämna anledning
@@ -6255,6 +6347,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Kupongen som används är {1}. Tillåten kvantitet är slut
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Vill du skicka in materialförfrågan
 DocType: Job Offer,Awaiting Response,Väntar på svar
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Lån är obligatoriskt
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Ovan
 DocType: Support Search Source,Link Options,Länkalternativ
@@ -6267,6 +6360,7 @@
 DocType: Training Event Employee,Optional,Frivillig
 DocType: Salary Slip,Earning & Deduction,Vinst &amp; Avdrag
 DocType: Agriculture Analysis Criteria,Water Analysis,Vattenanalys
+DocType: Pledge,Post Haircut Amount,Efter hårklippsmängd
 DocType: Sales Order,Skip Delivery Note,Hoppa över leveransanteckning
 DocType: Price List,Price Not UOM Dependent,Pris ej UOM beroende
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} varianter skapade.
@@ -6293,6 +6387,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Få artiklar från produkt Bundle
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Återbetalningsmetod är obligatorisk för lån
 DocType: Asset,Straight Line,Rak linje
 DocType: Project User,Project User,projektAnvändar
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Dela
@@ -6341,7 +6436,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Roll tillåtas att fastställa frysta konton och Redigera Frysta Inlägg
 DocType: Supplier Scorecard Scoring Variable,Path,Väg
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Det går inte att konvertera kostnadsställe till huvudbok då den har underordnade noder
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM-omvandlingsfaktor ({0} -&gt; {1}) hittades inte för artikeln: {2}
 DocType: Production Plan,Total Planned Qty,Totalt planerat antal
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaktioner har redan återkommit från uttalandet
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,öppnings Värde
@@ -6350,11 +6444,8 @@
 DocType: Material Request Plan Item,Required Quantity,Mängd som krävs
 DocType: Lab Test Template,Lab Test Template,Lab Test Template
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Redovisningsperioden överlappar med {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Leverantör&gt; Leverantörstyp
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Försäljningskonto
 DocType: Purchase Invoice Item,Total Weight,Totalvikt
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Radera anställden <a href=""#Form/Employee/{0}"">{0}</a> \ för att avbryta detta dokument"
 DocType: Pick List Item,Pick List Item,Välj listobjekt
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Försäljningsprovision
 DocType: Job Offer Term,Value / Description,Värde / Beskrivning
@@ -6401,6 +6492,7 @@
 DocType: Patient Encounter,Encounter Date,Mötesdatum
 DocType: Work Order,Update Consumed Material Cost In Project,Uppdatera förbrukat materialkostnad i projektet
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan inte väljas {1}
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Lån till kunder och anställda.
 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
@@ -6469,7 +6561,6 @@
 DocType: Contract,Signed On,Inloggad
 DocType: Bank Account,Party Type,Parti Typ
 DocType: Discounted Invoice,Discounted Invoice,Rabatterad faktura
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markera närvaro som <b></b>
 DocType: Payment Schedule,Payment Schedule,Betalningsplan
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ingen anställd hittades för det givna anställdas fältvärde. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Förkortning
@@ -6541,6 +6632,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Borgenärer
 DocType: Assessment Plan,Assessment Name,bedömning Namn
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Rad # {0}: Löpnummer är obligatorisk
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Beloppet {0} krävs för lånets stängning
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Produktvis Skatte Detalj
 DocType: Employee Onboarding,Job Offer,Jobberbjudande
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute Förkortning
@@ -6565,7 +6657,6 @@
 DocType: Purchase Order,To Receive,Att Motta
 DocType: Leave Period,Holiday List for Optional Leave,Semesterlista för valfritt semester
 DocType: Item Tax Template,Tax Rates,Skattesatser
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Produktkod&gt; Produktgrupp&gt; Märke
 DocType: Asset,Asset Owner,Tillgångsägare
 DocType: Item,Website Content,Webbplatsinnehåll
 DocType: Bank Account,Integration ID,Integrations-ID
@@ -6581,6 +6672,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synkroniseringsorder
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Order släppts för produktion.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Välj räkenskapsår ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Välj lånetyp för företag {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6609,6 +6701,7 @@
 DocType: Customer,Mention if non-standard receivable account,Nämn om icke-standardiserade fordran konto
 DocType: Bank,Plaid Access Token,Plaid Access Token
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Lägg till de övriga fördelarna {0} till någon av befintliga komponenter
+DocType: Bank Account,Is Default Account,Är standardkonto
 DocType: Journal Entry Account,If Income or Expense,Om intäkter eller kostnader
 DocType: Course Topic,Course Topic,Kursens ämne
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher alreday finns för {0} mellan datum {1} och {2}
@@ -6621,7 +6714,7 @@
 DocType: Disease,Treatment Task,Behandlingsuppgift
 DocType: Payment Order Reference,Bank Account Details,Bankkontouppgifter
 DocType: Purchase Order Item,Blanket Order,Blankett Order
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Återbetalningsbeloppet måste vara större än
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Återbetalningsbeloppet måste vara större än
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Skattefordringar
 DocType: BOM Item,BOM No,BOM nr
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Uppdatera detaljer
@@ -6678,6 +6771,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce-produkter
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Syntax error i formel eller tillstånd: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Punkt {0} ignoreras eftersom det inte är en lagervara
+,Loan Security Status,Lånsäkerhetsstatus
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","För att inte tillämpa prissättning regel i en viss transaktion, bör alla tillämpliga prissättning regler inaktiveras."
 DocType: Payment Term,Day(s) after the end of the invoice month,Dag (er) efter fakturamånadens slut
 DocType: Assessment Group,Parent Assessment Group,Parent Assessment Group
@@ -6692,7 +6786,6 @@
 DocType: Stock Entry Detail,Additional Cost,Extra kostnad
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Kan inte filtrera baserat på kupong nr om grupperad efter kupong
 DocType: Quality Inspection,Incoming,Inkommande
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Ställ in numreringsserier för närvaro via Setup&gt; Numbering Series
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standardskattmallar för försäljning och inköp skapas.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Bedömningsresultatrekord {0} existerar redan.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exempel: ABCD. #####. Om serier är inställda och batchnummer inte nämns i transaktioner, kommer automatiskt batchnummer att skapas baserat på denna serie. Om du alltid vill uttryckligen ange parti nr för det här objektet, lämna det här tomt. Obs! Den här inställningen kommer att prioriteras över namngivningssprefixet i lagerinställningar."
@@ -6703,8 +6796,10 @@
 DocType: Contract,Party User,Party-användare
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Tillgångar som inte skapats för <b>{0}</b> . Du måste skapa tillgångar manuellt.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Vänligen ange Företagets filter tomt om Group By är &quot;Company&quot;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kund&gt; Kundgrupp&gt; Territorium
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Publiceringsdatum kan inte vara framtida tidpunkt
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Rad # {0}: Löpnummer {1} inte stämmer överens med {2} {3}
+DocType: Loan Repayment,Interest Payable,Betalningsränta
 DocType: Stock Entry,Target Warehouse Address,Mållageradress
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Tillfällig ledighet
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Tiden före skiftets starttid under vilken anställdens incheckning övervägs för närvaro.
@@ -6833,6 +6928,7 @@
 DocType: Issue,Reset Service Level Agreement,Återställ avtal om servicenivå
 ,Sales Person-wise Transaction Summary,Försäljningen person visa transaktion Sammanfattning
 DocType: Training Event,Contact Number,Kontaktnummer
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Lånebelopp är obligatoriskt
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6881,6 +6977,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balans Antal
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Villkoren kommer att tillämpas på alla valda objekt kombinerade.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Mål kan inte vara tomt
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Felaktigt lager
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Inskrivning av studenter
 DocType: Item Group,Parent Item Group,Överordnad produktgrupp
 DocType: Appointment Type,Appointment Type,Avtalstyp
@@ -6935,10 +7032,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Genomsnitt
 DocType: Appointment,Appointment With,Möte med
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totala betalningsbeloppet i betalningsplanen måste vara lika med Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markera närvaro som <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Kundförsett objekt"" kan inte ha värderingskurs"
 DocType: Subscription Plan Detail,Plan,Planen
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Kontoutdrag balans per huvudbok
-DocType: Job Applicant,Applicant Name,Sökandes Namn
+DocType: Appointment Letter,Applicant Name,Sökandes Namn
 DocType: Authorization Rule,Customer / Item Name,Kund / artikelnamn
 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**. 
 
@@ -6982,11 +7080,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Fördelning
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Anställdestatus kan inte ställas in som &quot;Vänster&quot; eftersom följande anställda för närvarande rapporterar till den anställda:
-DocType: Journal Entry Account,Loan,Lån
+DocType: Loan Repayment,Amount Paid,Betald Summa
+DocType: Loan Security Shortfall,Loan,Lån
 DocType: Expense Claim Advance,Expense Claim Advance,Expense Claim Advance
 DocType: Lab Test,Report Preference,Rapportpreferens
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Frivillig information.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Projektledare
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Grupp efter kund
 ,Quoted Item Comparison,Citerade föremål Jämförelse
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Skicka
@@ -7006,6 +7106,7 @@
 DocType: Material Request Plan Item,Material Issue,Materialproblem
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratisobjekt inte fastställt i prisregeln {0}
 DocType: Employee Education,Qualification,Kvalifikation
+DocType: Loan Security Shortfall,Loan Security Shortfall,Lånsäkerhetsbrist
 DocType: Item Price,Item Price,Produkt Pris
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap &amp; tvättmedel
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Anställd {0} tillhör inte företaget {1}
@@ -7028,6 +7129,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Utnämningsuppgifter
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Färdig produkt
 DocType: Warehouse,Warehouse Name,Lager Namn
+DocType: Loan Security Pledge,Pledge Time,Panttid
 DocType: Naming Series,Select Transaction,Välj transaktion
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ange Godkännande roll eller godkänna Användare
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Servicenivåavtal med entitetstyp {0} och enhet {1} finns redan.
@@ -7035,7 +7137,6 @@
 DocType: BOM,Rate Of Materials Based On,Hastighet av material baserade på
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",Om det är aktiverat är fältet Academic Term obligatoriskt i Programinmälningsverktyget.
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Värden för undantagna, nollklassade och icke-GST-leveranser"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Kund&gt; Kundgrupp&gt; Territorium
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Företaget</b> är ett obligatoriskt filter.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Avmarkera alla
 DocType: Purchase Taxes and Charges,On Item Quantity,På artikelkvantitet
@@ -7080,7 +7181,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Brist Antal
 DocType: Purchase Invoice,Input Service Distributor,Distributör av ingångsservice
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Punkt variant {0} finns med samma attribut
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Installera instruktörens namngivningssystem i utbildning&gt; Utbildningsinställningar
 DocType: Loan,Repay from Salary,Repay från Lön
 DocType: Exotel Settings,API Token,API-token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Begärande betalning mot {0} {1} för mängden {2}
@@ -7100,6 +7200,7 @@
 DocType: Salary Slip,Total Interest Amount,Summa räntebelopp
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Ankomst Datetime
 DocType: Tax Rule,Billing Zipcode,Fakturering Postnummer
@@ -7286,6 +7387,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Timmar
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},En ny möte har skapats för dig med {0}
 DocType: Project,Expected Start Date,Förväntat startdatum
+DocType: Work Order,This is a location where raw materials are available.,Detta är en plats där råvaror finns tillgängliga.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Korrigering i faktura
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Arbetsorder som redan är skapad för alla artiklar med BOM
 DocType: Bank Account,Party Details,Fest Detaljer
@@ -7304,6 +7406,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,citat:
 DocType: Contract,Partially Fulfilled,Delvis uppnått
 DocType: Maintenance Visit,Fully Completed,Helt Avslutad
+DocType: Loan Security,Loan Security Name,Lånsäkerhetsnamn
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Specialtecken utom &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Och &quot;}&quot; är inte tillåtna i namnserien"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Är noll klassificerad eller undantagen
 DocType: Employee,Educational Qualification,Utbildnings Kvalificering
@@ -7360,6 +7463,7 @@
 DocType: Program,Is Featured,Visas
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Hämtar ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Jordbrukare
+DocType: Loan Security Shortfall,America/New_York,America / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Giltigt till datum kan inte vara före transaktionsdatum
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7437,8 +7541,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Anställd {0} är kvar på {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Inga återbetalningar valdes för Journal Entry
 DocType: Purchase Invoice,GST Category,GST-kategori
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Föreslagna pantsättningar är obligatoriska för säkrade lån
 DocType: Payment Reconciliation,From Invoice Date,Från fakturadatum
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budgetar
 DocType: Invoice Discounting,Disbursed,Utbetalt
@@ -7496,14 +7600,13 @@
 DocType: Restaurant,Active Menu,Aktiv meny
 DocType: Accounting Dimension Detail,Default Dimension,Standarddimension
 DocType: Target Detail,Target Qty,Mål Antal
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Mot lån: {0}
 DocType: Shopping Cart Settings,Checkout Settings,kassa Inställningar
 DocType: Student Attendance,Present,Närvarande
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Följesedel {0} får inte lämnas
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Lönesedjan som skickas till den anställda kommer att vara lösenordsskyddad, lösenordet kommer att genereras baserat på lösenordspolicyn."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Vägmätare
 DocType: Production Plan Item,Ordered Qty,Beställde Antal
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Punkt {0} är inaktiverad
 DocType: Stock Settings,Stock Frozen Upto,Lager Fryst Upp
@@ -7562,7 +7665,6 @@
 DocType: Serial No,Delivery Document Type,Leverans Dokumenttyp
 DocType: Sales Order,Partly Delivered,Delvis Levererad
 DocType: Item Variant Settings,Do not update variants on save,Uppdatera inte varianter på spara
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group
 DocType: Email Digest,Receivables,Fordringar
 DocType: Lead Source,Lead Source,bly Källa
 DocType: Customer,Additional information regarding the customer.,Ytterligare information om kunden.
@@ -7660,6 +7762,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Faktisk
 DocType: Appointment,Skype ID,Skype ID
 DocType: Restaurant Menu,Restaurant Manager,Restaurangchef
+DocType: Loan,Penalty Income Account,Penninginkontokonto
 DocType: Call Log,Call Log,Samtalslogg
 DocType: Authorization Rule,Customerwise Discount,Kundrabatt
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Tidrapport för uppgifter.
@@ -7748,6 +7851,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Produktrabatt
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ingen fråga har tagits upp av den som ringer.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Grupp efter leverantör
 DocType: Restaurant Reservation,Waitlisted,väntelistan
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Undantagskategori
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7758,7 +7862,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Konsultering
 DocType: Subscription Plan,Based on price list,Baserat på prislista
 DocType: Customer Group,Parent Customer Group,Överordnad kundgrupp
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan endast genereras från försäljningsfaktura
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maximala försök för denna frågesport uppnåddes!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Prenumeration
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Avgift skapande väntar
@@ -7776,6 +7879,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Förebyggande underhåll
 DocType: Delivery Note Item,Against Sales Invoice,Mot fakturan
 DocType: Purchase Invoice,07-Others,07-Annat
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Offertbelopp
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Vänligen ange serienumren för seriell post
 DocType: Bin,Reserved Qty for Production,Reserverad Kvantitet för produktion
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lämna avmarkerad om du inte vill överväga batch medan du gör kursbaserade grupper.
@@ -7887,6 +7991,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Kvitto Notera
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Skapa materialförfrågan
+DocType: Loan Interest Accrual,Pending Principal Amount,Väntande huvudbelopp
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Start- och slutdatum som inte finns i en giltig löneperiod, kan inte beräkna {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7930,6 +8035,7 @@
 											to fullfill Sales Order {2}",Kan inte leverera serienumret {0} av objektet {1} eftersom det är reserverat \ för att fylla i försäljningsordern {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Leverantör Offert {0} skapades
+DocType: Loan Security Unpledge,Unpledge Type,Unpedge-typ
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,End år kan inte vara före startåret
 DocType: Employee Benefit Application,Employee Benefits,Ersättningar till anställda
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Anställnings-ID
@@ -8012,6 +8118,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kurskod:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Ange utgiftskonto
 DocType: Quality Action Resolution,Problem,Problem
+DocType: Loan Security Type,Loan To Value Ratio,Lån till värde
 DocType: Account,Stock,Lager
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8029,6 +8136,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankredovisning Transaktionsangivelse
 DocType: Sales Invoice Item,Discount and Margin,Rabatt och marginal
 DocType: Lab Test,Prescription,Recept
+DocType: Process Loan Security Shortfall,Update Time,Uppdaterings tid
 DocType: Import Supplier Invoice,Upload XML Invoices,Ladda upp XML-fakturor
 DocType: Company,Default Deferred Revenue Account,Standard uppskjutna intäkter konto
 DocType: Project,Second Email,Andra e-postadressen
@@ -8042,7 +8150,7 @@
 DocType: Quality Action,Preventive,Förebyggande
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Leveranser till oregistrerade personer
 DocType: Company,Date of Incorporation,Datum för upptagande
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Totalt Skatt
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Totalt Skatt
 DocType: Manufacturing Settings,Default Scrap Warehouse,Standard skrotlager
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Senaste inköpspriset
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,För Kvantitet (Tillverkad Antal) är obligatorisk
@@ -8061,6 +8169,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Ange standard betalningssätt
 DocType: Stock Entry Detail,Against Stock Entry,Mot aktieinmatning
 DocType: Grant Application,Withdrawn,kallas
+DocType: Loan Repayment,Regular Payment,Regelbunden betalning
 DocType: Support Search Source,Support Search Source,Stöd sökkälla
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,chargeble
 DocType: Project,Gross Margin %,Bruttomarginal%
@@ -8074,8 +8183,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Utan betalning av skatt
 DocType: BOM Operation,BOM Operation,BOM Drift
 DocType: Purchase Taxes and Charges,On Previous Row Amount,På föregående v Belopp
+DocType: Student,Home Address,Hemadress
 DocType: Options,Is Correct,Är korrekt
 DocType: Item,Has Expiry Date,Har förfallodatum
+DocType: Loan Repayment,Paid Accrual Entries,Betalade periodiseringsposter
+DocType: Loan Security,Loan Security Type,Lånsäkerhetstyp
 apps/erpnext/erpnext/config/support.py,Issue Type.,Problemtyp.
 DocType: POS Profile,POS Profile,POS-Profil
 DocType: Training Event,Event Name,Händelsenamn
@@ -8087,6 +8199,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Säsongs för att fastställa budgeten, mål etc."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Inga värden
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabelt namn
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Välj bankkonto för att förena.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Punkt {0} är en mall, välj en av dess varianter"
 DocType: Purchase Invoice Item,Deferred Expense,Uppskjuten kostnad
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Tillbaka till meddelanden
@@ -8138,7 +8251,6 @@
 DocType: GL Entry,To Rename,Att byta namn
 DocType: Stock Entry,Repack,Packa om
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Välj för att lägga till serienummer.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Installera instruktörens namngivningssystem i utbildning&gt; Utbildningsinställningar
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vänligen ange skattekod för kunden &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Var god välj Företaget först
 DocType: Item Attribute,Numeric Values,Numeriska värden
@@ -8162,6 +8274,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Hämta baserat på FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Root kan inte redigeras.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Lånesäkerhetsvärde
 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
@@ -8208,6 +8321,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Vänligen välj kategori först
 apps/erpnext/erpnext/config/projects.py,Project master.,Projektchef.
 DocType: Contract,Contract Terms,Kontraktsvillkor
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sanktionerad beloppgräns
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Fortsätt konfigurationen
 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,Maximum benefit amount of component {0} exceeds {1},Maximal förmånsbelopp för komponent {0} överstiger {1}
@@ -8240,6 +8354,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Visa samtalslogg
 DocType: BOM Operation,Operating Cost(Company Currency),Driftskostnad (Company valuta)
 DocType: Loan Application,Rate of Interest,RÄNTEFOT
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Lånesäkerhetslöfte som redan har pantsatts mot lån {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Sanktionerade Belopp
 DocType: Item,Shelf Life In Days,Hållbarhet i dagar
 DocType: GL Entry,Is Opening,Är Öppning
@@ -8253,3 +8368,4 @@
 DocType: Account,Cash,Kontanter
 DocType: Sales Invoice,Unpaid and Discounted,Obetald och rabatterad
 DocType: Employee,Short biography for website and other publications.,Kort biografi för webbplatsen och andra publikationer.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Rad # {0}: Det går inte att välja leverantörslager samtidigt som råvaror tillhandahålls underleverantör
diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv
index e67d3a9..8277b9b 100644
--- a/erpnext/translations/sw.csv
+++ b/erpnext/translations/sw.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Fursa waliopotea Sababu
 DocType: Patient Appointment,Check availability,Angalia upatikanaji
 DocType: Retention Bonus,Bonus Payment Date,Tarehe ya Malipo ya Bonasi
-DocType: Employee,Job Applicant,Mwombaji wa Ayubu
+DocType: Appointment Letter,Job Applicant,Mwombaji wa Ayubu
 DocType: Job Card,Total Time in Mins,Jumla ya Muda katika Pesa
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Maelezo ya Mawasiliano
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Tafuta chochote ...
 ,Stock and Account Value Comparison,Ulinganisho wa Thamani ya Hisa na Akaunti
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Kiasi kilichopunguzwa hakiwezi kuwa kubwa kuliko kiwango cha mkopo
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Inastahili
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Ufunguzi
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programu:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Inayotumika Kutoka kwa wakati lazima iwe chini ya Wakati Unaofaa wa Upto.
 DocType: Item,Copy From Item Group,Nakala Kutoka Kundi la Bidhaa
 DocType: Journal Entry,Opening Entry,Kuingia Uingiaji
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Malipo ya Akaunti tu
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Daraja
 DocType: Restaurant Table,No of Seats,Hakuna Viti
+DocType: Loan Type,Grace Period in Days,Kipindi cha Neema katika Siku
 DocType: Sales Invoice,Overdue and Discounted,Imepitwa na kupunguzwa
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Mali {0} sio ya mtoaji {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Simu Imekataliwa
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Taratibu zilizowekwa
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Onyesha POS tu
 DocType: Supplier Group,Supplier Group Name,Jina la kundi la wasambazaji
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marko mahudhurio kama <b></b>
 DocType: Driver,Driving License Categories,Makundi ya leseni ya kuendesha gari
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Tafadhali ingiza tarehe ya utoaji
 DocType: Depreciation Schedule,Make Depreciation Entry,Fanya kuingia kwa kushuka kwa thamani
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Maelezo ya shughuli zilizofanywa.
 DocType: Asset Maintenance Log,Maintenance Status,Hali ya Matengenezo
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Kiwango cha Kodi ya Bidhaa Pamoja na Thamani
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Mkopo Usalama Ahadi
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Maelezo ya Uanachama
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Muuzaji inahitajika dhidi ya akaunti inayolipwa {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Vitu na bei
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Masaa yote: {0}
+DocType: Loan,Loan Manager,Meneja wa mkopo
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Kutoka Tarehe lazima iwe ndani ya Mwaka wa Fedha. Kutokana na Tarehe = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR -YYYY.-
 DocType: Drug Prescription,Interval,Muda
@@ -468,6 +472,7 @@
 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,Select the customer or supplier.,Chagua mteja au muuzaji.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Nambari ya Nchi katika Faili hailingani na nambari ya nchi iliyowekwa kwenye mfumo
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Akaunti {0} sio ya Kampuni {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Chagua Kipaumbele kimoja tu kama Chaguo-msingi.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Acha Kuzuiwa
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Entries ya Benki
-DocType: Customer,Is Internal Customer,Ni Wateja wa Ndani
+DocType: Sales Invoice,Is Internal Customer,Ni Wateja wa Ndani
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Ombi la Nyenzo
 DocType: Bank Reconciliation,Update Clearance Date,Sasisha tarehe ya kufuta
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Kifungu Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Haiwezi kuunda mkopo hadi programu itakapokubaliwa
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,Sahihi
 DocType: Student Guardian,Mother,Mama
 DocType: Restaurant Reservation,Reservation End Time,Muda wa Mwisho wa Uhifadhi
+DocType: Salary Slip Loan,Loan Repayment Entry,Kuingia kwa Malipo ya Mkopo
 DocType: Crop,Biennial,Biennial
 ,BOM Variance Report,Ripoti ya kutofautiana ya BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Amri zilizohakikishwa kutoka kwa Wateja.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Malipo dhidi ya {0} {1} haiwezi kuwa kubwa zaidi kuliko Kiasi Kikubwa {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Huduma zote za huduma za afya
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Juu ya Kubadilisha Fursa
+DocType: Loan,Total Principal Paid,Jumla ya Jumla Imelipwa
 DocType: Bank Account,Address HTML,Weka HTML
 DocType: Lead,Mobile No.,Simu ya Simu
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Hali ya Malipo
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Mizani Katika Fedha ya Msingi
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Daraja la Max
 DocType: Email Digest,New Quotations,Nukuu mpya
+DocType: Loan Interest Accrual,Loan Interest Accrual,Mkopo wa Riba ya Mkopo
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Mahudhurio hayajawasilishwa kwa {0} kama {1} wakati wa kuondoka.
 DocType: Journal Entry,Payment Order,Ulipaji wa Malipo
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Thibitisha Barua pepe
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Mapato Kutoka kwa Vyanzo Vingine
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ikiwa iko wazi, Akaunti ya Ghala la mzazi au chaguo-msingi cha kampuni itazingatiwa"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Mipango ya mishahara ya barua pepe kwa mfanyakazi kulingana na barua pepe iliyopendekezwa iliyochaguliwa katika Mfanyakazi
+DocType: Work Order,This is a location where operations are executed.,Hapa ni mahali ambapo shughuli zinafanywa.
 DocType: Tax Rule,Shipping County,Kata ya Meli
 DocType: Currency Exchange,For Selling,Kwa Kuuza
 apps/erpnext/erpnext/config/desktop.py,Learn,Jifunze
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Nambari ya Coupon iliyotumiwa
 DocType: Asset,Next Depreciation Date,Tarehe ya Uzito ya pili
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Shughuli ya Gharama kwa Wafanyakazi
+DocType: Loan Security,Haircut %,Kukata nywele
 DocType: Accounts Settings,Settings for Accounts,Mipangilio ya Akaunti
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Invozi ya Wauzaji Hakuna ipo katika ankara ya ununuzi {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Dhibiti Mti wa Watu wa Mauzo.
@@ -667,6 +678,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Tafadhali weka Kiwango cha Chumba cha Hoteli kwenye {}
 DocType: Journal Entry,Multi Currency,Fedha nyingi
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Aina ya ankara
+DocType: Loan,Loan Security Details,Maelezo ya Usalama wa Mkopo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Inayotumika kutoka tarehe lazima iwe chini ya tarehe halali halali
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Kuondoa kulitokea wakati wa kupatanisha {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Weka Ghala Iliyokubaliwa
@@ -773,7 +785,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Inahitaji idhini ya Mtihani wa Lab
 DocType: Attendance,Working Hours,Saa za kazi
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Jumla ya Kipaumbele
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Sababu ya ubadilishaji wa UOM ({0} -&gt; {1}) haipatikani kwa kipengee: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Badilisha idadi ya mwanzo / ya sasa ya mlolongo wa mfululizo uliopo.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Asilimia unaruhusiwa kutoza zaidi dhidi ya kiasi kilichoamriwa. Kwa mfano: Ikiwa dhamana ya agizo ni $ 100 kwa bidhaa na uvumilivu umewekwa kama 10% basi unaruhusiwa kutoza kwa $ 110.
 DocType: Dosage Strength,Strength,Nguvu
@@ -791,6 +802,7 @@
 DocType: Purchase Receipt,Vehicle Date,Tarehe ya Gari
 DocType: Campaign Email Schedule,Campaign Email Schedule,Ratiba ya barua pepe ya Kampeni
 DocType: Student Log,Medical,Matibabu
+DocType: Work Order,This is a location where scraped materials are stored.,Hapa ni mahali ambapo vifaa vyenye chakavu vinahifadhiwa.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Tafadhali chagua Dawa
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Mmiliki wa kiongozi hawezi kuwa sawa na Kiongozi
 DocType: Announcement,Receiver,Mpokeaji
@@ -886,7 +898,7 @@
 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: BOM,Total Cost (Company Currency),Gharama ya Jumla (Fedha ya Kampuni)
-DocType: Loan,Total Payment,Malipo ya Jumla
+DocType: Repayment Schedule,Total Payment,Malipo ya Jumla
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO tayari imeundwa kwa vitu vyote vya utaratibu wa mauzo
@@ -912,6 +924,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Angalia Amri za Ununuzi
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Ilipangwa Tarehe
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Vipande vyenye Kujenga
+DocType: Loan Security,Loan Security Code,Nambari ya Usalama ya Mkopo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Tafadhali kuokoa kwanza
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Vitu vinahitajika kuvuta malighafi ambayo inahusishwa nayo.
 DocType: POS Profile User,POS Profile User,Mtumiaji wa Programu ya POS
@@ -968,6 +981,7 @@
 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,Stock Entries already created for Work Order ,Entries Entries tayari kuundwa kwa Kazi Order
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Nambari ya Bidhaa&gt; Kikundi cha bidhaa&gt; Brand
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Tazama maagizo ya zamani
 DocType: Vital Signs,Respiratory rate,Kiwango cha kupumua
 apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Kusimamia Kudhibiti Msaada
@@ -999,7 +1013,6 @@
 DocType: Company,Delete Company Transactions,Futa Shughuli za Kampuni
 DocType: Production Plan Item,Quantity and Description,Kiasi na Maelezo
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Kitabu cha Marejeo na Kumbukumbu ni lazima kwa shughuli za Benki
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Tafadhali weka Mfululizo wa Jina la {0} kupitia Kusanidi&gt; Mipangilio&gt; Mfululizo wa Kumtaja
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ongeza / Badilisha Taxes na Malipo
 DocType: Payment Entry Reference,Supplier Invoice No,Nambari ya ankara ya wasambazaji
 DocType: Territory,For reference,Kwa kumbukumbu
@@ -1030,6 +1043,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Akaunti ya Kuzuia Ushuru
 DocType: Pricing Rule,Sales Partner,Mshirika wa Mauzo
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Mapendekezo yote ya Wasambazaji.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Kiasi cha Agizo
+DocType: Loan,Disbursed Amount,Kiasi cha kutengwa
 DocType: Buying Settings,Purchase Receipt Required,Receipt ya Ununuzi inahitajika
 DocType: Sales Invoice,Rail,Reli
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Gharama halisi
@@ -1070,6 +1085,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Imeunganishwa na QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Tafadhali tambua / unda Akaunti (Ledger) ya aina - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Akaunti ya kulipa
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Akaunti ni ya lazima kupata barua za malipo
 DocType: Payment Entry,Type of Payment,Aina ya Malipo
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Siku ya Nusu ya Siku ni lazima
 DocType: Sales Order,Billing and Delivery Status,Hali ya kulipia na utoaji
@@ -1108,7 +1124,7 @@
 DocType: Purchase Order Item,Billed Amt,Alilipwa Amt
 DocType: Training Result Employee,Training Result Employee,Matokeo ya Mafunzo ya Mfanyakazi
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Ghala la mantiki ambalo vituo vya hisa vinafanywa.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Kiasi kikubwa
+DocType: Repayment Schedule,Principal Amount,Kiasi kikubwa
 DocType: Loan Application,Total Payable Interest,Jumla ya Maslahi ya kulipa
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Jumla ya Kipaumbele: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Fungua Mawasiliano
@@ -1122,6 +1138,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Vitu vyako
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Mtoaji&gt; Aina ya wasambazaji
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Kuandika Proposal
 DocType: Payment Entry Deduction,Payment Entry Deduction,Utoaji wa Kuingia kwa Malipo
 DocType: Service Level Priority,Service Level Priority,Kipaumbele cha Kiwango cha Huduma
@@ -1154,6 +1171,7 @@
 DocType: Batch,Batch Description,Maelezo ya Bande
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Kujenga makundi ya wanafunzi
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Akaunti ya Gateway ya Malipo haijatengenezwa, tafadhali ingiza moja kwa moja."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Maghala ya Kundi hayawezi kutumika katika shughuli. Tafadhali badilisha thamani ya {0}
 DocType: Supplier Scorecard,Per Year,Kwa mwaka
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Haikubaliki kuingia kwenye programu hii kama DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Njia # {0}: Haiwezi kufuta bidhaa {1} ambayo imepewa agizo la ununuzi la mteja.
@@ -1276,7 +1294,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Wakati wa kuunda akaunti ya Kampuni ya watoto {0}, akaunti ya wazazi {1} haipatikani. Tafadhali unda akaunti ya mzazi katika COA inayolingana"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Fungua Suala
 DocType: Student Attendance,Student Attendance,Mahudhurio ya Wanafunzi
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Hakuna data ya kuuza nje
 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
@@ -1289,6 +1306,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Kuinua
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tarehe halisi ya Uwasilishaji
 DocType: Lab Test,Test Template,Kigezo cha Mtihani
+DocType: Loan Security Pledge,Securities,Usalama
 DocType: Restaurant Order Entry Item,Served,Imehudumiwa
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Maelezo ya sura.
 DocType: Account,Accounts,Akaunti
@@ -1382,6 +1400,7 @@
 DocType: Inpatient Record,O Negative,O Hasi
 DocType: Work Order Operation,Planned End Time,Muda wa Mwisho
 DocType: POS Profile,Only show Items from these Item Groups,Onyesha tu Vitu kutoka kwa Vikundi vya Bidhaa
+DocType: Loan,Is Secured Loan,Imehifadhiwa Mkopo
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,Akaunti na shughuli zilizopo haziwezi kubadilishwa kuwa kiongozi
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Maelezo ya Aina ya Uhifadhi
 DocType: Delivery Note,Customer's Purchase Order No,Nambari ya Ununuzi wa Wateja No
@@ -1418,6 +1437,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Pata kutoka kwa Mkutano wa Wagonjwa
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Sababu ya ubadilishaji wa UOM ({0} -&gt; {1}) haipatikani kwa kipengee: {2}
 DocType: Subscriber,Subscriber,Msajili
 DocType: Item Attribute Value,Item Attribute Value,Thamani ya Thamani ya Bidhaa
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Kubadilisha Fedha lazima iwezekanavyo kwa Ununuzi au kwa Ununuzi.
@@ -1497,6 +1517,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Hakuna Ruhusa
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Orodha ya Uthibitishaji wa Mkataba
 DocType: Vital Signs,Heart Rate / Pulse,Kiwango cha Moyo / Pulse
+DocType: Customer,Default Company Bank Account,Akaunti ya Benki ya Default
 DocType: Supplier,Default Bank Account,Akaunti ya Akaunti ya Default
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Kuchuja kulingana na Chama, chagua Aina ya Chama kwanza"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},&#39;Mwisho Stock&#39; hauwezi kuzingatiwa kwa sababu vitu havijatumwa kupitia {0}
@@ -1614,7 +1635,6 @@
 DocType: Sales Team,Incentives,Vidokezo
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Thamani Kati ya Usawazishaji
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Thamani ya Tofauti
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Tafadhali sasisha safu za nambari za Kuhudhuria kupitia Usanidi&gt; Mfululizo wa hesabu
 DocType: SMS Log,Requested Numbers,Hesabu zilizoombwa
 DocType: Volunteer,Evening,Jioni
 DocType: Quiz,Quiz Configuration,Usanidi wa Quiz
@@ -1634,6 +1654,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Kwenye Mstari Uliopita
 DocType: Purchase Invoice Item,Rejected Qty,Uchina Umekataliwa
 DocType: Setup Progress Action,Action Field,Sehemu ya Hatua
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Aina ya mkopo kwa viwango vya riba na adhabu
 DocType: Healthcare Settings,Manage Customer,Dhibiti Wateja
 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
@@ -1645,6 +1666,7 @@
 ,Final Assessment Grades,Tathmini ya Mwisho ya Masomo
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Jina la kampuni yako ambayo unaanzisha mfumo huu.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Jumuisha likizo katika Jumla ya. ya siku za kazi
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,Jumla ya Jumla
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Weka Taasisi yako katika ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Uchunguzi wa kupanda
 DocType: Task,Timeline,Mda wa saa
@@ -1652,9 +1674,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Nakala mbadala
 DocType: Shopify Log,Request Data,Omba Data
 DocType: Employee,Date of Joining,Tarehe ya kujiunga
+DocType: Delivery Note,Inter Company Reference,Rejea ya Kampuni
 DocType: Naming Series,Update Series,Sasisha Mfululizo
 DocType: Supplier Quotation,Is Subcontracted,"Je, unachangamizwa"
 DocType: Restaurant Table,Minimum Seating,Kukaa chini
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Swali haliwezi kuwa dabali
 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,Purchase Receipt,Receipt ya Ununuzi
@@ -1756,6 +1780,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sawazisha ankara zisizo kwenye mtandao
 DocType: Payment Request,Paid,Ilipwa
 DocType: Service Level,Default Priority,Kipaumbele Cha msingi
+DocType: Pledge,Pledge,Ahadi
 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."
@@ -1769,6 +1794,7 @@
 DocType: Guardian,Guardian Name,Jina la Mlinzi
 DocType: Cheque Print Template,Has Print Format,Ina Chapisho la Kuchapa
 DocType: Support Settings,Get Started Sections,Fungua Sehemu
+,Loan Repayment and Closure,Ulipaji wa mkopo na kufungwa
 DocType: Lead,CRM-LEAD-.YYYY.-,MKAZI-MWEZI - YYYY.-
 DocType: Invoice Discounting,Sanctioned,Imeteuliwa
 ,Base Amount,Kiasi cha msingi
@@ -1779,10 +1805,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Kutoka mahali
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Kiasi cha mkopo hakiwezi kuwa kubwa kuliko {0}
 DocType: Student Admission,Publish on website,Chapisha kwenye tovuti
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Tarehe ya Invozi ya Wasambazaji haiwezi kuwa kubwa kuliko Tarehe ya Kuweka
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Nambari ya Bidhaa&gt; Kikundi cha bidhaa&gt; Brand
 DocType: Subscription,Cancelation Date,Tarehe ya kufuta
 DocType: Purchase Invoice Item,Purchase Order Item,Nambari ya Utaratibu wa Ununuzi
 DocType: Agriculture Task,Agriculture Task,Kazi ya Kilimo
@@ -1801,7 +1827,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Asilimia ya Punguzo la ziada
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Tazama orodha ya video zote za usaidizi
 DocType: Agriculture Analysis Criteria,Soil Texture,Texture ya Udongo
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Chagua kichwa cha akaunti cha benki ambapo hundi iliwekwa.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Ruhusu mtumiaji kuhariri Kiwango cha Orodha ya Bei katika shughuli
 DocType: Pricing Rule,Max Qty,Upeo wa Max
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Kadi ya Ripoti ya Kuchapa
@@ -1932,7 +1957,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Mara baada ya kuweka, ankara hii itaendelea hadi tarehe ya kuweka"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Kuuza Kiasi
-DocType: Repayment Schedule,Interest Amount,Kiwango cha riba
+DocType: Loan Interest Accrual,Interest Amount,Kiwango cha riba
 DocType: Job Card,Time Logs,Magogo ya Wakati
 DocType: Sales Invoice,Loyalty Amount,Kiasi cha Uaminifu
 DocType: Employee Transfer,Employee Transfer Detail,Maelezo ya Uhamisho wa Waajiri
@@ -1947,6 +1972,7 @@
 DocType: Cashier Closing,Returns,Inarudi
 DocType: Job Card,WIP Warehouse,Ghala la WIP
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Serial Hakuna {0} ni chini ya mkataba wa matengenezo hadi {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Kiwango cha Kuidhinishwa kimevuka kwa {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,Uajiri
 DocType: Lead,Organization Name,Jina la Shirika
 DocType: Support Settings,Show Latest Forum Posts,Onyesha Ujumbe wa Majadiliano ya hivi karibuni
@@ -1973,7 +1999,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Malipo ya Amri ya Ununuzi
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Namba ya Posta
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Amri ya Mauzo {0} ni {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Kufanya Entries Stock
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Haiwezi kukuza mfanyakazi na hali ya kushoto
@@ -2057,7 +2082,6 @@
 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,Start Year,Mwaka wa Mwanzo
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Unda Mkopo
 DocType: Purchase Invoice,Start date of current invoice's period,Tarehe ya mwanzo wa kipindi cha ankara ya sasa
 DocType: Shift Type,Process Attendance After,Mchakato wa Kuhudhuria Baada ya
 ,IRS 1099,IRS 1099
@@ -2078,6 +2102,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Chagua Domains yako
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Mtoa Wasambazaji
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Vitu vya ankara za malipo
+DocType: Repayment Schedule,Is Accrued,Imeshikwa
 DocType: Payroll Entry,Employee Details,Maelezo ya Waajiri
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Inasindika faili za XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2109,6 +2134,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Uaminifu wa Kuingia Uhakika
 DocType: Employee Checkin,Shift End,Mwisho wa Shift
 DocType: Stock Settings,Default Item Group,Kikundi cha Kichwa cha Kichwa
+DocType: Loan,Partially Disbursed,Kutengwa kwa sehemu
 DocType: Job Card Time Log,Time In Mins,Muda Katika Zaka
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Ruhusu habari.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Kitendo hiki kitaondoa akaunti hii kutoka kwa huduma yoyote ya nje inayojumuisha ERPNext na akaunti yako ya benki. Haiwezi kutekelezwa. Je! Una uhakika?
@@ -2124,6 +2150,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Kitu kimoja hawezi kuingizwa mara nyingi.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Kufungwa kwa mkopo
 DocType: Call Log,Lead,Cheza
 DocType: Email Digest,Payables,Malipo
 DocType: Amazon MWS Settings,MWS Auth Token,Kitambulisho cha MWS Auth
@@ -2156,6 +2183,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,E-Way Bill JSON inaweza tu kutolewa kutoka hati iliyowasilishwa
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Kodi ya Wafanyakazi na Faida
 DocType: Bank Guarantee,Validity in Days,Uthibitisho katika Siku
+DocType: Unpledge,Haircut,Kukata nywele
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Fomu ya C haina kutumika kwa ankara: {0}
 DocType: Certified Consultant,Name of Consultant,Jina la Mshauri
 DocType: Payment Reconciliation,Unreconciled Payment Details,Maelezo ya Malipo yasiyotambulika
@@ -2208,7 +2236,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Mwisho wa Dunia
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Item {0} haiwezi kuwa na Kundi
 DocType: Crop,Yield UOM,Uzao UOM
+DocType: Loan Security Pledge,Partially Pledged,Iliyoahidiwa kwa sehemu
 ,Budget Variance Report,Ripoti ya Tofauti ya Bajeti
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Kiwango cha Mkopo ulioidhinishwa
 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,Get Items from Healthcare Services,Pata vitu kutoka Huduma za Huduma za Afya
@@ -2243,6 +2273,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Utaratibu Mpya wa Ubora
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Mizani ya Akaunti {0} lazima iwe {1}
 DocType: Patient Appointment,More Info,Maelezo zaidi
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Tarehe ya kuzaliwa haiwezi kuwa kubwa kuliko Tarehe ya Kujiunga.
 DocType: Supplier Scorecard,Scorecard Actions,Vitendo vya kadi ya alama
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Muuzaji {0} haipatikani katika {1}
 DocType: Purchase Invoice,Rejected Warehouse,Ghala iliyokataliwa
@@ -2339,6 +2370,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Tafadhali weka Kanuni ya Kwanza
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Aina ya Doc
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Ahadi ya Usalama wa Mkopo Imeundwa: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Uteuzi na Mkutano wa Wagonjwa
@@ -2394,6 +2426,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Idadi ya Uteuzi wa Pamoja
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Kuanza
 DocType: Purchase Invoice,Taxes and Charges Calculation,Kodi na Malipo ya Hesabu
+DocType: Loan Interest Accrual,Payable Principal Amount,Kiwango cha kulipwa Kikuu
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Kitabu cha Kushindwa kwa Athari ya Kitabu Kwa moja kwa moja
 DocType: BOM Operation,Workstation,Kazi ya kazi
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Ombi la Mtoaji wa Nukuu
@@ -2430,7 +2463,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Chakula
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Kipindi cha kuzeeka 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Maelezo ya Voucher ya Kufungwa
-DocType: Bank Account,Is the Default Account,Je! Akaunti Default
 DocType: Shopify Log,Shopify Log,Weka Ingia
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Hakuna mawasiliano yaliyopatikana.
 DocType: Inpatient Occupancy,Check In,Angalia
@@ -2486,12 +2518,14 @@
 DocType: Sales Order Item,Planned Quantity,Wingi wa Mpango
 DocType: Water Analysis,Water Analysis Criteria,Vigezo vya Uchambuzi wa Maji
 DocType: Item,Maintain Stock,Weka Stock
+DocType: Loan Security Unpledge,Unpledge Time,Kutahidi Wakati
 DocType: Terms and Conditions,Applicable Modules,Moduli zinazotumika
 DocType: Employee,Prefered Email,Barua pepe iliyopendekezwa
 DocType: Student Admission,Eligibility and Details,Uhalali na Maelezo
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Pamoja na Faida ya Jumla
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Mabadiliko ya Net katika Mali isiyohamishika
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Kiasi
+DocType: Work Order,This is a location where final product stored.,Hapa ni mahali ambapo bidhaa ya mwisho huhifadhiwa.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Kutoka wakati wa Tarehe
@@ -2532,8 +2566,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Waranti / Hali ya AMC
 ,Accounts Browser,Kivinjari cha Hesabu
 DocType: Procedure Prescription,Referral,Rufaa
+,Territory-wise Sales,Uuzaji wa hekima ya eneo
 DocType: Payment Entry Reference,Payment Entry Reference,Kumbukumbu ya Kuingia kwa Malipo
 DocType: GL Entry,GL Entry,Uingiaji wa GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Njia # {0}: Ghala iliyopokelewa na Ghala la Ugavi haliwezi kuwa sawa
 DocType: Support Search Source,Response Options,Chaguo la majibu
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Tumia Sheria za Bei nyingi
 DocType: HR Settings,Employee Settings,Mipangilio ya Waajiriwa
@@ -2593,6 +2629,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Kilimo (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Ufungashaji wa Ufungashaji
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Tafadhali weka Mfululizo wa Jina la {0} kupitia Kusanidi&gt; Mipangilio&gt; Mfululizo wa Kumtaja
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Kodi ya Ofisi
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Sanidi mipangilio ya uingizaji wa SMS
 DocType: Disease,Common Name,Jina la kawaida
@@ -2609,6 +2646,7 @@
 DocType: Item,Sales Details,Maelezo ya Mauzo
 DocType: Coupon Code,Used,Imetumika
 DocType: Opportunity,With Items,Na Vitu
+DocType: Vehicle Log,last Odometer Value ,Thamani ya mwisho ya Odometer
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Kampeni &#39;{0}&#39; tayari inapatikana kwa {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Timu ya Matengenezo
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Agizo ambayo sehemu zinapaswa kuonekana. 0 ni ya kwanza, 1 ni ya pili na kadhalika."
@@ -2619,7 +2657,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Madai ya Madai {0} tayari yupo kwa Ingia ya Gari
 DocType: Asset Movement Item,Source Location,Eneo la Chanzo
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Jina la Taasisi
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Tafadhali ingiza Kiwango cha kulipa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Tafadhali ingiza Kiwango cha kulipa
 DocType: Shift Type,Working Hours Threshold for Absent,Kufanya kazi masaa ya kizingiti cha kutokuwepo
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Kunaweza kuwepo kwa sababu nyingi za kukusanya kulingana na jumla ya matumizi. Lakini sababu ya uongofu ya ukombozi daima itakuwa sawa kwa tier yote.
 apps/erpnext/erpnext/config/help.py,Item Variants,Tofauti ya Tofauti
@@ -2643,6 +2681,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} lazima iwe chini ya {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Tafadhali chagua aina ya Mwombaji kwanza
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Chagua BOM, Qty na kwa Ghala"
 DocType: GST HSN Code,GST HSN Code,Kanuni ya GST HSN
 DocType: Employee External Work History,Total Experience,Uzoefu wa jumla
@@ -2733,7 +2772,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Hakuna BOM ya kazi iliyopatikana kwa kipengee {0}. Utoaji kwa \ Serial Hakuna haiwezi kuhakikisha
 DocType: Sales Partner,Sales Partner Target,Lengo la Mshirika wa Mauzo
-DocType: Loan Type,Maximum Loan Amount,Kiwango cha Mikopo Kikubwa
+DocType: Loan Application,Maximum Loan Amount,Kiwango cha Mikopo Kikubwa
 DocType: Coupon Code,Pricing Rule,Kanuni ya bei
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Duplicate roll idadi kwa mwanafunzi {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Nambari ya Nyenzo ya Ununuzi wa Utaratibu
@@ -2756,6 +2795,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Majani yaliyopangwa kwa Mafanikio kwa {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Hakuna Vipande vya kuingiza
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Faili za .csv na .xlsx pekee ndizo zinazotumika kwa sasa
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu&gt; Mipangilio ya HR
 DocType: Shipping Rule Condition,From Value,Kutoka kwa Thamani
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Uzalishaji wa Wingi ni lazima
 DocType: Loan,Repayment Method,Njia ya kulipa
@@ -2839,6 +2879,7 @@
 DocType: Customer,Customer POS Id,Idhaa ya POS ya Wateja
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Mwanafunzi aliye na barua pepe {0} hayupo
 DocType: Account,Account Name,Jina la Akaunti
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Kiwango cha Mkopo kilichoidhinishwa tayari kinapatikana kwa {0} dhidi ya kampuni {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Kutoka Tarehe haiwezi kuwa kubwa kuliko Tarehe
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial Hapana {0} wingi {1} haiwezi kuwa sehemu
 DocType: Pricing Rule,Apply Discount on Rate,Omba punguzo kwenye Viwango
@@ -2910,6 +2951,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Faida halisi
 DocType: Purchase Invoice,Eligibility For ITC,Ustahiki Kwa ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-YYYY.-
+DocType: Loan Security Pledge,Unpledged,Iliyosahihishwa
 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,Net Change in Accounts Payable,Mabadiliko ya Nambari ya Akaunti yanapatikana
@@ -2921,6 +2963,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Kitambulisho cha Kiongozi wa Mahudhurio (Kitambulisho cha biometriska / kitambulisho cha RF)
 DocType: Quotation,Term Details,Maelezo ya muda
 DocType: Item,Over Delivery/Receipt Allowance (%),Idhini ya Zaidi ya Utoaji / risiti (%)
+DocType: Appointment Letter,Appointment Letter Template,Uteuzi wa Barua ya Kiolezo
 DocType: Employee Incentive,Employee Incentive,Ushawishi wa Waajiriwa
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Jumla (bila ya Kodi)
@@ -2943,6 +2986,7 @@
 					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
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink Malipo ya Kuondoa Invoice
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Mchakato wa Kukopesha Riba ya Mkopo
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Orodha ya Odometer ya sasa imewekwa inapaswa kuwa kubwa kuliko Odometer ya awali ya Gari {0}
 ,Purchase Order Items To Be Received or Billed,Vitu vya Agizo la Ununuzi Upate au Kupwa
 DocType: Restaurant Reservation,No Show,Hakuna Onyesha
@@ -3028,6 +3072,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kituo cha gharama kinahitajika kwa akaunti ya &#39;Faida na Kupoteza&#39; {2}. Tafadhali weka kituo cha gharama cha chini cha Kampuni.
 DocType: Payment Schedule,Payment Term,Muda wa Malipo
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kundi la Wateja liko kwa jina moja tafadhali tuma jina la Wateja au uunda jina Kundi la Wateja
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Tarehe ya Mwisho ya Kuandikishwa inapaswa kuwa kubwa kuliko Tarehe ya Kuanza kuandikishwa.
 DocType: Location,Area,Eneo
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Mawasiliano mpya
 DocType: Company,Company Description,Maelezo ya Kampuni
@@ -3102,6 +3147,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Takwimu zilizopangwa
 DocType: Purchase Order Item,Warehouse and Reference,Ghala na Kumbukumbu
 DocType: Payroll Period Date,Payroll Period Date,Tarehe ya Muda wa Mishahara
+DocType: Loan Disbursement,Against Loan,Dhidi ya Mkopo
 DocType: Supplier,Statutory info and other general information about your Supplier,Maelezo ya kisheria na maelezo mengine ya jumla kuhusu Mtoa Wako
 DocType: Item,Serial Nos and Batches,Serial Nos na Batches
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Nguvu ya Kikundi cha Wanafunzi
@@ -3168,6 +3214,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Chagua kampuni
 DocType: Delivery Settings,Delivery Settings,Mipangilio ya utoaji
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Pata data
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Haiwezi kuahidi zaidi ya {0} qty ya {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Upeo wa kuondoka kuruhusiwa katika aina ya kuondoka {0} ni {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Chapisha Bidhaa 1
 DocType: SMS Center,Create Receiver List,Unda Orodha ya Kupokea
@@ -3315,6 +3362,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Kiasi cha Msingi (Fedha la Kampuni)
 DocType: Purchase Invoice,Registered Regular,Iliyosajiliwa Mara kwa mara
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Malighafi
+DocType: Plaid Settings,sandbox,sanduku la mchanga
 DocType: Payment Reconciliation Payment,Reference Row,Row Reference
 DocType: Installation Note,Installation Time,Muda wa Ufungaji
 DocType: Sales Invoice,Accounting Details,Maelezo ya Uhasibu
@@ -3327,12 +3375,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Aina ya Ushirikiano
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Vigezo vya Kukubali
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,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: Loan,Total Payable Amount,Kiasi Kilivyoteuliwa
 DocType: Task,Expected Time (in hours),Muda Unaotarajiwa (kwa saa)
 DocType: Item Reorder,Check in (group),Angalia (kikundi)
 DocType: Soil Texture,Silt,Silt
@@ -3363,6 +3410,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Kutoa Ushuru kwa Uthibitishaji wa Ushuru wa Unsubmitted
 DocType: Volunteer,Anytime,Wakati wowote
 DocType: Bank Account,Bank Account No,Akaunti ya Akaunti ya Benki
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Kulipa na Kulipa
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Ushuru wa Waajiri wa Ushuru wa Ushahidi
 DocType: Patient,Surgical History,Historia ya upasuaji
 DocType: Bank Statement Settings Item,Mapped Header,Kichwa cha Mapped
@@ -3425,6 +3473,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Unda Majaribio ya Lab (Mawasilisho ya Mauzo)
 DocType: Serial No,Invoice Details,Maelezo ya ankara
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Muundo wa Mshahara lazima uwasilishwe kabla ya kuwasilisha Azimio la Utoaji wa Kodi
+DocType: Loan Application,Proposed Pledges,Ahadi zilizopendekezwa
 DocType: Grant Application,Show on Website,Onyesha kwenye tovuti
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Anza
 DocType: Hub Tracked Item,Hub Category,Jamii ya Hub
@@ -3436,7 +3485,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Washirika wa Scorecard Wamesimama
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Sheria ya Vifaa haipatikani kwa Bidhaa {1}
 DocType: Contract Fulfilment Checklist,Requirement,Mahitaji
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu&gt; Mipangilio ya HR
 DocType: Journal Entry,Accounts Receivable,Akaunti inapatikana
 DocType: Quality Goal,Objectives,Malengo
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Wajibu Unaruhusiwa kuunda Maombi ya Likizo ya Kawaida
@@ -3449,6 +3497,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Weka Maingilio Yanayounganishwa
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Jumla ya zilizotengwa ({0}) ni iliyotiwa mafuta kuliko kiwango kilicholipwa ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Shirikisha mishahara ya msingi
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Kiasi kilicholipiwa hakiwezi kuwa chini ya {0}
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,Mipangilio ya HR
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Mabwana wa Uhasibu
@@ -3594,6 +3643,7 @@
 DocType: Employee,Health Insurance,Bima ya Afya
 DocType: Asset Repair,Manufacturing Manager,Meneja wa Uzalishaji
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Serial Hapana {0} ni chini ya udhamini upto {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Kiasi cha mkopo kinazidi kiwango cha juu cha mkopo cha {0} kulingana na dhamana iliyopendekezwa
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Thamani ya chini ya idhini
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Mtumiaji {0} tayari yupo
 apps/erpnext/erpnext/hooks.py,Shipments,Upelekaji
@@ -3637,7 +3687,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Aina ya Biashara
 DocType: Sales Invoice,Consumer,Mtumiaji
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Tafadhali chagua Kiwango kilichopakiwa, Aina ya Invoice na Nambari ya Invoice katika safu moja"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Tafadhali weka Mfululizo wa Jina la {0} kupitia Kusanidi&gt; Mipangilio&gt; Mfululizo wa Kumtaja
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Gharama ya Ununuzi Mpya
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Utaratibu wa Mauzo unahitajika kwa Bidhaa {0}
 DocType: Grant Application,Grant Description,Maelezo ya Ruzuku
@@ -3646,6 +3695,7 @@
 DocType: Subscription,Discounts,Punguzo
 DocType: Bank Transaction,Unallocated Amount,Kiasi kilichowekwa
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Tafadhali itawezesha Kuhitajika kwenye Utaratibu wa Ununuzi na unaofaa kwenye gharama halisi ya kusajili
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} sio akaunti ya benki ya kampuni
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Haiwezi kupata kitu kinachofanana. Tafadhali chagua thamani nyingine ya {0}.
 DocType: POS Profile,Taxes and Charges,Kodi na Malipo
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Bidhaa au Huduma inayotunuliwa, kuuzwa au kuhifadhiwa katika hisa."
@@ -3694,6 +3744,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Tarehe Kutoka Tarehe lazima iwe ndogo zaidi kuliko Tarehe ya Halali ya Upto.
 DocType: Employee Skill,Evaluation Date,Tarehe ya Tathmini
 DocType: Quotation Item,Stock Balance,Mizani ya hisa
+DocType: Loan Security Pledge,Total Security Value,Thamani ya Usalama Jumla
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Mauzo ya Malipo ya Malipo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Mkurugenzi Mtendaji
 DocType: Purchase Invoice,With Payment of Tax,Kwa Malipo ya Kodi
@@ -3706,6 +3757,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Akaunti {0} haipo kwenye chati ya dashibodi {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Onyesha sifa za Tofauti
@@ -3787,6 +3839,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Kiwango cha Thamani ya sasa
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Idadi ya akaunti za mizizi haiwezi kuwa chini ya 4
 DocType: Training Event,Advance,Mapema
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Dhidi ya Mkopo:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Mipangilio ya njia ya malipo ya GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Kubadilisha / Kupoteza
 DocType: Opportunity,Lost Reason,Sababu iliyopotea
@@ -3870,8 +3923,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Chagua Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Halafu {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Row {0}: Tarehe ya kuzaliwa ya Ndugu haiwezi kuwa kubwa kuliko leo.
 DocType: Fee Validity,Reference Inv,Mwaliko wa Kumbukumbu
 DocType: Sales Invoice Advance,Advance Amount,Kiwango cha awali
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Kiwango cha Riba ya Adhabu (%) Kwa Siku
 DocType: Manufacturing Settings,Capacity Planning,Mipango ya Uwezo
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Marekebisho ya Upangaji (Kampuni ya Fedha
 DocType: Asset,Policy number,Nambari ya sera
@@ -3887,7 +3942,9 @@
 DocType: Normal Test Items,Require Result Value,Thamani ya Thamani ya Uhitaji
 DocType: Purchase Invoice,Pricing Rules,Sheria za Bei
 DocType: Item,Show a slideshow at the top of the page,Onyesha slideshow juu ya ukurasa
+DocType: Appointment Letter,Body,Mwili
 DocType: Tax Withholding Rate,Tax Withholding Rate,Kiwango cha Kuzuia Ushuru
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Tarehe ya kuanza Kulipa ni lazima kwa mkopo wa muda mrefu
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Maduka
@@ -3907,7 +3964,7 @@
 DocType: Call Log,Received By,Imepokelewa na
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Muda wa Uteuzi (Dakika)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Maelezo ya Kigezo cha Mapangilio ya Fedha
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Usimamizi wa Mikopo
+DocType: Loan,Loan Management,Usimamizi wa Mikopo
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Fuatilia Mapato na gharama tofauti kwa vipimo vya bidhaa au mgawanyiko.
 DocType: Rename Tool,Rename Tool,Badilisha jina
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Sasisha Gharama
@@ -3915,6 +3972,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Fomu
 DocType: Sales Invoice,Mode of Transport,Njia ya Usafiri
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Onyesha Slip ya Mshahara
+DocType: Loan,Is Term Loan,Mkopo wa Muda
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Nyenzo za Uhamisho
 DocType: Fees,Send Payment Request,Tuma Ombi la Malipo
 DocType: Travel Request,Any other details,Maelezo mengine yoyote
@@ -3932,6 +3990,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Mtoko wa Fedha kutoka Fedha
 DocType: Budget Account,Budget Account,Akaunti ya Bajeti
 DocType: Quality Inspection,Verified By,Imehakikishwa na
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Ongeza Usalama wa Mkopo
 DocType: Travel Request,Name of Organizer,Jina la Mhariri
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Haiwezi kubadilisha sarafu ya msingi ya kampuni, kwa sababu kuna shughuli zilizopo. Shughuli zinapaswa kufutwa ili kubadilisha sarafu ya default."
 DocType: Cash Flow Mapping,Is Income Tax Liability,"Je, ni kodi ya kodi?"
@@ -3982,6 +4041,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Inahitajika
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ikiwa imegunduliwa, huficha na kulemaza Jumla ya Jumla ya uwanja katika Slips Slary"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Hii ndio kosa la kawaida (siku) kwa Tarehe ya Utoaji katika Maagizo ya Uuzaji. Mkato wa kurudi nyuma ni siku 7 kutoka tarehe ya uwekaji amri.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Tafadhali sasisha safu za nambari za Kuhudhuria kupitia Usanidi&gt; Mfululizo wa hesabu
 DocType: Rename Tool,File to Rename,Funga Kurejesha tena
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Tafadhali chagua BOM kwa Bidhaa katika Row {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Pata Updates za Usajili
@@ -3994,6 +4054,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Nambari za serial Ziliundwa
 DocType: POS Profile,Applicable for Users,Inatumika kwa Watumiaji
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN -YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Kuanzia Tarehe na Hadi leo ni ya lazima
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Weka Mradi na Kazi zote kwa hadhi {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Weka Maendeleo na Ugawa (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Hakuna Amri za Kazi zilizoundwa
@@ -4003,6 +4064,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Vitu na
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Gharama ya Vitu Vilivyotunzwa
 DocType: Employee Separation,Employee Separation Template,Kigezo cha Utunzaji wa Waajiriwa
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Zero qty ya {0} imeahidi dhidi ya mkopo {0}
 DocType: Selling Settings,Sales Order Required,Amri ya Mauzo Inahitajika
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Kuwa Muzaji
 ,Procurement Tracker,Ununuzi wa Tracker
@@ -4099,11 +4161,12 @@
 ,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,Total Absent,Jumla ya Ukosefu
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Kiasi kinacholipwa
+DocType: Loan Repayment,Payable Amount,Kiasi kinacholipwa
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Fursa
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Nguvu kubwa haiwezi kuwa chini ya sifuri.
 DocType: Options,Option,Chaguo
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Hauwezi kuunda viingizo vya uhasibu katika kipindi cha uhasibu kilichofungwa {0}
 DocType: Operation,Default Workstation,Kituo cha Kazi cha Kazi
@@ -4145,6 +4208,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Kiasi cha riba ni lazima
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Hatua Zingine
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Vitu vilivyohifadhiwa
@@ -4195,8 +4259,6 @@
 DocType: Grant Application,Grant Application Details ,Ruhusu Maelezo ya Maombi
 DocType: Employee Separation,Employee Separation,Ugawaji wa Waajiriwa
 DocType: BOM Item,Original Item,Nakala ya awali
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Tafadhali futa Mfanyikazi <a href=""#Form/Employee/{0}"">{0}</a> \ ili kughairi hati hii"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tarehe ya Hati
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Kumbukumbu za ada zilizoundwa - {0}
 DocType: Asset Category Account,Asset Category Account,Akaunti ya Jamii ya Mali
@@ -4232,6 +4294,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Bidhaa ya Mtihani wa Maabara {0} tayari ipo
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ni likizo ya kampuni
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Masaa yanayoweza kulipwa
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Kiwango cha Riba ya Adhabu hutozwa kwa kiwango cha riba kinachosubiri kila siku ili malipo yachelewe
+DocType: Appointment Letter content,Appointment Letter content,Barua ya Uteuzi
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Acha Arifa ya Hali
 DocType: Patient Appointment,Procedure Prescription,Utaratibu wa Dawa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Furnitures na Marekebisho
@@ -4251,7 +4315,7 @@
 DocType: Opportunity,Customer / Lead Name,Wateja / Jina la Kiongozi
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Tarehe ya kufuta haijajwajwa
 DocType: Payroll Period,Taxable Salary Slabs,Slabs Salary zilizolipwa
-DocType: Job Card,Production,Uzalishaji
+DocType: Plaid Settings,Production,Uzalishaji
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN batili! Uingizaji ambao umeingia haulingani na muundo wa GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Thamani ya Akaunti
 DocType: Guardian,Occupation,Kazi
@@ -4395,6 +4459,7 @@
 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,Student {0} does not belong to group {1},Mwanafunzi {0} sio kikundi {1}
+DocType: Appointment Letter,Appointment Date,Tarehe ya kuteuliwa
 DocType: Budget,Cost Center,Kituo cha Gharama
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Nchi ya Meli
@@ -4465,6 +4530,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Vipimo vya Uhasibu
 ,Profit and Loss Statement,Taarifa ya Faida na Kupoteza
 DocType: Bank Reconciliation Detail,Cheque Number,Angalia Nambari
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Kiasi kinacholipwa hakiwezi kuwa sifuri
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Kipengee kilichorejelewa na {0} - {1} tayari kinarejeshwa
 ,Sales Browser,Kivinjari cha Mauzo
 DocType: Journal Entry,Total Credit,Jumla ya Mikopo
@@ -4569,6 +4635,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Ongeza / Hariri Masharti ya Coupon
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Akaunti ya gharama na tofauti ({0}) lazima iwe akaunti ya &#39;Faida au Kupoteza&#39;
 DocType: Stock Entry Detail,Stock Entry Child,Mtoto wa Kuingia
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Kampuni ya Ahadi ya Usalama wa Mkopo na Kampuni ya Mkopo lazima iwe sawa
 DocType: Project,Copied From,Ilikosa Kutoka
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Dawa tayari imeundwa kwa masaa yote ya kulipa
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Jina la kosa: {0}
@@ -4576,6 +4643,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Ni Gharama za Fedha
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Mahudhurio ya mfanyakazi {0} tayari amewekwa alama
 DocType: Packing Slip,If more than one package of the same type (for print),Ikiwa zaidi ya mfuko mmoja wa aina moja (kwa kuchapishwa)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mtaalam katika Elimu&gt; Mipangilio ya elimu
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Tafadhali weka mteja default katika Mipangilio ya Mkahawa
 ,Salary Register,Daftari ya Mshahara
 DocType: Company,Default warehouse for Sales Return,Ghala la Default la Kurudi kwa Uuzaji
@@ -4620,7 +4688,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Sifa ya Sasa Hapana
 DocType: Employee,Attendance and Leave Details,Mahudhurio na Maelezo ya Kuondoka
 ,BOM Comparison Tool,Chombo cha kulinganisha cha BOM
-,Requested,Aliomba
+DocType: Loan Security Pledge,Requested,Aliomba
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4632,7 +4700,6 @@
 DocType: Drug Prescription,Drug Prescription,Dawa ya Dawa
 DocType: Service Level,Support and Resolution,Msaada na Azimio
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Nambari ya bidhaa ya bure haijachaguliwa
-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
@@ -4666,6 +4733,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Tayari umehakikishia vigezo vya tathmini {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Kiasi cha mapungufu
 DocType: Vehicle Service,Engine Oil,Mafuta ya injini
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Amri ya Kazi Iliundwa: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Tafadhali weka kitambulisho cha barua pepe kwa Kiongozi {0}
@@ -4684,6 +4752,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Akaunti haijawekwa kwa chati ya dashibodi {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Weka Kutoa Discount On
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Chagua Aina ...
+DocType: Loan Interest Accrual,Amounts,Viwango
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Tiketi zako
 DocType: Account,Root Type,Aina ya mizizi
 DocType: Item,FIFO,FIFO
@@ -4691,6 +4760,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Haiwezi kurudi zaidi ya {1} kwa Bidhaa {2}
 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: Loan Security Price,Loan Security Price,Bei ya Usalama wa Mkopo
 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,Target warehouse is mandatory for row {0},Ghala inayolenga ni lazima kwa mstari {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Uendeshaji wa Uuzaji
@@ -4829,6 +4899,7 @@
 DocType: Coupon Code,Coupon Description,Maelezo ya Coupon
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Kundi ni lazima katika mstari {0}
 DocType: Company,Default Buying Terms,Masharti ya Kununua chaguo msingi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Utoaji wa mkopo
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Ununuzi wa Receipt Item Inayolewa
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Wezesha Synch iliyopangwa
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Ili Ufikiaji
@@ -4857,6 +4928,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ingiza betwe kumi na moja {0} na {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Ingiza jina la kampeni ikiwa chanzo cha uchunguzi ni kampeni
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Waandishi wa gazeti
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Hakuna <b>bei ya Usalama ya Mkopo</b> halali iliyopatikana kwa {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tarehe za baadaye haziruhusiwi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Tarehe ya utoaji inayotarajiwa inapaswa kuwa baada ya Tarehe ya Kuagiza Mauzo
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Reorder Level
@@ -4923,6 +4995,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Pendekezo / Punguzo la Bei
 DocType: Antibiotic,Healthcare,Huduma ya afya
 DocType: Target Detail,Target Detail,Maelezo ya Target
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Michakato ya mkopo
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Tofauti moja
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Kazi zote
 DocType: Sales Order,% of materials billed against this Sales Order,% ya vifaa vilivyotokana na Utaratibu huu wa Mauzo
@@ -4985,7 +5058,7 @@
 DocType: Item,Reorder level based on Warehouse,Weka upya ngazi kulingana na Ghala
 DocType: Activity Cost,Billing Rate,Kiwango cha kulipia
 ,Qty to Deliver,Uchina Ili Kuokoa
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Unda Uingilio wa Malipo
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Unda Uingilio wa Malipo
 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,Operations cannot be left blank,Kazi haiwezi kushoto tupu
@@ -5019,6 +5092,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Ondoa unganisho la nje
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Chagua malipo yanayolingana
 DocType: Pricing Rule,Item Code,Msimbo wa kipengee
+DocType: Loan Disbursement,Pending Amount For Disbursal,Kiwango cha Kusubiri kwa Utoaji
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU -YYYY.-
 DocType: Serial No,Warranty / AMC Details,Maelezo ya udhamini / AMC
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Chagua wanafunzi kwa kikundi kwa Kundi la Shughuli
@@ -5041,6 +5115,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Uchina Jumla
 DocType: Landed Cost Item,Receipt Document,Hati ya Receipt
 DocType: Employee Education,School/University,Shule / Chuo Kikuu
+DocType: Loan Security Pledge,Loan  Details,Maelezo ya Mkopo
 DocType: Sales Invoice Item,Available Qty at Warehouse,Uchina Inapatikana katika Ghala
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Ulipa kiasi
 DocType: Share Transfer,(including),(ikiwa ni pamoja na)
@@ -5064,6 +5139,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Vikundi
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Kundi na Akaunti
 DocType: Purchase Invoice,Hold Invoice,Weka ankara
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Hali ya Ahadi
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Tafadhali chagua Mfanyakazi
 DocType: Sales Order,Fully Delivered,Kutolewa kikamilifu
 DocType: Promotional Scheme Price Discount,Min Amount,Kiasi cha chini
@@ -5073,7 +5149,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Kiasi kilichopotea hawezi kuwa kikubwa kuliko Kiasi cha Mikopo {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} # Kiasi kilichowekwa {1} haiwezi kuwa kikubwa kuliko kiasi kisichojulikana {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Nambari ya Order ya Ununuzi inahitajika kwa Bidhaa {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Chukua majani yaliyosafishwa
@@ -5101,6 +5176,7 @@
 DocType: Pick List Item,Serial No and Batch,Serial Hakuna na Batch
 DocType: Warranty Claim,From Company,Kutoka kwa Kampuni
 DocType: GSTR 3B Report,January,Januari
+DocType: Loan Repayment,Principal Amount Paid,Kiasi kuu cha kulipwa
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Muhtasari wa Mipango ya Tathmini inahitaji kuwa {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Tafadhali weka Idadi ya Dhamana iliyopangwa
 DocType: Supplier Scorecard Period,Calculations,Mahesabu
@@ -5126,6 +5202,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Kuhusu Kampuni yako
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Onyesha data ya uzee wa hisa
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Mikopo Kwa akaunti lazima iwe Hesabu ya Hesabu ya Hesabu
+DocType: Loan Repayment,Penalty Amount,Kiasi cha Adhabu
 DocType: Donor,Donor,Msaidizi
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Sasisha Ushuru kwa Vitu
 DocType: Global Defaults,Disable In Words,Zimaza Maneno
@@ -5156,6 +5233,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kituo cha Gharama na Bajeti
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Kufungua Mizani Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Sehemu ya Malipo yaliyolipwa
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Tafadhali weka Ratiba ya Malipo
 DocType: Pick List,Items under this warehouse will be suggested,Vitu vilivyo chini ya ghala hili vitapendekezwa
 DocType: Purchase Invoice,N,N
@@ -5189,7 +5267,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} haipatikani kwa Bidhaa {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Thamani lazima iwe kati ya {0} na {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Onyesha kodi ya umoja katika kuchapisha
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"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,Message Sent,Ujumbe uliotumwa
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Akaunti yenye nodes za watoto haiwezi kuweka kama kiongozi
 DocType: C-Form,II,II
@@ -5203,6 +5280,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Washa Agizo la Kuunda upya kiotomatiki
 DocType: Stock Settings,Item Naming By,Kipengele kinachojulikana
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Muda mwingine wa Kuingia Ufungashaji {0} umefanywa baada ya {1}
+DocType: Proposed Pledge,Proposed Pledge,Ahadi Iliyopendekezwa
 DocType: Work Order,Material Transferred for Manufacturing,Nyenzo Iliyohamishwa kwa Uzalishaji
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Akaunti {0} haipo
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Chagua Programu ya Uaminifu
@@ -5213,7 +5291,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Kuweka Matukio kwa {0}, kwa kuwa Mfanyikazi amefungwa kwa Watu chini ya Mauzo hawana ID ya Mtumiaji {1}"
 DocType: Timesheet,Billing Details,Maelezo ya kulipia
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Chanzo na lengo la ghala lazima iwe tofauti
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu&gt; Mipangilio ya HR
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Malipo Imeshindwa. Tafadhali angalia Akaunti yako ya GoCardless kwa maelezo zaidi
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Hairuhusiwi kusasisha ushirikiano wa hisa zaidi kuliko {0}
 DocType: Stock Entry,Inspection Required,Ukaguzi unahitajika
@@ -5226,6 +5303,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Ghala la utoaji inahitajika kwa kipengee cha hisa {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Uzito mkubwa wa mfuko. Kawaida uzito wa uzito + uzito wa vifaa vya uzito. (kwa kuchapishwa)
 DocType: Assessment Plan,Program,Programu
+DocType: Unpledge,Against Pledge,Dhidi ya ahadi
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Watumiaji wenye jukumu hili wanaruhusiwa kuweka akaunti zilizohifadhiwa na kujenga / kurekebisha entries za uhasibu dhidi ya akaunti zilizohifadhiwa
 DocType: Plaid Settings,Plaid Environment,Mazingira ya Taa
 ,Project Billing Summary,Muhtasari wa Bili ya Mradi
@@ -5277,6 +5355,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Vita
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Idadi ya miadi ya siku inaweza kutengwa kabla
 DocType: Article,LMS User,Mtumiaji wa LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Ahadi ya Usalama wa Mkopo ni ya lazima kwa mkopo uliohifadhiwa
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Mahali pa Ugavi (Jimbo / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,UOM ya hisa
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Amri ya Ununuzi {0} haijawasilishwa
@@ -5350,6 +5429,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Unda Kadi ya Kazi
 DocType: Quotation,Referral Sales Partner,Mshirika wa Uuzaji wa Uhamishaji
 DocType: Quality Procedure Process,Process Description,Maelezo ya Mchakato
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Haiwezi Kuahidi, dhamana ya usalama wa mkopo ni kubwa kuliko kiwango kilicholipwa"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Mteja {0} ameundwa.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5370,7 +5450,7 @@
 DocType: Asset,Insurance Details,Maelezo ya Bima
 DocType: Account,Payable,Inalipwa
 DocType: Share Balance,Share Type,Shiriki Aina
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Tafadhali ingiza Kipindi cha Malipo
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Tafadhali ingiza Kipindi cha Malipo
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Wadaiwa ({0})
 DocType: Pricing Rule,Margin,Margin
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Wateja wapya
@@ -5379,6 +5459,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Badilisha Profaili ya POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Qty au Kiasi ni jukumu la usalama wa mkopo
 DocType: Bank Reconciliation Detail,Clearance Date,Tarehe ya kufuta
 DocType: Delivery Settings,Dispatch Notification Template,Kigezo cha Arifa ya Msaada
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Ripoti ya Tathmini
@@ -5414,6 +5495,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Shirikisha Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Invoice ya Mauzo {0} imeundwa
 DocType: Employee,Confirmation Date,Tarehe ya uthibitisho
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Tafadhali futa Mfanyikazi <a href=""#Form/Employee/{0}"">{0}</a> \ ili kughairi hati hii"
 DocType: Inpatient Occupancy,Check Out,Angalia
 DocType: C-Form,Total Invoiced Amount,Kiasi kilichopakiwa
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Qty haiwezi kuwa kubwa kuliko Max Qty
@@ -5427,7 +5510,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Kitambulisho cha kampuni ya Quickbooks
 DocType: Travel Request,Travel Funding,Fedha za kusafiri
 DocType: Employee Skill,Proficiency,Ustadi
-DocType: Loan Application,Required by Date,Inahitajika kwa Tarehe
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Maelezo ya Ununuzi wa Ununuzi
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Kiungo kwa Maeneo yote ambayo Mazao yanakua
 DocType: Lead,Lead Owner,Mmiliki wa Kiongozi
@@ -5446,7 +5528,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM ya sasa na BOM Mpya haiwezi kuwa sawa
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Kitambulisho cha Mshahara wa Mshahara
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Tarehe ya Kustaafu lazima iwe kubwa kuliko Tarehe ya kujiunga
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Mtoaji&gt; Aina ya wasambazaji
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Vipengele vingi
 DocType: Sales Invoice,Against Income Account,Dhidi ya Akaunti ya Mapato
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Ametolewa
@@ -5479,7 +5560,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Malipo ya aina ya thamani haipatikani kama Kuunganisha
 DocType: POS Profile,Update Stock,Sasisha Stock
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Maelezo ya Malipo
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Kiwango cha BOM
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Kusoma Faili Iliyopakiwa
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Hifadhi ya Kazi iliyozuiwa haiwezi kufutwa, Fungua kwa kwanza kufuta"
@@ -5514,6 +5595,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,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,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: Loan,Maximum Loan Value,Thamani ya Mkopo wa kiwango cha juu
 ,Stock Ledger,Ledger ya hisa
 DocType: Company,Exchange Gain / Loss Account,Pata Akaunti ya Kupoteza / Kupoteza
 DocType: Amazon MWS Settings,MWS Credentials,Vidokezo vya MWS
@@ -5521,6 +5603,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Lengo lazima iwe moja ya {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Jaza fomu na uihifadhi
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Jumuiya ya Jumuiya
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Hakuna Majani yaliyotengwa kwa Mfanyakazi: {0} kwa Aina ya Likizo: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Kweli qty katika hisa
 DocType: Homepage,"URL for ""All Products""",URL ya &quot;Bidhaa Zote&quot;
 DocType: Leave Application,Leave Balance Before Application,Kuondoa Msaada Kabla ya Maombi
@@ -5622,7 +5705,6 @@
 DocType: Fee Schedule,Fee Schedule,Ratiba ya ada
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Lebo za safu:
 DocType: Bank Transaction,Settled,Tulia
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Tarehe ya Marejesho haiwezi kuwa baada ya Tarehe ya Marejesho ya Mkopo
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Viwanja
 DocType: Company,Create Chart Of Accounts Based On,Unda Chati ya Hesabu za Akaunti
@@ -5642,6 +5724,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Masharti ya Mikopo na Malipo
 DocType: Loyalty Program,Collection Rules,Kanuni za Ukusanyaji
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Kipengee 3
+DocType: Loan Security Shortfall,Shortfall Time,Muda wa mapungufu
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Kuingia kwa Amri
 DocType: Purchase Order,Customer Contact Email,Anwani ya Mawasiliano ya Wateja
 DocType: Warranty Claim,Item and Warranty Details,Maelezo na maelezo ya dhamana
@@ -5661,12 +5744,14 @@
 DocType: Sales Person,Sales Person Name,Jina la Mtu wa Mauzo
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Tafadhali ingiza ankara 1 kwenye meza
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Hakuna Jaribio la Lab limeundwa
+DocType: Loan Security Shortfall,Security Value ,Thamani ya Usalama
 DocType: POS Item Group,Item Group,Kundi la Bidhaa
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Kikundi cha Wanafunzi:
 DocType: Depreciation Schedule,Finance Book Id,Id ya Kitabu cha Fedha
 DocType: Item,Safety Stock,Usalama wa Hifadhi
 DocType: Healthcare Settings,Healthcare Settings,Mipangilio ya afya
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Jumla ya Majani yaliyowekwa
+DocType: Appointment Letter,Appointment Letter,Barua ya Uteuzi
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Maendeleo% ya kazi haiwezi kuwa zaidi ya 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Kabla ya upatanisho
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Kwa {0}
@@ -5721,6 +5806,7 @@
 DocType: Stock Entry,From BOM,Kutoka BOM
 DocType: Assessment Code,Assessment Code,Kanuni ya Tathmini
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Msingi
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Maombi ya mkopo kutoka kwa wateja na wafanyikazi.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Ushirikiano wa hisa kabla ya {0} ni waliohifadhiwa
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Tafadhali bonyeza &#39;Generate Schedule&#39;
 DocType: Job Card,Current Time,Wakati wa sasa
@@ -5747,7 +5833,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Ruhusu
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Hakuna Vikundi vya Wanafunzi vilivyoundwa.
 DocType: Purchase Invoice Item,Serial No,Serial No
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Kiwango cha Ushuru wa kila mwezi hawezi kuwa kubwa kuliko Kiwango cha Mikopo
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Kiwango cha Ushuru wa kila mwezi hawezi kuwa kubwa kuliko Kiwango cha Mikopo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Tafadhali ingiza maelezo ya Duka la kwanza
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Tarehe ya Utoaji Inayotarajiwa haiwezi kuwa kabla ya Tarehe ya Utunzaji wa Ununuzi
 DocType: Purchase Invoice,Print Language,Panga Lugha
@@ -5761,6 +5847,7 @@
 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,All Territories,Wilaya zote
+DocType: Plaid Settings,development,maendeleo
 DocType: Lost Reason Detail,Lost Reason Detail,Maelezo Iliyopotea
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Amri ya batili ya batili kwa Wateja waliochaguliwa na Bidhaa
@@ -5823,12 +5910,14 @@
 DocType: Staffing Plan Detail,Current Openings,Mafunguo ya sasa
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Mtoko wa Fedha kutoka Uendeshaji
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Kiwango cha CGST
+DocType: Vehicle Log,Current Odometer value ,Thamani ya sasa ya Odometer
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Unda Mwanafunzi
 DocType: Asset Movement Item,Asset Movement Item,Bidhaa ya Harakati za Mali
 DocType: Purchase Invoice,Shipping Rule,Sheria ya Utoaji
 DocType: Patient Relation,Spouse,Mwenzi wako
 DocType: Lab Test Groups,Add Test,Ongeza Mtihani
 DocType: Manufacturer,Limited to 12 characters,Imepunguzwa kwa wahusika 12
+DocType: Appointment Letter,Closing Notes,Vidokezo vya kufunga
 DocType: Journal Entry,Print Heading,Chapisha kichwa
 DocType: Quality Action Table,Quality Action Table,Jedwali La hatua ya Ubora
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Jumla haiwezi kuwa sifuri
@@ -5895,6 +5984,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Jumla (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Tafadhali tambua / unda Akaunti (Kikundi) cha aina - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Burudani &amp; Burudani
+DocType: Loan Security,Loan Security,Usalama wa Mkopo
 ,Item Variant Details,Maelezo ya Toleo la Tofauti
 DocType: Quality Inspection,Item Serial No,Kitu cha Serial No
 DocType: Payment Request,Is a Subscription,Ni Usajili
@@ -5907,7 +5997,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Umri wa hivi karibuni
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Tarehe zilizopangwa na zilizokubaliwa haziwezi kuwa chini ya leo
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer Nyenzo kwa Wasambazaji
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Serial Mpya Hapana haiwezi kuwa na Ghala. Ghala lazima liwekewe na Entry Entry au Receipt ya Ununuzi
 DocType: Lead,Lead Type,Aina ya Kiongozi
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Unda Nukuu
@@ -5925,7 +6014,6 @@
 DocType: Leave Allocation,Leave Period,Acha Period
 DocType: Item,Default Material Request Type,Aina ya Ombi la Ufafanuzi wa Matumizi
 DocType: Supplier Scorecard,Evaluation Period,Kipimo cha Tathmini
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Mteja&gt; Kikundi cha Wateja&gt; Wilaya
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Haijulikani
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Kazi ya Kazi haijatengenezwa
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6009,7 +6097,8 @@
 ,Customer-wise Item Price,Bei ya vitu vya busara ya Wateja
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Taarifa ya Flow Flow
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Hakuna ombi la nyenzo lililoundwa
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kiasi cha Mkopo hawezi kuzidi Kiwango cha Mikopo ya Upeo wa {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kiasi cha Mkopo hawezi kuzidi Kiwango cha Mikopo ya Upeo wa {0}
+DocType: Loan,Loan Security Pledge,Ahadi ya Usalama wa Mkopo
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Leseni
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6027,6 +6116,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Mpango wa Punguzo la Bei
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Hali ya Matengenezo inapaswa kufutwa au Imekamilika Kuwasilisha
 DocType: Amazon MWS Settings,US,Marekani
+DocType: Loan Security Pledge,Pledged,Iliyoahidiwa
 DocType: Holiday List,Add Weekly Holidays,Ongeza Holidays za wiki
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Ripoti Jambo
 DocType: Staffing Plan Detail,Vacancies,Vifungu
@@ -6045,7 +6135,6 @@
 DocType: Production Plan Item,Planned Start Date,Tarehe ya Kuanza Iliyopangwa
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Tafadhali chagua BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Taasisi iliyoingizwa ya ITC iliyopatikana
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Unda Kuingia kwa Kurudisha
 DocType: Purchase Order Item,Blanket Order Rate,Kiwango cha Mpangilio wa Kibatili
 ,Customer Ledger Summary,Muhtasari wa Mteja wa Wateja
 apps/erpnext/erpnext/hooks.py,Certification,Vyeti
@@ -6066,6 +6155,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Kitambulisho cha Kigezo cha Kigezo
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Biashara
 DocType: Patient,Alcohol Current Use,Pombe Sasa Matumizi
+DocType: Loan,Loan Closure Requested,Kufungwa kwa Mkopo Kuhitajika
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Kiwango cha Malipo ya Kodi ya Nyumba
 DocType: Student Admission Program,Student Admission Program,Mpango wa Uingizaji wa Wanafunzi
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Jamii ya Uhuru wa Kodi
@@ -6089,6 +6179,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Mauzo
 DocType: Stock Entry Detail,Basic Amount,Kiasi cha Msingi
 DocType: Training Event,Exam,Mtihani
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Mchakato wa Upungufu wa Usalama wa Mikopo
 DocType: Email Campaign,Email Campaign,Kampeni ya barua pepe
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Hitilafu ya sokoni
 DocType: Complaint,Complaint,Malalamiko
@@ -6168,6 +6259,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Tuma hii ili kuunda rekodi ya Wafanyakazi
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Bei ya Mikopo ya Usalama inayoingiliana na {0}
 DocType: Item Default,Item Default,Item Default
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Ugavi wa Jimbo la ndani
 DocType: Chapter Member,Leave Reason,Acha Sababu
@@ -6194,6 +6286,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Coupon inayotumiwa ni {1}. Wingi ulioruhusiwa umechoka
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Je! Unataka kupeleka ombi la nyenzo
 DocType: Job Offer,Awaiting Response,Inasubiri Jibu
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Mkopo ni wa lazima
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH -YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Juu
 DocType: Support Search Source,Link Options,Chaguo cha Kiungo
@@ -6206,6 +6299,7 @@
 DocType: Training Event Employee,Optional,Hiari
 DocType: Salary Slip,Earning & Deduction,Kufikia &amp; Kupunguza
 DocType: Agriculture Analysis Criteria,Water Analysis,Uchambuzi wa Maji
+DocType: Pledge,Post Haircut Amount,Kiasi cha Kukata nywele
 DocType: Sales Order,Skip Delivery Note,Skip Kumbuka
 DocType: Price List,Price Not UOM Dependent,Bei sio Mtegemezi wa UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} vigezo vimeundwa.
@@ -6232,6 +6326,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Pata vipengee kutoka kwenye Mfuko wa Bidhaa
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Njia ya Kurudisha ni lazima kwa mikopo ya muda mrefu
 DocType: Asset,Straight Line,Sawa Mstari
 DocType: Project User,Project User,Mtumiaji wa Mradi
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Split
@@ -6276,7 +6371,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uwezo wa Kuruhusiwa Kuweka Akaunti Zenye Frozen &amp; Hariri Vitisho vya Frozen
 DocType: Supplier Scorecard Scoring Variable,Path,Njia
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Haiwezi kubadilisha Kituo cha Gharama kwenye kiwanja kama ina nodes za watoto
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Sababu ya ubadilishaji wa UOM ({0} -&gt; {1}) haipatikani kwa kipengee: {2}
 DocType: Production Plan,Total Planned Qty,Uchina Uliopangwa
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Manunuzi tayari yameshatolewa kutoka kwa taarifa
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Thamani ya Ufunguzi
@@ -6285,11 +6379,8 @@
 DocType: Material Request Plan Item,Required Quantity,Kiasi kinachohitajika
 DocType: Lab Test Template,Lab Test Template,Kigezo cha Mtihani wa Lab
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Kipindi cha Uhasibu huingiliana na {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Mtoaji&gt; Aina ya wasambazaji
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Akaunti ya Mauzo
 DocType: Purchase Invoice Item,Total Weight,Uzito wote
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Tafadhali futa Mfanyikazi <a href=""#Form/Employee/{0}"">{0}</a> \ ili kughairi hati hii"
 DocType: Pick List Item,Pick List Item,Chagua Orodha ya Bidhaa
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Tume ya Mauzo
 DocType: Job Offer Term,Value / Description,Thamani / Maelezo
@@ -6336,6 +6427,7 @@
 DocType: Patient Encounter,Encounter Date,Kukutana Tarehe
 DocType: Work Order,Update Consumed Material Cost In Project,Sasisha Gharama Iliyodhaniwa ya nyenzo katika Mradi
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Akaunti: {0} kwa fedha: {1} haiwezi kuchaguliwa
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Mikopo iliyopewa wateja na wafanyikazi.
 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
@@ -6404,7 +6496,6 @@
 DocType: Contract,Signed On,Iliyosainiwa
 DocType: Bank Account,Party Type,Aina ya Chama
 DocType: Discounted Invoice,Discounted Invoice,Ankara iliyopunguzwa
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marko mahudhurio kama <b></b>
 DocType: Payment Schedule,Payment Schedule,Ratiba ya Malipo
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Hakuna Mfanyikazi aliyepatikana kwa thamani ya shamba aliyopewa ya mfanyakazi. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Hali
@@ -6476,6 +6567,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Wakopaji
 DocType: Assessment Plan,Assessment Name,Jina la Tathmini
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial Hakuna lazima
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Kiasi cha {0} inahitajika kwa kufungwa kwa Mkopo
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Jedwali Maelezo ya kodi ya busara
 DocType: Employee Onboarding,Job Offer,Kazi ya Kazi
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Usanidi wa Taasisi
@@ -6499,7 +6591,6 @@
 DocType: Purchase Order,To Receive,Kupokea
 DocType: Leave Period,Holiday List for Optional Leave,Orodha ya Likizo ya Kuondoka kwa Hiari
 DocType: Item Tax Template,Tax Rates,Viwango vya Ushuru
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Nambari ya Bidhaa&gt; Kikundi cha bidhaa&gt; Brand
 DocType: Asset,Asset Owner,Mmiliki wa Mali
 DocType: Item,Website Content,Yaliyomo kwenye Tovuti
 DocType: Bank Account,Integration ID,Kitambulisho cha Ujumuishaji
@@ -6515,6 +6606,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Amri ya Synch
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Amri iliyotolewa kwa ajili ya uzalishaji.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Chagua Mwaka wa Fedha ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Tafadhali chagua Aina ya Mkopo kwa kampuni {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6543,6 +6635,7 @@
 DocType: Customer,Mention if non-standard receivable account,Eleza kama akaunti isiyo ya kawaida ya kupokea
 DocType: Bank,Plaid Access Token,Ishara ya Upataji wa Paa
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Tafadhali ongeza faida zilizobaki {0} kwa sehemu yoyote iliyopo
+DocType: Bank Account,Is Default Account,Akaunti Default
 DocType: Journal Entry Account,If Income or Expense,Kama Mapato au Gharama
 DocType: Course Topic,Course Topic,Mada ya kozi
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Ushirikiano wa vocha ya kufunga POS inapatikana kwa {0} kati ya tarehe {1} na {2}
@@ -6555,7 +6648,7 @@
 DocType: Disease,Treatment Task,Kazi ya Matibabu
 DocType: Payment Order Reference,Bank Account Details,Maelezo ya Akaunti ya Benki
 DocType: Purchase Order Item,Blanket Order,Mpangilio wa kikapu
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Kiasi cha Ulipaji lazima iwe kubwa kuliko
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Kiasi cha Ulipaji lazima iwe kubwa kuliko
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Mali ya Kodi
 DocType: BOM Item,BOM No,BOM Hapana
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Sasisha Maelezo
@@ -6611,6 +6704,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Bidhaa za WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Hitilafu ya Syntax katika fomu au hali: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Kipengee {0} kinachunguzwa kwani si kitu cha hisa
+,Loan Security Status,Hali ya Usalama wa Mkopo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Ili kuomba Sheria ya bei katika shughuli fulani, Sheria zote za Bei lazima zimezimwa."
 DocType: Payment Term,Day(s) after the end of the invoice month,Siku (s) baada ya mwisho wa mwezi wa ankara
 DocType: Assessment Group,Parent Assessment Group,Kundi la Tathmini ya Mzazi
@@ -6625,7 +6719,6 @@
 DocType: Stock Entry Detail,Additional Cost,Gharama za ziada
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Haiwezi kuchuja kulingana na Voucher No, ikiwa imewekwa na Voucher"
 DocType: Quality Inspection,Incoming,Inakuja
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Tafadhali sasisha safu za nambari za Kuhudhuria kupitia Usanidi&gt; Mfululizo wa hesabu
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Vidokezo vya kodi za kutosha kwa mauzo na ununuzi vinaloundwa.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Tathmini ya Matokeo ya Tathmini {0} tayari imepo.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Mfano: ABCD. #####. Ikiwa mfululizo umewekwa na Batch No haijajwajwa katika shughuli, basi nambari ya kundi la moja kwa moja litaundwa kulingana na mfululizo huu. Ikiwa daima unataka kueleza wazi Kundi Hakuna kwa kipengee hiki, chagua hii tupu. Kumbuka: mipangilio hii itachukua kipaumbele juu ya Kiambatisho cha Msaada wa Naming katika Mipangilio ya Hifadhi"
@@ -6636,8 +6729,10 @@
 DocType: Contract,Party User,Mtumiaji wa Chama
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Mali ambayo haijatengenezwa kwa <b>{0}</b> . Utalazimika kuunda mali kwa mikono.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Tafadhali weka Chujio cha Kampuni kikiwa tupu ikiwa Kundi Na &#39;Kampuni&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Mteja&gt; Kikundi cha Wateja&gt; Wilaya
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Tarehe ya Kuchapisha haiwezi kuwa tarehe ya baadaye
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} hailingani na {2} {3}
+DocType: Loan Repayment,Interest Payable,Riba Inalipwa
 DocType: Stock Entry,Target Warehouse Address,Anwani ya Wakala ya Ghala
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Kuondoka kwa kawaida
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Wakati kabla ya kuanza kwa wakati ambapo Kuingia kwa Wafanyakazi kunazingatiwa kwa mahudhurio.
@@ -6765,6 +6860,7 @@
 DocType: Issue,Reset Service Level Agreement,Rudisha Mkataba wa Kiwango cha Huduma
 ,Sales Person-wise Transaction Summary,Muhtasari wa Shughuli za Wafanyabiashara wa Mauzo
 DocType: Training Event,Contact Number,Namba ya mawasiliano
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Kiasi cha mkopo ni lazima
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6813,6 +6909,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Kiwango cha usawa
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Masharti yatatumika kwa vitu vyote vilivyochaguliwa pamoja.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Malengo hayawezi kuwa tupu
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Ghala isiyo sahihi
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Kujiandikisha wanafunzi
 DocType: Item Group,Parent Item Group,Kikundi cha Mzazi cha Mzazi
 DocType: Appointment Type,Appointment Type,Aina ya Uteuzi
@@ -6866,10 +6963,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Kiwango cha wastani
 DocType: Appointment,Appointment With,Uteuzi na
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Kiwango cha Malipo ya Jumla katika Ratiba ya Malipo lazima iwe sawa na Grand / Rounded Total
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marko mahudhurio kama <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Bidhaa iliyotolewa na Wateja&quot; haiwezi kuwa na Kiwango cha Tathimini
 DocType: Subscription Plan Detail,Plan,Mpango
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Usawa wa Taarifa ya Benki kama kwa Jedwali Mkuu
-DocType: Job Applicant,Applicant Name,Jina la Msaidizi
+DocType: Appointment Letter,Applicant Name,Jina la Msaidizi
 DocType: Authorization Rule,Customer / Item Name,Jina la Wateja / Bidhaa
 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**. 
 
@@ -6913,11 +7011,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Usambazaji
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Hali ya mfanyikazi haiwezi kuweka &#39;Kushoto&#39; kwani wafanyikazi wanaofuata wanaripoti kwa mfanyakazi huyu:
-DocType: Journal Entry Account,Loan,Mikopo
+DocType: Loan Repayment,Amount Paid,Kiasi kilicholipwa
+DocType: Loan Security Shortfall,Loan,Mikopo
 DocType: Expense Claim Advance,Expense Claim Advance,Tumia Madai ya Ushauri
 DocType: Lab Test,Report Preference,Upendeleo wa Ripoti
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Maelezo ya kujitolea.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Meneja wa mradi
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Kikundi Na Mteja
 ,Quoted Item Comparison,Ilipendekeza Kulinganishwa kwa Bidhaa
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Tangaza
@@ -6937,6 +7037,7 @@
 DocType: Material Request Plan Item,Material Issue,Matatizo ya Nyenzo
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Bidhaa ya bure ambayo haijawekwa katika kanuni ya bei {0}
 DocType: Employee Education,Qualification,Ustahili
+DocType: Loan Security Shortfall,Loan Security Shortfall,Upungufu wa Usalama wa Mkopo
 DocType: Item Price,Item Price,Item Bei
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabuni &amp; Daktari
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Mfanyakazi {0} sio wa kampuni {1}
@@ -6959,6 +7060,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Maelezo ya Uteuzi
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Bidhaa iliyomalizika
 DocType: Warehouse,Warehouse Name,Jina la Ghala
+DocType: Loan Security Pledge,Pledge Time,Wakati wa Ahadi
 DocType: Naming Series,Select Transaction,Chagua Shughuli
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Tafadhali ingiza Uwezeshaji au Kuidhinisha Mtumiaji
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Mkataba wa Kiwango cha Huduma na Aina ya Taasisi {0} na Taasisi {1} tayari ipo.
@@ -6966,7 +7068,6 @@
 DocType: BOM,Rate Of Materials Based On,Kiwango cha Vifaa vya msingi
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ikiwa imewezeshwa, Muda wa Kitaa wa Shule utakuwa wa lazima katika Chombo cha Usajili wa Programu."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Thamani za misamaha, vifaa vya ndani visivyo na kipimo na visivyo vya GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Mteja&gt; Kikundi cha Wateja&gt; Wilaya
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Kampuni</b> ni kichujio cha lazima.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Futa yote
 DocType: Purchase Taxes and Charges,On Item Quantity,Juu ya Wingi wa kitu
@@ -7011,7 +7112,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Uchina wa Ufupi
 DocType: Purchase Invoice,Input Service Distributor,Msambazaji wa Huduma ya Kuingiza
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Tofauti ya kipengee {0} ipo na sifa sawa
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mtaalam katika Elimu&gt; Mipangilio ya elimu
 DocType: Loan,Repay from Salary,Malipo kutoka kwa Mshahara
 DocType: Exotel Settings,API Token,Ishara ya API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Inalipa malipo dhidi ya {0} {1} kwa kiasi {2}
@@ -7031,6 +7131,7 @@
 DocType: Salary Slip,Total Interest Amount,Kiasi cha Maslahi
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Haikubali
 DocType: Accounts Settings,Stale Days,Siku za Stale
 DocType: Travel Itinerary,Arrival Datetime,Saa ya Tarehe ya Kuwasili
 DocType: Tax Rule,Billing Zipcode,Msimbo wa Zipcode
@@ -7217,6 +7318,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Masaa
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Miadi mpya imeundwa kwako na {0}
 DocType: Project,Expected Start Date,Tarehe ya Mwanzo Inayotarajiwa
+DocType: Work Order,This is a location where raw materials are available.,Hapa ni mahali ambapo malighafi zinapatikana.
 DocType: Purchase Invoice,04-Correction in Invoice,Marekebisho ya 04 katika ankara
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Kazi ya Kazi imeundwa tayari kwa vitu vyote na BOM
 DocType: Bank Account,Party Details,Maelezo ya Chama
@@ -7235,6 +7337,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Nukuu:
 DocType: Contract,Partially Fulfilled,Kimatimizwa kikamilifu
 DocType: Maintenance Visit,Fully Completed,Imekamilishwa kikamilifu
+DocType: Loan Security,Loan Security Name,Jina la Mkopo la Usalama
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Tabia maalum isipokuwa &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Na &quot;}&quot; hairuhusiwi katika kutaja mfululizo"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Haikadiriwa au kutolewa msamaha
 DocType: Employee,Educational Qualification,Ufanisi wa Elimu
@@ -7291,6 +7394,7 @@
 DocType: Program,Is Featured,Imeonekana
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Inachukua ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Mtumiaji wa Kilimo
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,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
@@ -7367,8 +7471,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},Mfanyakazi {0} ni juu ya Acha kwenye {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Hakuna malipo yaliyochaguliwa kwa Kuingia kwa Journal
 DocType: Purchase Invoice,GST Category,Jamii ya GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Ahadi zilizopendekezwa ni za lazima kwa Mikopo iliyohifadhiwa
 DocType: Payment Reconciliation,From Invoice Date,Kutoka tarehe ya ankara
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Bajeti
 DocType: Invoice Discounting,Disbursed,Kutengwa
@@ -7426,14 +7530,13 @@
 DocType: Restaurant,Active Menu,Menyu ya Kazi
 DocType: Accounting Dimension Detail,Default Dimension,Vipimo Mbadala
 DocType: Target Detail,Target Qty,Uchina wa Target
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Dhidi ya mkopo: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Mipangilio ya Checkout
 DocType: Student Attendance,Present,Sasa
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Kumbuka Utoaji {0} haipaswi kuwasilishwa
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Kijitabu cha mshahara kilichotumwa kwa mfanyikazi kitalindwa nywila, nywila itatolewa kwa kuzingatia sera ya nenosiri."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,Iliyoamriwa Uchina
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Item {0} imezimwa
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Upto
@@ -7490,7 +7593,6 @@
 DocType: Serial No,Delivery Document Type,Aina ya Nyaraka za Utoaji
 DocType: Sales Order,Partly Delivered,Sehemu iliyotolewa
 DocType: Item Variant Settings,Do not update variants on save,Usasasishe vipengee kwenye salama
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Kikundi cha Custmer
 DocType: Email Digest,Receivables,Mapato
 DocType: Lead Source,Lead Source,Chanzo cha Mwelekeo
 DocType: Customer,Additional information regarding the customer.,Maelezo ya ziada kuhusu mteja.
@@ -7586,6 +7688,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Kweli
 DocType: Appointment,Skype ID,Kitambulisho cha Skype
 DocType: Restaurant Menu,Restaurant Manager,Meneja wa Mgahawa
+DocType: Loan,Penalty Income Account,Akaunti ya Mapato ya Adhabu
 DocType: Call Log,Call Log,Simu ya Kuingia
 DocType: Authorization Rule,Customerwise Discount,Ugawaji wa Wateja
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet kwa ajili ya kazi.
@@ -7673,6 +7776,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Mpango wa Punguzo la Bidhaa
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Hakuna suala lililotolewa na mpigaji.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Kikundi cha Wasambazaji
 DocType: Restaurant Reservation,Waitlisted,Inastahiliwa
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Jamii ya Ukombozi
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Fedha haiwezi kubadilishwa baada ya kuingiza saini kwa kutumia sarafu nyingine
@@ -7683,7 +7787,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Ushauri
 DocType: Subscription Plan,Based on price list,Kulingana na orodha ya bei
 DocType: Customer Group,Parent Customer Group,Kundi la Wateja wa Mzazi
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,E-Way Bill JSON inaweza tu kutengenezwa kutoka ankara ya Uuzaji
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Jaribio kubwa la jaribio hili limefikiwa!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Usajili
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Uumbaji wa Ada Inasubiri
@@ -7701,6 +7804,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Matengenezo ya kuzuia
 DocType: Delivery Note Item,Against Sales Invoice,Dhidi ya ankara za Mauzo
 DocType: Purchase Invoice,07-Others,07-Wengine
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Kiwango cha Nukuu
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Tafadhali ingiza namba za serial kwa bidhaa iliyotumiwa
 DocType: Bin,Reserved Qty for Production,Nambari iliyohifadhiwa ya Uzalishaji
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Acha kuondoka bila kufuata kama hutaki kuzingatia kundi wakati wa kufanya makundi ya msingi.
@@ -7808,6 +7912,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Kumbuka Receipt Kumbuka
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Unda Ombi la Nyenzo
+DocType: Loan Interest Accrual,Pending Principal Amount,Kiwango cha Kuu kinachosubiri
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Tarehe za kuanza na kumalizika sio katika kipindi halali cha malipo, haziwezi kuhesabu {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7851,6 +7956,7 @@
 											to fullfill Sales Order {2}",Haiwezi kutoa Serial Hapana {0} ya kipengee {1} kama imehifadhiwa \ kwa Maagizo ya Mauzo Kamili {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN -YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Nukuu ya Wafanyabiashara {0} imeundwa
+DocType: Loan Security Unpledge,Unpledge Type,Aina ya Kuahidi
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Mwaka wa Mwisho hauwezi kuwa kabla ya Mwaka wa Mwanzo
 DocType: Employee Benefit Application,Employee Benefits,Faida ya Waajiriwa
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Kitambulisho cha mfanyakazi
@@ -7933,6 +8039,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Msimbo wa Kozi:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Tafadhali ingiza Akaunti ya gharama
 DocType: Quality Action Resolution,Problem,Shida
+DocType: Loan Security Type,Loan To Value Ratio,Mkopo Ili Kuongeza Thamani
 DocType: Account,Stock,Stock
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7950,6 +8057,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Taarifa ya Benki Kuingia kwa Msajili
 DocType: Sales Invoice Item,Discount and Margin,Punguzo na Margin
 DocType: Lab Test,Prescription,Dawa
+DocType: Process Loan Security Shortfall,Update Time,Sasisha Wakati
 DocType: Import Supplier Invoice,Upload XML Invoices,Pakia ankara za XML
 DocType: Company,Default Deferred Revenue Account,Akaunti ya Revenue iliyochaguliwa
 DocType: Project,Second Email,Barua ya pili
@@ -7963,7 +8071,7 @@
 DocType: Quality Action,Preventive,Kuzuia
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Ugavi uliotolewa kwa Watu wasio sajiliwa
 DocType: Company,Date of Incorporation,Tarehe ya Kuingizwa
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Jumla ya Ushuru
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Jumla ya Ushuru
 DocType: Manufacturing Settings,Default Scrap Warehouse,Ghala la kusaga chakavu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Bei ya Ununuzi ya Mwisho
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Kwa Wingi (Uchina uliofanywa) ni lazima
@@ -7982,6 +8090,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Weka hali ya malipo ya default
 DocType: Stock Entry Detail,Against Stock Entry,Dhidi ya Kuingia kwa Hisa
 DocType: Grant Application,Withdrawn,Imeondolewa
+DocType: Loan Repayment,Regular Payment,Malipo ya Mara kwa mara
 DocType: Support Search Source,Support Search Source,Kusaidia Chanzo cha Utafutaji
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Kubwa
 DocType: Project,Gross Margin %,Margin ya Pato%
@@ -7994,8 +8103,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Bila Malipo ya Kodi
 DocType: BOM Operation,BOM Operation,Uendeshaji wa BOM
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Kwenye Mshahara Uliopita
+DocType: Student,Home Address,Anwani ya nyumbani
 DocType: Options,Is Correct,Ni sahihi
 DocType: Item,Has Expiry Date,Ina Tarehe ya Muda
+DocType: Loan Repayment,Paid Accrual Entries,Malipisho ya Ada ya Kulipwa
+DocType: Loan Security,Loan Security Type,Aina ya Usalama wa Mkopo
 apps/erpnext/erpnext/config/support.py,Issue Type.,Aina ya Toleo.
 DocType: POS Profile,POS Profile,Profaili ya POS
 DocType: Training Event,Event Name,Jina la Tukio
@@ -8007,6 +8119,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Msimu wa kuweka bajeti, malengo nk."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Hakuna maadili
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Jina linalofautiana
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Chagua Akaunti ya Benki ili upatanishe.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Kipengee {0} ni template, tafadhali chagua moja ya vipengele vyake"
 DocType: Purchase Invoice Item,Deferred Expense,Gharama zilizochaguliwa
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Rudi kwa Ujumbe
@@ -8058,7 +8171,6 @@
 DocType: GL Entry,To Rename,Kubadilisha jina
 DocType: Stock Entry,Repack,Piga
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Chagua kuongeza Nambari ya serial.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mtaalam katika Elimu&gt; Mipangilio ya elimu
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Tafadhali weka Nambari ya Fedha kwa wateja &#39;%&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Tafadhali chagua Kampuni kwanza
 DocType: Item Attribute,Numeric Values,Vigezo vya Hesabu
@@ -8082,6 +8194,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Pakua kwa msingi wa FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Mizizi haiwezi kuhaririwa.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Thamani ya Usalama ya Mkopo
 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
@@ -8128,6 +8241,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Tafadhali chagua Jamii kwanza
 apps/erpnext/erpnext/config/projects.py,Project master.,Mradi wa mradi.
 DocType: Contract,Contract Terms,Masharti ya Mkataba
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Kikomo cha Kiwango kilichoidhinishwa
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Endelea Usanidi
 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,Maximum benefit amount of component {0} exceeds {1},Ufikiaji wa kiwango kikubwa cha sehemu {0} unazidi {1}
@@ -8160,6 +8274,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Angalia logi ya simu
 DocType: BOM Operation,Operating Cost(Company Currency),Gharama za Uendeshaji (Fedha la Kampuni)
 DocType: Loan Application,Rate of Interest,Kiwango cha Maslahi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Ahadi ya Usalama wa Mkopo tayari imeahidi dhidi ya mkopo {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Kizuizi
 DocType: Item,Shelf Life In Days,Uhai wa Shelf Katika Siku
 DocType: GL Entry,Is Opening,Inafungua
@@ -8173,3 +8288,4 @@
 DocType: Account,Cash,Fedha
 DocType: Sales Invoice,Unpaid and Discounted,Iliyolipwa na Imepunguzwa
 DocType: Employee,Short biography for website and other publications.,Wasifu mfupi wa tovuti na machapisho mengine.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Njia # {0}: Haiwezi kuchagua Ghala la Wasambazaji wakati unasambaza malighafi kwa subcontractor
diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv
index cb3b238..39870b9 100644
--- a/erpnext/translations/ta.csv
+++ b/erpnext/translations/ta.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,வாய்ப்பு இழந்த காரணம்
 DocType: Patient Appointment,Check availability,கிடைக்கும் என்பதை சரிபார்க்கவும்
 DocType: Retention Bonus,Bonus Payment Date,போனஸ் கொடுக்கும் தேதி
-DocType: Employee,Job Applicant,வேலை விண்ணப்பதாரர்
+DocType: Appointment Letter,Job Applicant,வேலை விண்ணப்பதாரர்
 DocType: Job Card,Total Time in Mins,நிமிடங்களில் மொத்த நேரம்
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,இந்த சப்ளையர் எதிராக பரிமாற்றங்கள் அடிப்படையாக கொண்டது. விவரங்கள் கீழே காலவரிசை பார்க்க
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,வேலை ஆணைக்கான அதிக உற்பத்தி சதவீதம்
@@ -182,6 +182,7 @@
 DocType: Delivery Stop,Contact Information,தொடர்பு தகவல்
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,எதையும் தேடுங்கள் ...
 ,Stock and Account Value Comparison,பங்கு மற்றும் கணக்கு மதிப்பு ஒப்பீடு
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,வழங்கப்பட்ட தொகை கடன் தொகையை விட அதிகமாக இருக்கக்கூடாது
 DocType: Company,Phone No,இல்லை போன்
 DocType: Delivery Trip,Initial Email Notification Sent,ஆரம்ப மின்னஞ்சல் அறிவிப்பு அனுப்பப்பட்டது
 DocType: Bank Statement Settings,Statement Header Mapping,அறிக்கை தலைப்பு மேப்பிங்
@@ -286,6 +287,7 @@
 DocType: Lead,Interested,அக்கறை உள்ள
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,திறப்பு
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,திட்டம்:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,செல்லுபடியாகும் நேரம் செல்லுபடியாகும் நேரத்தை விட குறைவாக இருக்க வேண்டும்.
 DocType: Item,Copy From Item Group,பொருள் குழு நகல்
 DocType: Journal Entry,Opening Entry,திறப்பு நுழைவு
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,கணக்கு சம்பளம்
@@ -333,6 +335,7 @@
 DocType: Student,B-,பி-
 DocType: Assessment Result,Grade,தரம்
 DocType: Restaurant Table,No of Seats,இடங்கள் இல்லை
+DocType: Loan Type,Grace Period in Days,நாட்களில் கிரேஸ் காலம்
 DocType: Sales Invoice,Overdue and Discounted,மிகை மற்றும் தள்ளுபடி
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,அழைப்பு துண்டிக்கப்பட்டது
 DocType: Sales Invoice Item,Delivered By Supplier,சப்ளையர் மூலம் வழங்கப்படுகிறது
@@ -384,7 +387,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,பரிந்துரைக்கப்பட்ட நடைமுறைகள்
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS ஐ மட்டும் காட்டு
 DocType: Supplier Group,Supplier Group Name,சப்ளையர் குழு பெயர்
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,வருகை என குறிக்கவும் <b></b>
 DocType: Driver,Driving License Categories,உரிமம் வகைகளை டிரைவிங்
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,டெலிவரி தேதி உள்ளிடுக
 DocType: Depreciation Schedule,Make Depreciation Entry,தேய்மானம் நுழைவு செய்ய
@@ -401,10 +403,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,குலையை மூடுதல் மேற்கொள்ளப்படும்.
 DocType: Asset Maintenance Log,Maintenance Status,பராமரிப்பு நிலையை
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,பொருள் வரி தொகை மதிப்பில் சேர்க்கப்பட்டுள்ளது
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,கடன் பாதுகாப்பு நீக்குதல்
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,உறுப்பினர் விவரங்கள்
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: சப்ளையர் செலுத்த வேண்டிய கணக்கு எதிராக தேவைப்படுகிறது {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,பொருட்கள் மற்றும் விலை
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},மொத்த மணிநேரம் {0}
+DocType: Loan,Loan Manager,கடன் மேலாளர்
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},வரம்பு தேதி நிதியாண்டு க்குள் இருக்க வேண்டும். தேதி அனுமானம் = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,ஹெச்எல்சி-பிஎம்ஆர்-.YYYY.-
 DocType: Drug Prescription,Interval,இடைவேளை
@@ -463,6 +467,7 @@
 DocType: Work Order Operation,Updated via 'Time Log','டைம் பரிசீலனை' வழியாக புதுப்பிக்கப்பட்டது
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,வாடிக்கையாளர் அல்லது சப்ளையரை தேர்ந்தெடுக்கவும்.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,கோப்பில் உள்ள நாட்டின் குறியீடு கணினியில் அமைக்கப்பட்ட நாட்டின் குறியீட்டோடு பொருந்தவில்லை
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},கணக்கு {0} நிறுவனத்திற்கு சொந்தமானது இல்லை {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,இயல்புநிலையாக ஒரே ஒரு முன்னுரிமையைத் தேர்ந்தெடுக்கவும்.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},அட்வான்ஸ் தொகை விட அதிகமாக இருக்க முடியாது {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","நேரம் ஸ்லாட் கைவிடப்பட்டது, {0} {1} க்கு {3}, {3}"
@@ -540,7 +545,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,தடுக்கப்பட்ட விட்டு
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},பொருள் {0} வாழ்க்கை அதன் இறுதியில் அடைந்துவிட்டது {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,வங்கி பதிவுகள்
-DocType: Customer,Is Internal Customer,உள் வாடிக்கையாளர்
+DocType: Sales Invoice,Is Internal Customer,உள் வாடிக்கையாளர்
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,விற்பனை விலைப்பட்டியல் இல்லை
@@ -564,6 +569,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,பொருள் கோரிக்கை
 DocType: Bank Reconciliation,Update Clearance Date,இசைவு தேதி புதுப்பிக்க
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,மூட்டை Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,விண்ணப்பம் அங்கீகரிக்கப்படும் வரை கடனை உருவாக்க முடியாது
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},கொள்முதல் ஆணை உள்ள &#39;மூலப்பொருட்கள் சப்ளை&#39; அட்டவணை காணப்படவில்லை பொருள் {0} {1}
 DocType: Salary Slip,Total Principal Amount,மொத்த முதன்மை தொகை
@@ -571,6 +577,7 @@
 DocType: Quiz Result,Correct,சரி
 DocType: Student Guardian,Mother,தாய்
 DocType: Restaurant Reservation,Reservation End Time,இட ஒதுக்கீடு முடிவு நேரம்
+DocType: Salary Slip Loan,Loan Repayment Entry,கடன் திருப்பிச் செலுத்தும் நுழைவு
 DocType: Crop,Biennial,பையனியல்
 ,BOM Variance Report,பொருள் பட்டியல் மாறுபாடு அறிக்கை
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,வாடிக்கையாளர்கள் இருந்து உத்தரவுகளை உறுதி.
@@ -592,6 +599,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},எதிராக செலுத்தும் {0} {1} மிகச்சிறந்த காட்டிலும் அதிகமாக இருக்க முடியாது {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,அனைத்து சுகாதார சேவை அலகுகள்
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,வாய்ப்பை மாற்றுவதில்
+DocType: Loan,Total Principal Paid,மொத்த முதன்மை கட்டணம்
 DocType: Bank Account,Address HTML,HTML முகவரி
 DocType: Lead,Mobile No.,மொபைல் எண்
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,கொடுப்பனவு முறை
@@ -610,12 +618,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,அடிப்படை செலாவணியின் இருப்பு
 DocType: Supplier Scorecard Scoring Standing,Max Grade,மேக்ஸ் கிரேடு
 DocType: Email Digest,New Quotations,புதிய மேற்கோள்கள்
+DocType: Loan Interest Accrual,Loan Interest Accrual,கடன் வட்டி திரட்டல்
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,விடுமுறை நாட்களில் {0} {0} க்கான வருகை சமர்ப்பிக்கப்படவில்லை.
 DocType: Journal Entry,Payment Order,கட்டணம் ஆர்டர்
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,மின்னஞ்சலை உறுதிசெய்யுங்கள்
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,பிற மூலங்களிலிருந்து வருமானம்
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","காலியாக இருந்தால், பெற்றோர் கிடங்கு கணக்கு அல்லது நிறுவனத்தின் இயல்புநிலை கருதப்படும்"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,விருப்பமான மின்னஞ்சல் பணியாளர் தேர்வு அடிப்படையில் ஊழியர் மின்னஞ்சல்கள் சம்பளம் சீட்டு
+DocType: Work Order,This is a location where operations are executed.,செயல்பாடுகள் செயல்படுத்தப்படும் இடம் இது.
 DocType: Tax Rule,Shipping County,கப்பல் உள்ளூரில்
 DocType: Currency Exchange,For Selling,விற்பனைக்கு
 apps/erpnext/erpnext/config/desktop.py,Learn,அறிய
@@ -624,6 +634,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,அப்ளைடு கூப்பன் குறியீடு
 DocType: Asset,Next Depreciation Date,அடுத்த தேய்மானம் தேதி
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,பணியாளர் ஒன்றுக்கு நடவடிக்கை செலவு
+DocType: Loan Security,Haircut %,ஹேர்கட்%
 DocType: Accounts Settings,Settings for Accounts,கணக்குகளைத் அமைப்புகள்
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},சப்ளையர் விலைப்பட்டியல் இல்லை கொள்முதல் விலைப்பட்டியல் உள்ளது {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,விற்பனை நபர் மரம் நிர்வகி .
@@ -663,6 +674,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{@} ஹோட்டல் அறை விகிதத்தை தயவுசெய்து அமைக்கவும்
 DocType: Journal Entry,Multi Currency,பல நாணய
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,விலைப்பட்டியல் வகை
+DocType: Loan,Loan Security Details,கடன் பாதுகாப்பு விவரங்கள்
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,தேதியிலிருந்து செல்லுபடியாகும் தேதி வரை செல்லுபடியாகும்
 DocType: Purchase Invoice,Set Accepted Warehouse,ஏற்றுக்கொள்ளப்பட்ட கிடங்கை அமைக்கவும்
 DocType: Employee Benefit Claim,Expense Proof,செலவின ஆதாரம்
@@ -767,7 +779,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,லேப் சோதனை ஒப்புதல் தேவை
 DocType: Attendance,Working Hours,வேலை நேரங்கள்
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,மொத்த நிலுவை
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},உருப்படிக்கு UOM மாற்று காரணி ({0} -&gt; {1}) காணப்படவில்லை: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ஏற்கனவே தொடரில் தற்போதைய / தொடக்க வரிசை எண் மாற்ற.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"ஆர்டர் செய்யப்பட்ட தொகைக்கு எதிராக அதிக கட்டணம் செலுத்த உங்களுக்கு அனுமதி சதவீதம். எடுத்துக்காட்டாக: ஒரு பொருளுக்கு ஆர்டர் மதிப்பு $ 100 ஆகவும், சகிப்புத்தன்மை 10% ஆகவும் அமைக்கப்பட்டால், நீங்கள் $ 110 க்கு பில் செய்ய அனுமதிக்கப்படுவீர்கள்."
 DocType: Dosage Strength,Strength,வலிமை
@@ -784,6 +795,7 @@
 DocType: Purchase Receipt,Vehicle Date,வாகன தேதி
 DocType: Campaign Email Schedule,Campaign Email Schedule,பிரச்சார மின்னஞ்சல் அட்டவணை
 DocType: Student Log,Medical,மருத்துவம்
+DocType: Work Order,This is a location where scraped materials are stored.,ஸ்கிராப் செய்யப்பட்ட பொருட்கள் சேமிக்கப்படும் இடம் இது.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,மருந்துகளைத் தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,முன்னணி உரிமையாளர் முன்னணி அதே இருக்க முடியாது
 DocType: Announcement,Receiver,பெறுநர்
@@ -879,7 +891,7 @@
 DocType: Driver,Applicable for external driver,வெளிப்புற இயக்கிக்கு பொருந்தும்
 DocType: Sales Order Item,Used for Production Plan,உற்பத்தி திட்டத்தை பயன்படுத்திய
 DocType: BOM,Total Cost (Company Currency),மொத்த செலவு (நிறுவன நாணயம்)
-DocType: Loan,Total Payment,மொத்த கொடுப்பனவு
+DocType: Repayment Schedule,Total Payment,மொத்த கொடுப்பனவு
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,அனைத்து விற்பனை ஒழுங்குப் பொருட்களுக்கும் ஏற்கனவே PO உருவாக்கப்பட்டது
@@ -904,6 +916,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,கொள்முதல் கட்டளைகளை எச்சரிக்கவும்
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,தேதி முதல் வாடகைக்கு
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,போதும் பாகங்கள் கட்டுவது எப்படி
+DocType: Loan Security,Loan Security Code,கடன் பாதுகாப்பு குறியீடு
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,முதலில் சேமிக்கவும்
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,அதனுடன் தொடர்புடைய மூலப்பொருட்களை இழுக்க பொருட்கள் தேவை.
 DocType: POS Profile User,POS Profile User,POS பயனர் பயனர்
@@ -960,6 +973,7 @@
 DocType: Patient,Risk Factors,ஆபத்து காரணிகள்
 DocType: Patient,Occupational Hazards and Environmental Factors,தொழில் அபாயங்கள் மற்றும் சுற்றுச்சூழல் காரணிகள்
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,வேலை உள்ளீடுகளை ஏற்கனவே பதிவு செய்துள்ளன
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,பொருள் குறியீடு&gt; பொருள் குழு&gt; பிராண்ட்
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,கடந்த ஆர்டர்களைப் பார்க்கவும்
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} உரையாடல்கள்
 DocType: Vital Signs,Respiratory rate,சுவாச விகிதம்
@@ -1021,6 +1035,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,வரி விலக்கு கணக்கு
 DocType: Pricing Rule,Sales Partner,விற்பனை வரன்வாழ்க்கை துணை
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,எல்லா சப்ளையர் ஸ்கார்கார்டுகளும்.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ஆர்டர் தொகை
+DocType: Loan,Disbursed Amount,வழங்கப்பட்ட தொகை
 DocType: Buying Settings,Purchase Receipt Required,கொள்முதல் ரசீது தேவை
 DocType: Sales Invoice,Rail,ரயில்
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,சரியான விலை
@@ -1057,6 +1073,7 @@
 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},வழங்கப்படுகிறது {0}
 DocType: QuickBooks Migrator,Connected to QuickBooks,குவிக்புக்ஸில் இணைக்கப்பட்டுள்ளது
 DocType: Bank Statement Transaction Entry,Payable Account,செலுத்த வேண்டிய கணக்கு
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,கட்டண உள்ளீடுகளைப் பெற கணக்கு கட்டாயமாகும்
 DocType: Payment Entry,Type of Payment,கொடுப்பனவு வகை
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,அரை நாள் தேதி கட்டாயமாகும்
 DocType: Sales Order,Billing and Delivery Status,பில்லிங் மற்றும் டெலிவரி நிலை
@@ -1093,7 +1110,7 @@
 DocType: Purchase Order Item,Billed Amt,பில் செய்த தொகை
 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,Principal Amount,அசல் தொகை
+DocType: Repayment Schedule,Principal Amount,அசல் தொகை
 DocType: Loan Application,Total Payable Interest,மொத்த செலுத்த வேண்டிய வட்டி
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},மொத்த நிலுவை: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,திறந்த தொடர்பு
@@ -1106,6 +1123,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,புதுப்பிப்பு செயல்பாட்டின் போது பிழை ஏற்பட்டது
 DocType: Restaurant Reservation,Restaurant Reservation,உணவக முன்பதிவு
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,உங்கள் பொருட்கள்
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,சப்ளையர்&gt; சப்ளையர் வகை
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,மானசாவுடன்
 DocType: Payment Entry Deduction,Payment Entry Deduction,கொடுப்பனவு நுழைவு விலக்கு
 DocType: Service Level Priority,Service Level Priority,சேவை நிலை முன்னுரிமை
@@ -1260,7 +1278,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),அடிப்படை விகிதம் (நிறுவனத்தின் கரன்சி)
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,பிளவு வெளியீடு
 DocType: Student Attendance,Student Attendance,மாணவர் வருகை
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,ஏற்றுமதி செய்ய தரவு இல்லை
 DocType: Sales Invoice Timesheet,Time Sheet,நேரம் தாள்
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush மூலப்பொருட்கள் அடித்தளமாகக்
 DocType: Sales Invoice,Port Code,போர்ட் கோட்
@@ -1273,6 +1290,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,உண்மையான விநியோக தேதி
 DocType: Lab Test,Test Template,டெஸ்ட் டெம்ப்ளேட்
+DocType: Loan Security Pledge,Securities,பத்திரங்கள்
 DocType: Restaurant Order Entry Item,Served,பணியாற்றினார்
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,அத்தியாய தகவல்.
 DocType: Account,Accounts,கணக்குகள்
@@ -1365,6 +1383,7 @@
 DocType: Inpatient Record,O Negative,ஓ நெகட்டிவ்
 DocType: Work Order Operation,Planned End Time,திட்டமிட்ட நேரம்
 DocType: POS Profile,Only show Items from these Item Groups,இந்த உருப்படி குழுக்களிடமிருந்து மட்டுமே உருப்படிகளைக் காண்பி
+DocType: Loan,Is Secured Loan,பாதுகாப்பான கடன்
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,ஏற்கனவே பரிவர்த்தனை கணக்கு பேரேடு மாற்றப்பட முடியாது
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Memebership வகை விவரங்கள்
 DocType: Delivery Note,Customer's Purchase Order No,வாடிக்கையாளர் கொள்முதல் ஆணை இல்லை
@@ -1401,6 +1420,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,உள்ளீடுகளை பெறுவதற்கு கம்பெனி மற்றும் இடுகையிடும் தேதியைத் தேர்ந்தெடுக்கவும்
 DocType: Asset,Maintenance,பராமரிப்பு
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,நோயாளி என்கவுண்டரில் இருந்து கிடைக்கும்
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},உருப்படிக்கு UOM மாற்று காரணி ({0} -&gt; {1}) காணப்படவில்லை: {2}
 DocType: Subscriber,Subscriber,சந்தாதாரர்
 DocType: Item Attribute Value,Item Attribute Value,பொருள் மதிப்பு பண்பு
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,நாணய மாற்றுதல் வாங்குதல் அல்லது விற்பனைக்கு பொருந்தும்.
@@ -1495,6 +1515,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,அனுமதி இல்லை
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,ஒப்பந்த பூர்த்திச் சரிபார்ப்பு பட்டியல்
 DocType: Vital Signs,Heart Rate / Pulse,ஹார்ட் ரேட் / பல்ஸ்
+DocType: Customer,Default Company Bank Account,இயல்புநிலை கம்பெனி வங்கி கணக்கு
 DocType: Supplier,Default Bank Account,முன்னிருப்பு வங்கி கணக்கு
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",கட்சி அடிப்படையில் வடிகட்ட தேர்ந்தெடுக்கவும் கட்சி முதல் வகை
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"பொருட்களை வழியாக இல்லை, ஏனெனில் &#39;மேம்படுத்தல் பங்கு&#39; சோதிக்க முடியாது, {0}"
@@ -1612,7 +1633,6 @@
 DocType: Sales Team,Incentives,செயல் தூண்டுதல்
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ஒத்திசைவுக்கு வெளியே மதிப்புகள்
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,வேறுபாடு மதிப்பு
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,அமைவு&gt; எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும்
 DocType: SMS Log,Requested Numbers,கோரப்பட்ட எண்கள்
 DocType: Volunteer,Evening,சாயங்காலம்
 DocType: Quiz,Quiz Configuration,வினாடி வினா கட்டமைப்பு
@@ -1632,6 +1652,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,முந்தைய வரிசையில் மொத்த
 DocType: Purchase Invoice Item,Rejected Qty,நிராகரிக்கப்பட்டது அளவு
 DocType: Setup Progress Action,Action Field,அதிரடி புலம்
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,வட்டி மற்றும் அபராத விகிதங்களுக்கான கடன் வகை
 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,டெலிவரி ஸ்டாப்ஸ்
@@ -1643,6 +1664,7 @@
 ,Final Assessment Grades,இறுதி மதிப்பீட்டு தரங்கள்
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,நீங்கள் இந்த அமைப்பை அமைக்க இது உங்கள் நிறுவனத்தின் பெயர் .
 DocType: HR Settings,Include holidays in Total no. of Working Days,மொத்த எந்த விடுமுறை அடங்கும். வேலை நாட்கள்
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,மொத்தத்தில்%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext இல் உங்கள் நிறுவனத்தை அமைத்தல்
 DocType: Agriculture Analysis Criteria,Plant Analysis,தாவர பகுப்பாய்வு
 DocType: Task,Timeline,காலக்கெடு
@@ -1650,9 +1672,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,மாற்று பொருள்
 DocType: Shopify Log,Request Data,தரவு கோரிக்கை
 DocType: Employee,Date of Joining,சேர்வது தேதி
+DocType: Delivery Note,Inter Company Reference,நிறுவன நிறுவன குறிப்பு
 DocType: Naming Series,Update Series,மேம்படுத்தல் தொடர்
 DocType: Supplier Quotation,Is Subcontracted,துணை ஒப்பந்தம்
 DocType: Restaurant Table,Minimum Seating,குறைந்தபட்ச சீட்டிங்
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,கேள்வி நகலாக இருக்க முடியாது
 DocType: Item Attribute,Item Attribute Values,பொருள் பண்புக்கூறு கலாச்சாரம்
 DocType: Examination Result,Examination Result,தேர்வு முடிவு
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ரசீது வாங்க
@@ -1753,6 +1777,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள்
 DocType: Payment Request,Paid,Paid
 DocType: Service Level,Default Priority,இயல்புநிலை முன்னுரிமை
+DocType: Pledge,Pledge,உறுதிமொழி
 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 களின் சமீபத்திய விலையையும் புதுப்பிக்கிறது."
@@ -1766,6 +1791,7 @@
 DocType: Guardian,Guardian Name,பாதுகாவலர் பெயர்
 DocType: Cheque Print Template,Has Print Format,அச்சு வடிவம்
 DocType: Support Settings,Get Started Sections,தொடங்குதல் பிரிவுகள்
+,Loan Repayment and Closure,கடன் திருப்பிச் செலுத்துதல் மற்றும் மூடல்
 DocType: Lead,CRM-LEAD-.YYYY.-,சிஆர்எம்-தலைமை-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,ஒப்புதல்
 ,Base Amount,அடிப்படை தொகை
@@ -1779,7 +1805,6 @@
 DocType: Student Admission,Publish on website,வலைத்தளத்தில் வெளியிடு
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,சப்ளையர் விவரப்பட்டியல் தேதி பதிவுசெய்ய தேதி விட அதிகமாக இருக்க முடியாது
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ஐஎன்எஸ்-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,பொருள் குறியீடு&gt; பொருள் குழு&gt; பிராண்ட்
 DocType: Subscription,Cancelation Date,ரத்து தேதி
 DocType: Purchase Invoice Item,Purchase Order Item,ஆர்டர் பொருள் வாங்க
 DocType: Agriculture Task,Agriculture Task,வேளாண் பணி
@@ -1798,7 +1823,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,கூடுதல் தள்ளுபடி சதவீதம்
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,அனைத்து உதவி வீடியோக்களை பட்டியலை காண்க
 DocType: Agriculture Analysis Criteria,Soil Texture,மண் தோற்றம்
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,காசோலை டெபாசிட் அங்கு வங்கி கணக்கு தலைவர் தேர்வு.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,பயனர் நடவடிக்கைகளில் விலை பட்டியல் விகிதம் திருத்த அனுமதி
 DocType: Pricing Rule,Max Qty,மேக்ஸ் அளவு
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,அறிக்கை அறிக்கை அட்டை
@@ -1930,7 +1954,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","ஒருமுறை அமைக்க, இந்த விலைப்பட்டியல் வரை தேதி வரை வைத்திருக்கும்"
 DocType: Cashier Closing,POS-CLO-,பிஓஎஸ் CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,விற்பனை தொகை
-DocType: Repayment Schedule,Interest Amount,வட்டி தொகை
+DocType: Loan Interest Accrual,Interest Amount,வட்டி தொகை
 DocType: Job Card,Time Logs,நேரம் பதிவுகள்
 DocType: Sales Invoice,Loyalty Amount,விசுவாசம் தொகை
 DocType: Employee Transfer,Employee Transfer Detail,பணியாளர் மாற்றம் விரிவாக
@@ -1970,7 +1994,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ஆர்டர்களை ஆர்டர் செய்த பொருட்களை வாங்கவும்
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,ஜிப் குறியீடு
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},விற்பனை ஆணை {0} {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},கடனுக்கான வட்டி வருமானக் கணக்கைத் தேர்ந்தெடுத்து {0}
 DocType: Opportunity,Contact Info,தகவல் தொடர்பு
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,பங்கு பதிவுகள் செய்தல்
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,பணியாளர் நிலையை நிலை இடது பக்கம் ஊக்குவிக்க முடியாது
@@ -2054,7 +2077,6 @@
 DocType: Salary Slip,Deductions,விலக்கிற்கு
 DocType: Setup Progress Action,Action Name,அதிரடி பெயர்
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,தொடக்க ஆண்டு
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,கடனை உருவாக்குங்கள்
 DocType: Purchase Invoice,Start date of current invoice's period,தற்போதைய விலைப்பட்டியல் நேரத்தில் தேதி தொடங்கும்
 DocType: Shift Type,Process Attendance After,செயல்முறை வருகை பின்னர்
 ,IRS 1099,ஐஆர்எஸ் 1099
@@ -2075,6 +2097,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,உங்கள் களங்களைத் தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify சப்ளையர்
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,கட்டணம் விலைப்பட்டியல் பொருட்கள்
+DocType: Repayment Schedule,Is Accrued,திரட்டப்பட்டுள்ளது
 DocType: Payroll Entry,Employee Details,பணியாளர் விவரங்கள்
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,எக்ஸ்எம்எல் கோப்புகளை செயலாக்குகிறது
 DocType: Amazon MWS Settings,CN,சிஎன்
@@ -2104,6 +2127,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,லாயல்டி பாயிண்ட் நுழைவு
 DocType: Employee Checkin,Shift End,ஷிப்ட் முடிவு
 DocType: Stock Settings,Default Item Group,இயல்புநிலை பொருள் குழு
+DocType: Loan,Partially Disbursed,பகுதியளவு செலவிட்டு
 DocType: Job Card Time Log,Time In Mins,நிமிடங்களில் நேரம்
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,தகவல்களை வழங்குதல்.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,இந்த நடவடிக்கை உங்கள் வங்கிக் கணக்குகளுடன் ERPNext ஐ ஒருங்கிணைக்கும் எந்த வெளி சேவையிலிருந்தும் இந்த கணக்கை இணைக்காது. அதை செயல்தவிர்க்க முடியாது. நீங்கள் உறுதியாக இருக்கிறீர்களா?
@@ -2119,6 +2143,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,அதே பொருளைப் பலமுறை உள்ளிட முடியாது.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","மேலும் கணக்குகளை குழுக்கள் கீழ் செய்யப்பட்ட, ஆனால் உள்ளீடுகளை அல்லாத குழுக்கள் எதிராகவும் முடியும்"
+DocType: Loan Repayment,Loan Closure,கடன் மூடல்
 DocType: Call Log,Lead,தலைமை
 DocType: Email Digest,Payables,Payables
 DocType: Amazon MWS Settings,MWS Auth Token,MWS அங்கீகார டோக்கன்
@@ -2150,6 +2175,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,பணியாளர் வரி மற்றும் நன்மைகள்
 DocType: Bank Guarantee,Validity in Days,நாட்கள் செல்லுமைக்கான
 DocType: Bank Guarantee,Validity in Days,நாட்கள் செல்லுமைக்கான
+DocType: Unpledge,Haircut,ஹேர்கட்
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},சி வடிவம் விலைப்பட்டியல் பொருந்தாது: {0}
 DocType: Certified Consultant,Name of Consultant,ஆலோசகர் பெயர்
 DocType: Payment Reconciliation,Unreconciled Payment Details,ஒப்புரவாகவேயில்லை கொடுப்பனவு விபரங்கள்
@@ -2203,7 +2229,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,உலகம் முழுவதும்
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,பொருள் {0} பணி முடியாது
 DocType: Crop,Yield UOM,விளைச்சல் UOM
+DocType: Loan Security Pledge,Partially Pledged,ஓரளவு உறுதிமொழி
 ,Budget Variance Report,வரவு செலவு வேறுபாடு அறிக்கை
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,அனுமதிக்கப்பட்ட கடன் தொகை
 DocType: Salary Slip,Gross Pay,ஒட்டு மொத்த ஊதியம் / சம்பளம்
 DocType: Item,Is Item from Hub,பொருள் இருந்து மையமாக உள்ளது
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,சுகாதார சேவைகள் இருந்து பொருட்களை பெற
@@ -2238,6 +2266,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,புதிய தர நடைமுறை
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},{0} எப்போதும் இருக்க வேண்டும் கணக்கு இருப்பு {1}
 DocType: Patient Appointment,More Info,மேலும் தகவல்
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,சேரும் தேதியை விட பிறந்த தேதி அதிகமாக இருக்க முடியாது.
 DocType: Supplier Scorecard,Scorecard Actions,ஸ்கோர் கார்டு செயல்கள்
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},சப்ளையர் {0} {1} இல் இல்லை
 DocType: Purchase Invoice,Rejected Warehouse,நிராகரிக்கப்பட்டது கிடங்கு
@@ -2330,6 +2359,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,முதலில் உருப்படி கோட் ஐ அமைக்கவும்
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc வகை
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},கடன் பாதுகாப்பு உறுதிமொழி உருவாக்கப்பட்டது: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,நியமனங்கள் மற்றும் நோயாளி சந்திப்புகள்
@@ -2384,6 +2414,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,ஒரே நேரத்தில் நியமனங்கள் எண்ணிக்கை
 apps/erpnext/erpnext/config/desktop.py,Getting Started,தொடங்குதல்
 DocType: Purchase Invoice,Taxes and Charges Calculation,வரிகள் மற்றும் கட்டணங்கள் கணக்கிடுதல்
+DocType: Loan Interest Accrual,Payable Principal Amount,செலுத்த வேண்டிய முதன்மை தொகை
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,புத்தக சொத்து தேய்மானம் நுழைவு தானாகவே
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,புத்தக சொத்து தேய்மானம் நுழைவு தானாகவே
 DocType: BOM Operation,Workstation,பணிநிலையம்
@@ -2421,7 +2452,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,உணவு
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,வயதான ரேஞ்ச் 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,பிஓஎஸ் நிறைவு வவுச்சர் விவரங்கள்
-DocType: Bank Account,Is the Default Account,இயல்புநிலை கணக்கு
 DocType: Shopify Log,Shopify Log,Shopify பதிவு
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,தகவல் தொடர்பு எதுவும் கிடைக்கவில்லை.
 DocType: Inpatient Occupancy,Check In,சரிபார்க்கவும்
@@ -2475,12 +2505,14 @@
 DocType: Sales Order Item,Planned Quantity,திட்டமிட்ட அளவு
 DocType: Water Analysis,Water Analysis Criteria,நீர் பகுப்பாய்வு அளவுகோல்
 DocType: Item,Maintain Stock,பங்கு பராமரிக்கவும்
+DocType: Loan Security Unpledge,Unpledge Time,திறக்கப்படாத நேரம்
 DocType: Terms and Conditions,Applicable Modules,பொருந்தக்கூடிய தொகுதிகள்
 DocType: Employee,Prefered Email,prefered மின்னஞ்சல்
 DocType: Student Admission,Eligibility and Details,தகுதி மற்றும் விவரம்
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,மொத்த லாபத்தில் சேர்க்கப்பட்டுள்ளது
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,நிலையான சொத்து நிகர மாற்றம்
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,இறுதி தயாரிப்பு சேமிக்கப்பட்ட இடம் இது.
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,வகை வரிசையில் {0} ல் ' உண்மையான ' பொறுப்பு மதிப்பிட சேர்க்கப்பட்டுள்ளது முடியாது
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},அதிகபட்சம்: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,தேதி நேரம் இருந்து
@@ -2520,8 +2552,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,உத்தரவாதத்தை / AMC நிலைமை
 ,Accounts Browser,கணக்கு உலாவி
 DocType: Procedure Prescription,Referral,பரிந்துரை
+,Territory-wise Sales,பிரதேச வாரியான விற்பனை
 DocType: Payment Entry Reference,Payment Entry Reference,கொடுப்பனவு நுழைவு குறிப்பு
 DocType: GL Entry,GL Entry,ஜீ நுழைவு
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,வரிசை # {0}: ஏற்றுக்கொள்ளப்பட்ட கிடங்கு மற்றும் சப்ளையர் கிடங்கு ஒரே மாதிரியாக இருக்க முடியாது
 DocType: Support Search Source,Response Options,பதில் விருப்பங்கள்
 DocType: Pricing Rule,Apply Multiple Pricing Rules,பல விலை விதிகளைப் பயன்படுத்துங்கள்
 DocType: HR Settings,Employee Settings,பணியாளர் அமைப்புகள்
@@ -2596,6 +2630,7 @@
 DocType: Item,Sales Details,விற்பனை விவரம்
 DocType: Coupon Code,Used,பயன்படுத்திய
 DocType: Opportunity,With Items,பொருட்களை கொண்டு
+DocType: Vehicle Log,last Odometer Value ,கடைசி ஓடோமீட்டர் மதிப்பு
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',&#39;{0}&#39; பிரச்சாரம் ஏற்கனவே {1} &#39;{2}&#39; க்கு உள்ளது
 DocType: Asset Maintenance,Maintenance Team,பராமரிப்பு குழு
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","எந்த பிரிவுகள் தோன்ற வேண்டும் என்று வரிசை. 0 முதல், 1 இரண்டாவது மற்றும் பல."
@@ -2606,7 +2641,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,செலவு கூறுகின்றனர் {0} ஏற்கனவே வாகன பதிவு உள்ளது
 DocType: Asset Movement Item,Source Location,மூல இடம்
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,நிறுவனம் பெயர்
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,தயவு செய்து கடனைத் திரும்பச் செலுத்தும் தொகை நுழைய
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,தயவு செய்து கடனைத் திரும்பச் செலுத்தும் தொகை நுழைய
 DocType: Shift Type,Working Hours Threshold for Absent,இல்லாத நேரத்திற்கான வேலை நேரம் வாசல்
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,மொத்த செலவுகளின் அடிப்படையில் பல அடுக்கு சேகரிப்பு காரணி இருக்கலாம். ஆனால் மீட்புக்கான மாற்றுக் காரணி எப்பொழுதும் அனைத்து அடுக்குகளுக்கும் ஒரேமாதிரியாக இருக்கும்.
 apps/erpnext/erpnext/config/help.py,Item Variants,பொருள் மாறிகள்
@@ -2629,6 +2664,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,கொடுப்பனவு அட்டவணை காணப்படவில்லை பதிவுகள்
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},இந்த {0} கொண்டு மோதல்கள் {1} க்கான {2} {3}
 DocType: Student Attendance Tool,Students HTML,"மாணவர்கள், HTML"
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,முதலில் விண்ணப்பதாரர் வகையைத் தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty மற்றும் For Warehouse ஐத் தேர்ந்தெடுக்கவும்"
 DocType: GST HSN Code,GST HSN Code,ஜிஎஸ்டி HSN குறியீடு
 DocType: Employee External Work History,Total Experience,மொத்த அனுபவம்
@@ -2716,7 +2752,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",உருப்படிக்கு {0} செயலில் BOM எதுவும் இல்லை. \ சீரியல் வழங்கல் வழங்குவதை உறுதி செய்ய முடியாது
 DocType: Sales Partner,Sales Partner Target,விற்பனை வரன்வாழ்க்கை துணை இலக்கு
-DocType: Loan Type,Maximum Loan Amount,அதிகபட்ச கடன் தொகை
+DocType: Loan Application,Maximum Loan Amount,அதிகபட்ச கடன் தொகை
 DocType: Coupon Code,Pricing Rule,விலை விதி
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},மாணவர் க்கான பிரதி ரோல் எண்ணை {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},மாணவர் க்கான பிரதி ரோல் எண்ணை {0}
@@ -2740,6 +2776,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},விடுப்பு வெற்றிகரமாக ஒதுக்கப்பட்ட {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,மூட்டை உருப்படிகள் எதுவும் இல்லை
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,.Csv மற்றும் .xlsx கோப்புகள் மட்டுமே தற்போது ஆதரிக்கப்படுகின்றன
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,மனிதவள&gt; மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும்
 DocType: Shipping Rule Condition,From Value,மதிப்பு இருந்து
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,உற்பத்தி அளவு கட்டாய ஆகிறது
 DocType: Loan,Repayment Method,திரும்பச் செலுத்துதல் முறை
@@ -2885,6 +2922,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,நிகர லாபம்
 DocType: Purchase Invoice,Eligibility For ITC,ஐடிசி தகுதி
 DocType: Student Applicant,EDU-APP-.YYYY.-,Edu-ஏபிபி-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,நுழைவு வகை
 ,Customer Credit Balance,வாடிக்கையாளர் கடன் இருப்பு
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,செலுத்தத்தக்க கணக்குகள் நிகர மாற்றம்
@@ -2896,6 +2934,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),வருகை சாதன ஐடி (பயோமெட்ரிக் / ஆர்எஃப் டேக் ஐடி)
 DocType: Quotation,Term Details,கால விவரம்
 DocType: Item,Over Delivery/Receipt Allowance (%),ஓவர் டெலிவரி / ரசீது கொடுப்பனவு (%)
+DocType: Appointment Letter,Appointment Letter Template,நியமனம் கடிதம் வார்ப்புரு
 DocType: Employee Incentive,Employee Incentive,பணியாளர் ஊக்கத்தொகை
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} இந்த மாணவர் குழு மாணவர்கள் விட சேர முடியாது.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),மொத்தம் (வரி இல்லாமல்)
@@ -2920,6 +2959,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",சீரியல் எண் மூலம் \ item {0} உடன் வழங்கப்பட்டதை உறுதி செய்ய முடியாது \ Serial No.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,விலைப்பட்டியல் ரத்து கட்டணங்களை செலுத்தும் இணைப்பகற்றம்
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,செயல்முறை கடன் வட்டி திரட்டல்
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},தற்போதைய ஓடோமீட்டர் வாசிப்பு உள்ளிட்ட ஆரம்ப வாகன ஓடோமீட்டர் விட அதிகமாக இருக்க வேண்டும் {0}
 ,Purchase Order Items To Be Received or Billed,பெறப்பட வேண்டிய அல்லது கட்டணம் செலுத்த வேண்டிய ஆர்டர் பொருட்களை வாங்கவும்
 DocType: Restaurant Reservation,No Show,காட்சி இல்லை
@@ -3005,6 +3045,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: செலவு மையம் &#39;இலாப நட்ட கணக்கு தேவை {2}. நிறுவனத்தின் ஒரு இயல்பான செலவு மையம் அமைக்க கொள்ளவும்.
 DocType: Payment Schedule,Payment Term,கட்டண கால
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ஒரு வாடிக்கையாளர் குழு அதே பெயரில் வாடிக்கையாளர் பெயர் மாற்ற அல்லது வாடிக்கையாளர் குழு பெயர்மாற்றம் செய்க
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,சேர்க்கை முடிவு தேதி சேர்க்கை தொடக்க தேதியை விட அதிகமாக இருக்க வேண்டும்.
 DocType: Location,Area,பகுதி
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,புதிய தொடர்பு
 DocType: Company,Company Description,நிறுவனத்தின் விளக்கம்
@@ -3078,6 +3119,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,வரைபட தரவு
 DocType: Purchase Order Item,Warehouse and Reference,கிடங்கு மற்றும் குறிப்பு
 DocType: Payroll Period Date,Payroll Period Date,ஊதிய காலம் காலம்
+DocType: Loan Disbursement,Against Loan,கடனுக்கு எதிராக
 DocType: Supplier,Statutory info and other general information about your Supplier,சட்டப்பூர்வ தகவல் மற்றும் உங்கள் சப்ளையர் பற்றி மற்ற பொது தகவல்
 DocType: Item,Serial Nos and Batches,சீரியல் எண்கள் மற்றும் தொகுப்புகளும்
 DocType: Item,Serial Nos and Batches,சீரியல் எண்கள் மற்றும் தொகுப்புகளும்
@@ -3289,6 +3331,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),அடிப்படை அளவு (நிறுவனத்தின் நாணய)
 DocType: Purchase Invoice,Registered Regular,பதிவுசெய்யப்பட்ட வழக்கமான
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,மூல பொருட்கள்
+DocType: Plaid Settings,sandbox,சாண்ட்பாக்ஸ்
 DocType: Payment Reconciliation Payment,Reference Row,குறிப்பு ரோ
 DocType: Installation Note,Installation Time,நிறுவல் நேரம்
 DocType: Sales Invoice,Accounting Details,கணக்கு விவரங்கள்
@@ -3301,12 +3344,11 @@
 DocType: Leave Ledger Entry,Transaction Type,பரிவர்த்தனை வகை
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,ஏற்று கொள்வதற்கான நிபந்தனை
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,தயவு செய்து மேலே உள்ள அட்டவணையில் பொருள் கோரிக்கைகள் நுழைய
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,மொத்த செலுத்த வேண்டிய தொகை
 DocType: Task,Expected Time (in hours),எதிர்பார்த்த நேரம் (மணி)
 DocType: Item Reorder,Check in (group),சரிபார்க்க (குழு)
 DocType: Soil Texture,Silt,வண்டல்
@@ -3336,6 +3378,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,சமர்ப்பிக்கப்படாத வரி விலக்கு சான்றுக்கு வரி விதிக்க
 DocType: Volunteer,Anytime,எந்த நேரமும்
 DocType: Bank Account,Bank Account No,வங்கி கணக்கு எண்
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,தள்ளுபடி மற்றும் திருப்பிச் செலுத்துதல்
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,பணியாளர் வரி விலக்கு சான்று சமர்ப்பிப்பு
 DocType: Patient,Surgical History,அறுவை சிகிச்சை வரலாறு
 DocType: Bank Statement Settings Item,Mapped Header,மேப்பிடு தலைப்பு
@@ -3397,6 +3440,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,விற்பனை விலைப்பட்டியல் சமர்ப்பிப்பதில் லேப் டெஸ்ட் (களை) உருவாக்கவும்
 DocType: Serial No,Invoice Details,விவரப்பட்டியல் விவரங்கள்
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,வரி விலக்கு பிரகடனத்தை சமர்ப்பிக்கும் முன் சம்பள அமைப்பு சமர்ப்பிக்கப்பட வேண்டும்
+DocType: Loan Application,Proposed Pledges,முன்மொழியப்பட்ட உறுதிமொழிகள்
 DocType: Grant Application,Show on Website,இணையத்தளத்தில் காட்டு
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,தொடங்குங்கள்
 DocType: Hub Tracked Item,Hub Category,ஹப் பகுப்பு
@@ -3408,7 +3452,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,சப்ளையர் ஸ்கார்கார்டு ஸ்டாண்டிங்
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ரோ {0}: பொருட்களை பில் பொருள் காணப்படவில்லை இல்லை {1}
 DocType: Contract Fulfilment Checklist,Requirement,தேவை
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,மனிதவள&gt; மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும்
 DocType: Journal Entry,Accounts Receivable,கணக்குகள்
 DocType: Quality Goal,Objectives,நோக்கங்கள்
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,பின்தங்கிய விடுப்பு பயன்பாட்டை உருவாக்க அனுமதிக்கப்பட்ட பங்கு
@@ -3666,6 +3709,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,தேதி வரை செல்லுபடியாகும் தேதி வரை செல்லுபடியாகும் குறைவாக இருக்க வேண்டும்.
 DocType: Employee Skill,Evaluation Date,மதிப்பீட்டு தேதி
 DocType: Quotation Item,Stock Balance,பங்கு இருப்பு
+DocType: Loan Security Pledge,Total Security Value,மொத்த பாதுகாப்பு மதிப்பு
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,செலுத்துதல் விற்பனை ஆணை
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,தலைமை நிர்வாக அதிகாரி
 DocType: Purchase Invoice,With Payment of Tax,வரி செலுத்துதல்
@@ -3757,6 +3801,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,தற்போதைய மதிப்பீட்டு விகிதம்
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,ரூட் கணக்குகளின் எண்ணிக்கை 4 க்கும் குறைவாக இருக்கக்கூடாது
 DocType: Training Event,Advance,அட்வான்ஸ்
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,கடனுக்கு எதிராக:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless கட்டணம் நுழைவாயில் அமைப்புகள்
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,செலாவணி லாபம் / நஷ்டம்
 DocType: Opportunity,Lost Reason,இழந்த காரணம்
@@ -3840,8 +3885,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,தொகுதி தேர்வு இல்லை
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},தவறான {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,வரிசை {0}: உடன்பிறப்பு பிறந்த தேதி இன்று விட அதிகமாக இருக்க முடியாது.
 DocType: Fee Validity,Reference Inv,குறிப்பு அழை
 DocType: Sales Invoice Advance,Advance Amount,முன்கூட்டியே தொகை
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,அபராதம் வட்டி விகிதம் (%) ஒரு நாளைக்கு
 DocType: Manufacturing Settings,Capacity Planning,கொள்ளளவு திட்டமிடுதல்
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,வட்டமான சரிசெய்தல் (நிறுவனத்தின் நாணயம்
 DocType: Asset,Policy number,கொள்கை எண்
@@ -3856,7 +3903,9 @@
 DocType: Normal Test Items,Require Result Value,முடிவு மதிப்பு தேவை
 DocType: Purchase Invoice,Pricing Rules,விலை விதிகள்
 DocType: Item,Show a slideshow at the top of the page,பக்கம் மேலே ஒரு ஸ்லைடு ஷோ
+DocType: Appointment Letter,Body,உடல்
 DocType: Tax Withholding Rate,Tax Withholding Rate,வரி விலக்கு விகிதம்
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,கால கடன்களுக்கு திருப்பிச் செலுத்தும் தொடக்க தேதி கட்டாயமாகும்
 DocType: Pricing Rule,Max Amt,மேக்ஸ் அம்ட்
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,பொருள் பட்டியல்
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,ஸ்டோர்கள்
@@ -3876,7 +3925,7 @@
 DocType: Call Log,Received By,மூலம் பெற்றார்
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),நியமனம் காலம் (நிமிடங்களில்)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,பணப் பாய்வு வரைபடம் வார்ப்புரு விவரங்கள்
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,கடன் மேலாண்மை
+DocType: Loan,Loan Management,கடன் மேலாண்மை
 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,Update Cost,மேம்படுத்தல்
@@ -3884,6 +3933,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-படிவம்
 DocType: Sales Invoice,Mode of Transport,போக்குவரத்து முறை
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,சம்பளம் ஷோ ஸ்லிப்
+DocType: Loan,Is Term Loan,கால கடன்
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,மாற்றம் பொருள்
 DocType: Fees,Send Payment Request,கட்டணம் கோரிக்கை அனுப்பவும்
 DocType: Travel Request,Any other details,பிற விவரங்கள்
@@ -3901,6 +3951,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,கடன் இருந்து பண பரிமாற்ற
 DocType: Budget Account,Budget Account,பட்ஜெட் கணக்கு
 DocType: Quality Inspection,Verified By,மூலம் சரிபார்க்கப்பட்ட
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,கடன் பாதுகாப்பைச் சேர்க்கவும்
 DocType: Travel Request,Name of Organizer,அமைப்பாளர் பெயர்
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,வருமான வரி பொறுப்பு
@@ -3950,6 +4001,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,தேவையான அன்று
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","சரிபார்க்கப்பட்டால், சம்பள சீட்டுகளில் வட்டமான மொத்த புலத்தை மறைத்து முடக்குகிறது"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,விற்பனை ஆணைகளில் டெலிவரி தேதிக்கான இயல்புநிலை ஆஃப்செட் (நாட்கள்) இது. குறைவடையும் ஆஃப்செட் ஆர்டர் பிளேஸ்மென்ட் தேதியிலிருந்து 7 நாட்கள் ஆகும்.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,அமைவு&gt; எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும்
 DocType: Rename Tool,File to Rename,மறுபெயர் கோப்புகள்
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"தயவு செய்து வரிசையில் பொருள் BOM, தேர்வு {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,சந்தா புதுப்பிப்புகளை எடுங்கள்
@@ -3962,6 +4014,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,வரிசை எண்கள் உருவாக்கப்பட்டன
 DocType: POS Profile,Applicable for Users,பயனர்களுக்கு பொருந்தும்
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,தேதி மற்றும் தேதி கட்டாயமாகும்
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),முன்னேற்றங்கள் மற்றும் ஒதுக்கீடு அமைக்கவும் (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,வேலை ஆணைகளை உருவாக்கவில்லை
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே இந்த காலத்தில் உருவாக்கப்பட்ட
@@ -4065,11 +4118,12 @@
 ,Minutes to First Response for Opportunity,வாய்ப்பு முதல் பதில் நிமிடங்கள்
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,மொத்த இருக்காது
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,வரிசையில் பொருள் அல்லது கிடங்கு {0} பொருள் கோரிக்கை பொருந்தவில்லை
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,செலுத்த வேண்டிய தொகை
+DocType: Loan Repayment,Payable Amount,செலுத்த வேண்டிய தொகை
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,சந்தர்ப்பம்
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,அதிகபட்ச வலிமை பூஜ்ஜியத்தை விட குறைவாக இருக்கக்கூடாது.
 DocType: Options,Option,விருப்பம்
 DocType: Operation,Default Workstation,இயல்புநிலை வேலைநிலையங்களின்
 DocType: Payment Entry,Deductions or Loss,விலக்கிற்கு அல்லது இழப்பு
@@ -4110,6 +4164,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,வட்டி தொகை கட்டாயமாகும்
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,சம்பளமில்லா விடுப்பு ஒப்புதல் விடுப்பு விண்ணப்பம் பதிவுகள் பொருந்தவில்லை
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,அடுத்த படிகள்
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,சேமித்த உருப்படிகள்
@@ -4181,8 +4236,6 @@
 DocType: Grant Application,Grant Application Details ,விண்ணப்பப் படிவங்களை வழங்குதல்
 DocType: Employee Separation,Employee Separation,ஊழியர் பிரிப்பு
 DocType: BOM Item,Original Item,அசல் பொருள்
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் <a href=""#Form/Employee/{0}"">{0}</a> delete ஐ நீக்கவும்"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ஆவண தேதி
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},கட்டணம் பதிவுகள்   உருவாக்கப்பட்டது - {0}
 DocType: Asset Category Account,Asset Category Account,சொத்து வகை கணக்கு
@@ -4217,6 +4270,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ஆய்வக சோதனை பொருள் {0} ஏற்கனவே உள்ளது
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ஒரு நிறுவனம் விடுமுறை
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,பில் செய்யக்கூடிய நேரம்
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,"திருப்பிச் செலுத்துவதில் தாமதமானால், நிலுவையில் உள்ள வட்டித் தொகையை தினசரி அடிப்படையில் அபராத வட்டி விகிதம் விதிக்கப்படுகிறது"
+DocType: Appointment Letter content,Appointment Letter content,நியமனம் கடிதம் உள்ளடக்கம்
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,நிலை அறிவிப்பை விடு
 DocType: Patient Appointment,Procedure Prescription,செயல்முறை பரிந்துரைப்பு
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,மரச்சாமான்கள் மற்றும் சாதனங்கள்
@@ -4235,7 +4290,7 @@
 DocType: Opportunity,Customer / Lead Name,வாடிக்கையாளர் / முன்னணி பெயர்
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,இசைவு தேதி குறிப்பிடப்படவில்லை
 DocType: Payroll Period,Taxable Salary Slabs,வரி விலக்கு சம்பள அடுக்குகள்
-DocType: Job Card,Production,உற்பத்தி
+DocType: Plaid Settings,Production,உற்பத்தி
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,தவறான GSTIN! நீங்கள் உள்ளிட்ட உள்ளீடு GSTIN வடிவத்துடன் பொருந்தவில்லை.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,கணக்கு மதிப்பு
 DocType: Guardian,Occupation,தொழில்
@@ -4377,6 +4432,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,விசுவாசம் திட்டம் சேகரிப்பு
 DocType: Stock Entry Detail,Subcontracted Item,துணைக்குரிய பொருள்
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},மாணவர் {0} குழு {1}
+DocType: Appointment Letter,Appointment Date,நியமனம் தேதி
 DocType: Budget,Cost Center,செலவு மையம்
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,வவுச்சர் #
 DocType: Tax Rule,Shipping Country,கப்பல் நாடு
@@ -4446,6 +4502,7 @@
 DocType: Accounting Dimension,Accounting Dimension,கணக்கியல் பரிமாணம்
 ,Profit and Loss Statement,இலாப நட்ட அறிக்கை
 DocType: Bank Reconciliation Detail,Cheque Number,காசோலை எண்
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,செலுத்தப்பட்ட தொகை பூஜ்ஜியமாக இருக்க முடியாது
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} ஆல் குறிப்பிடப்பட்ட உருப்படி ஏற்கனவே பயன்படுத்தப்பட்டது
 ,Sales Browser,விற்னையாளர் உலாவி
 DocType: Journal Entry,Total Credit,மொத்த கடன்
@@ -4562,6 +4619,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,கூப்பன் நிபந்தனைகளைச் சேர்க்கவும் / திருத்தவும்
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,செலவு / வித்தியாசம் கணக்கு ({0}) ஒரு 'லாபம் அல்லது நஷ்டம்' கணக்கு இருக்க வேண்டும்
 DocType: Stock Entry Detail,Stock Entry Child,பங்கு நுழைவு குழந்தை
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,கடன் பாதுகாப்பு உறுதிமொழி நிறுவனமும் கடன் நிறுவனமும் ஒரே மாதிரியாக இருக்க வேண்டும்
 DocType: Project,Copied From,இருந்து நகலெடுத்து
 DocType: Project,Copied From,இருந்து நகலெடுத்து
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,எல்லா பில்லிங் மணிநேரங்களுக்கும் விலைப்பட்டியல் ஏற்கனவே உருவாக்கப்பட்டது
@@ -4570,6 +4628,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,நிதி செலவு
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,ஊழியர் வருகை {0} ஏற்கனவே குறிக்கப்பட்டுள்ளது
 DocType: Packing Slip,If more than one package of the same type (for print),அதே வகை மேற்பட்ட தொகுப்பு (அச்சுக்கு)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,கல்வி&gt; கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும்
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,உணவக அமைப்பில் இயல்புநிலை வாடிக்கையாளரை அமைக்கவும்
 ,Salary Register,சம்பளம் பதிவு
 DocType: Company,Default warehouse for Sales Return,விற்பனை வருவாய்க்கான இயல்புநிலை கிடங்கு
@@ -4614,7 +4673,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,தற்போதைய வரிசை எண்
 DocType: Employee,Attendance and Leave Details,வருகை மற்றும் விடுப்பு விவரங்கள்
 ,BOM Comparison Tool,BOM ஒப்பீட்டு கருவி
-,Requested,கோரப்பட்ட
+DocType: Loan Security Pledge,Requested,கோரப்பட்ட
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,குறிப்புகள் இல்லை
 DocType: Asset,In Maintenance,பராமரிப்பு
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,அமேசான் MWS இலிருந்து உங்கள் விற்பனை ஆணை தரவுகளை இழுக்க இந்த பொத்தானை கிளிக் செய்யவும்.
@@ -4626,7 +4685,6 @@
 DocType: Drug Prescription,Drug Prescription,மருந்து பரிந்துரை
 DocType: Service Level,Support and Resolution,ஆதரவு மற்றும் தீர்மானம்
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,இலவச உருப்படி குறியீடு தேர்ந்தெடுக்கப்படவில்லை
-DocType: Loan,Repaid/Closed,தீர்வையான / மூடப்பட்ட
 DocType: Amazon MWS Settings,CA,சிஏ
 DocType: Item,Total Projected Qty,மொத்த உத்தேச அளவு
 DocType: Monthly Distribution,Distribution Name,விநியோக பெயர்
@@ -4657,6 +4715,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,பங்கு பைனான்ஸ் நுழைவு
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ஏற்கனவே மதிப்பீட்டிற்குத் தகுதி மதிப்பீடு செய்யப்பட்டதன் {}.
+DocType: Loan Security Shortfall,Shortfall Amount,பற்றாக்குறை தொகை
 DocType: Vehicle Service,Engine Oil,இயந்திர எண்ணெய்
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},பணி ஆணைகள் உருவாக்கப்பட்டன: {0}
 DocType: Sales Invoice,Sales Team1,விற்பனை Team1
@@ -4674,6 +4733,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},டாஷ்போர்டு விளக்கப்படத்திற்கு கணக்கு அமைக்கப்படவில்லை {0}
 DocType: Purchase Invoice,Apply Additional Discount On,கூடுதல் தள்ளுபடி விண்ணப்பிக்கவும்
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,வகை தேர்வு ...
+DocType: Loan Interest Accrual,Amounts,தொகைகளைக்
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,உங்கள் டிக்கெட்
 DocType: Account,Root Type,ரூட் வகை
 DocType: Item,FIFO,FIFO
@@ -4681,6 +4741,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},ரோ # {0}: விட திரும்ப முடியாது {1} பொருள் {2}
 DocType: Item Group,Show this slideshow at the top of the page,பக்கத்தின் மேல் இந்த காட்சியை காட்ட
 DocType: BOM,Item UOM,பொருள் UOM
+DocType: Loan Security Price,Loan Security Price,கடன் பாதுகாப்பு விலை
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),தள்ளுபடி தொகை பின்னர் வரி அளவு (நிறுவனத்தின் நாணயம்)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},இலக்கு கிடங்கில் வரிசையில் கட்டாய {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,சில்லறை செயல்பாடுகள்
@@ -4816,6 +4877,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},தொகுதி வரிசையில் கட்டாயமாகிறது {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},தொகுதி வரிசையில் கட்டாயமாகிறது {0}
 DocType: Company,Default Buying Terms,இயல்புநிலை வாங்குதல் விதிமுறைகள்
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,கடன் வழங்கல்
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,கொள்முதல் ரசீது பொருள் வழங்கியது
 DocType: Amazon MWS Settings,Enable Scheduled Synch,திட்டமிடப்பட்ட ஒத்திசைவை இயக்கவும்
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,நாள்நேரம் செய்ய
@@ -4907,6 +4969,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,திட்டம் / விலைக் கோட்
 DocType: Antibiotic,Healthcare,ஹெல்த்கேர்
 DocType: Target Detail,Target Detail,இலக்கு விரிவாக
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,கடன் செயல்முறைகள்
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,ஒற்றை மாறுபாடு
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,அனைத்து வேலைகள்
 DocType: Sales Order,% of materials billed against this Sales Order,பொருட்கள்% இந்த விற்பனை ஆணை எதிராக வசூலிக்கப்படும்
@@ -4967,7 +5030,7 @@
 DocType: Item,Reorder level based on Warehouse,கிடங்கில் அடிப்படையில் மறுவரிசைப்படுத்துக நிலை
 DocType: Activity Cost,Billing Rate,பில்லிங் விகிதம்
 ,Qty to Deliver,அடித்தளத்திருந்து அளவு
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,தள்ளுபடி உள்ளீட்டை உருவாக்கவும்
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,தள்ளுபடி உள்ளீட்டை உருவாக்கவும்
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,அமேசான் இந்த தேதிக்குப் பிறகு புதுப்பிக்கப்படும் தரவு ஒத்திசைக்கும்
 ,Stock Analytics,பங்கு அனலிட்டிக்ஸ்
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,ஆபரேஷன்ஸ் வெறுமையாக முடியும்
@@ -4999,6 +5062,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,வெளிப்புற ஒருங்கிணைப்புகளை இணைக்கவும்
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,தொடர்புடைய கட்டணத்தைத் தேர்வுசெய்க
 DocType: Pricing Rule,Item Code,பொருள்  குறியீடு
+DocType: Loan Disbursement,Pending Amount For Disbursal,வழங்குவதற்கான தொகை நிலுவையில் உள்ளது
 DocType: Student,EDU-STU-.YYYY.-,Edu-ஸ்டூ-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,உத்தரவாதத்தை / AMC விவரம்
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,நடவடிக்கை பொறுத்தே குழு கைமுறையாகச் மாணவர்கள் தேர்வு
@@ -5024,6 +5088,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,மொத்தம் மொத்தம்
 DocType: Landed Cost Item,Receipt Document,ரசீது ஆவணம்
 DocType: Employee Education,School/University,பள்ளி / பல்கலைக்கழகம்
+DocType: Loan Security Pledge,Loan  Details,கடன் விவரங்கள்
 DocType: Sales Invoice Item,Available Qty at Warehouse,சேமிப்பு கிடங்கு கிடைக்கும் அளவு
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,பில் செய்த தொகை
 DocType: Share Transfer,(including),(உட்பட)
@@ -5047,6 +5112,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,குழுக்கள்
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,கணக்கு குழு
 DocType: Purchase Invoice,Hold Invoice,விலைப்பட்டியல்
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,உறுதிமொழி நிலை
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,பணியாளரைத் தேர்ந்தெடுக்கவும்
 DocType: Sales Order,Fully Delivered,முழுமையாக வழங்கப்படுகிறது
 DocType: Promotional Scheme Price Discount,Min Amount,குறைந்தபட்ச தொகை
@@ -5056,7 +5122,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},செலவிட்டு தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது கொள்ளலாம் {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},வரிசை {0} # ஒதுக்கப்படாத தொகையை {2} விட அதிகமானதாக இருக்க முடியாது {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},கொள்முதல் ஆணை எண் பொருள் தேவை {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,முன்னனுப்பியது இலைகள் எடுத்து
@@ -5084,6 +5149,7 @@
 DocType: Pick List Item,Serial No and Batch,தொ.எ. மற்றும் தொகுதி
 DocType: Warranty Claim,From Company,நிறுவனத்தின் இருந்து
 DocType: GSTR 3B Report,January,ஜனவரி
+DocType: Loan Repayment,Principal Amount Paid,செலுத்தப்பட்ட முதன்மை தொகை
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,மதிப்பீடு அடிப்படியின் மதிப்பெண்கள் கூட்டுத்தொகை {0} இருக்க வேண்டும்.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Depreciations எண்ணிக்கை பதிவுசெய்தீர்கள் அமைக்கவும்
 DocType: Supplier Scorecard Period,Calculations,கணக்கீடுகள்
@@ -5110,6 +5176,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,உங்கள் நிறுவனத்தின் பற்றி
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,பங்கு வயதான தரவைக் காட்டு
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,கணக்கில் பணம் வரவு ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும்
+DocType: Loan Repayment,Penalty Amount,அபராதத் தொகை
 DocType: Donor,Donor,தானம்
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,பொருட்களுக்கான வரிகளைப் புதுப்பிக்கவும்
 DocType: Global Defaults,Disable In Words,சொற்கள் முடக்கு
@@ -5139,6 +5206,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,செலவு மையம் மற்றும் பட்ஜெட்
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,திறப்பு இருப்பு ஈக்விட்டி
 DocType: Appointment,CRM,"CRM,"
+DocType: Loan Repayment,Partial Paid Entry,பகுதி கட்டண நுழைவு
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,கட்டண அட்டவணையை அமைக்கவும்
 DocType: Pick List,Items under this warehouse will be suggested,இந்த கிடங்கின் கீழ் உள்ள பொருட்கள் பரிந்துரைக்கப்படும்
 DocType: Purchase Invoice,N,என்
@@ -5170,7 +5238,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,மூலம் சப்ளையர்கள் கிடைக்கும்
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} பொருள் {0}
 DocType: Accounts Settings,Show Inclusive Tax In Print,அச்சு உள்ளிட்ட வரி காட்டு
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","வங்கி கணக்கு, தேதி முதல் தேதி வரை கட்டாயம்"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,செய்தி அனுப்பப்பட்டது
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,குழந்தை முனைகளில் கணக்கு பேரேடு அமைக்க முடியாது
 DocType: C-Form,II,இரண்டாம்
@@ -5184,6 +5251,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,ஆட்டோ மறு-ஆர்டரை இயக்கு
 DocType: Stock Settings,Item Naming By,பொருள் மூலம் பெயரிடுதல்
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},மற்றொரு காலம் நிறைவு நுழைவு {0} பின்னர் செய்யப்பட்ட {1}
+DocType: Proposed Pledge,Proposed Pledge,முன்மொழியப்பட்ட உறுதிமொழி
 DocType: Work Order,Material Transferred for Manufacturing,பொருள் தயாரிப்பு இடமாற்றம்
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,கணக்கு {0} இல்லை உள்ளது
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,லாய்லிட்டி திட்டம் தேர்ந்தெடுக்கவும்
@@ -5194,7 +5262,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","அமைத்தல் நிகழ்வுகள் {0}, விற்பனை நபர்கள் கீழே இணைக்கப்பட்டுள்ளது பணியாளர் ஒரு பயனர் ஐடி இல்லை என்பதால் {1}"
 DocType: Timesheet,Billing Details,பில்லிங் விவரங்கள்
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,மூல மற்றும் இலக்கு கிடங்கில் வேறு இருக்க வேண்டும்
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,மனிதவள&gt; மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும்
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,கட்டணம் தோல்வியடைந்தது. மேலும் விவரங்களுக்கு உங்கள் GoCardless கணக்கைச் சரிபார்க்கவும்
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},விட பங்கு பரிவர்த்தனைகள் பழைய இற்றைப்படுத்த முடியாது {0}
 DocType: Stock Entry,Inspection Required,ஆய்வு தேவை
@@ -5207,6 +5274,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,திட்டம்
+DocType: Unpledge,Against Pledge,உறுதிமொழிக்கு எதிராக
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,இந்த பங்களிப்பை செய்த உறைந்த கணக்குகள் எதிராக கணக்கியல் உள்ளீடுகள் மாற்ற / உறைந்த கணக்குகள் அமைக்க உருவாக்க அனுமதி
 DocType: Plaid Settings,Plaid Environment,பிளேட் சூழல்
 ,Project Billing Summary,திட்ட பில்லிங் சுருக்கம்
@@ -5259,6 +5327,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,தொகுப்புகளும்
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,நாட்களின் சந்திப்புகளின் எண்ணிக்கையை முன்கூட்டியே பதிவு செய்யலாம்
 DocType: Article,LMS User,எல்எம்எஸ் பயனர்
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,பாதுகாக்கப்பட்ட கடனுக்கு கடன் பாதுகாப்பு உறுதிமொழி கட்டாயமாகும்
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),வழங்கல் இடம் (மாநிலம் / யூடி)
 DocType: Purchase Order Item Supplied,Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம்
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,கொள்முதல் ஆணை {0} சமர்ப்பிக்க
@@ -5332,6 +5401,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,வேலை அட்டையை உருவாக்கவும்
 DocType: Quotation,Referral Sales Partner,பரிந்துரை விற்பனை கூட்டாளர்
 DocType: Quality Procedure Process,Process Description,செயல்முறை விளக்கம்
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","திறக்க முடியாது, திருப்பிச் செலுத்தப்பட்ட தொகையை விட கடன் பாதுகாப்பு மதிப்பு அதிகம்"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,வாடிக்கையாளர் {0} உருவாக்கப்பட்டது.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,தற்போது எந்த கிடங்கிலும் கையிருப்பு  இல்லை
 ,Payment Period Based On Invoice Date,விலைப்பட்டியல் தேதியின் அடிப்படையில் கொடுப்பனவு காலம்
@@ -5351,7 +5421,7 @@
 DocType: Asset,Insurance Details,காப்புறுதி விபரங்கள்
 DocType: Account,Payable,செலுத்த வேண்டிய
 DocType: Share Balance,Share Type,பகிர் வகை
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,தயவு செய்து திரும்பச் செலுத்துதல் பீரியட்ஸ் நுழைய
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,தயவு செய்து திரும்பச் செலுத்துதல் பீரியட்ஸ் நுழைய
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),"இருப்பினும், கடனாளிகள் ({0})"
 DocType: Pricing Rule,Margin,விளிம்பு
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,புதிய வாடிக்கையாளர்கள்
@@ -5360,6 +5430,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,முன்னணி மூலம் வாய்ப்புகள்
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS சுயவிவரத்தை மாற்றுக
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,கடன் பாதுகாப்புக்கான அளவு அல்லது தொகை மாண்டட்ராய் ஆகும்
 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,Assessment Report,மதிப்பீட்டு அறிக்கை
@@ -5394,6 +5465,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,லெட்ஜர் பகிர்ந்து
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,விற்பனை விலைப்பட்டியல் {0} உருவாக்கப்பட்டது
 DocType: Employee,Confirmation Date,உறுதிப்படுத்தல் தேதி
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் <a href=""#Form/Employee/{0}"">{0}</a> delete ஐ நீக்கவும்"
 DocType: Inpatient Occupancy,Check Out,பாருங்கள்
 DocType: C-Form,Total Invoiced Amount,மொத்த விலை விவரம் தொகை
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,குறைந்தபட்ச  அளவு மேக்ஸ் அளவு அதிகமாக இருக்க முடியாது
@@ -5406,7 +5479,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks நிறுவனத்தின் ஐடி
 DocType: Travel Request,Travel Funding,சுற்றுலா நிதி
 DocType: Employee Skill,Proficiency,திறமை
-DocType: Loan Application,Required by Date,டேட் தேவையான
 DocType: Purchase Invoice Item,Purchase Receipt Detail,கொள்முதல் ரசீது விவரம்
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,பயிர் வளரும் அனைத்து இடங்களுக்கும் ஒரு இணைப்பு
 DocType: Lead,Lead Owner,முன்னணி உரிமையாளர்
@@ -5425,7 +5497,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,தற்போதைய BOM மற்றும் நியூ BOM அதே இருக்க முடியாது
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,சம்பளம் ஸ்லிப் ஐடி
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ஓய்வு நாள் சேர தேதி விட அதிகமாக இருக்க வேண்டும்
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,சப்ளையர்&gt; சப்ளையர் வகை
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,பல மாறுபாடுகள்
 DocType: Sales Invoice,Against Income Account,வருமான கணக்கு எதிராக
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% வழங்கப்படுகிறது
@@ -5458,7 +5529,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,மதிப்பீட்டு வகை குற்றச்சாட்டுக்கள் உள்ளீடான என குறிக்கப்பட்டுள்ளன
 DocType: POS Profile,Update Stock,பங்கு புதுப்பிக்க
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,கட்டணம் விவரங்கள்
+DocType: Loan Repayment,Payment Details,கட்டணம் விவரங்கள்
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM விகிதம்
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,பதிவேற்றிய கோப்பைப் படித்தல்
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","நிறுத்தி பணி ஆணை ரத்து செய்ய முடியாது, ரத்து செய்ய முதலில் அதை நீக்கு"
@@ -5491,6 +5562,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,அதிகபட்ச கடன் மதிப்பு
 ,Stock Ledger,பங்கு லெட்ஜர்
 DocType: Company,Exchange Gain / Loss Account,செலாவணி லாபம் / நஷ்டம் கணக்கு
 DocType: Amazon MWS Settings,MWS Credentials,MWS சான்றுகள்
@@ -5598,7 +5670,6 @@
 DocType: Fee Schedule,Fee Schedule,கட்டண அட்டவணை
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,நெடுவரிசை லேபிள்கள்:
 DocType: Bank Transaction,Settled,நிலைபெற்ற
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,கடன் திருப்பிச் செலுத்தும் தொடக்க தேதிக்குப் பிறகு தள்ளுபடி தேதி இருக்க முடியாது
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,செஸ்
 DocType: Quality Feedback,Parameters,அளவுருக்கள்
 DocType: Company,Create Chart Of Accounts Based On,கணக்குகளை அடிப்படையில் வரைவு உருவாக்கு
@@ -5618,6 +5689,7 @@
 DocType: Customer,Credit Limit and Payment Terms,கடன் வரம்பு மற்றும் கொடுப்பனவு விதிமுறைகள்
 DocType: Loyalty Program,Collection Rules,சேகரிப்பு விதிகள்
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,பொருள் 3
+DocType: Loan Security Shortfall,Shortfall Time,பற்றாக்குறை நேரம்
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ஆர்டர் நுழைவு
 DocType: Purchase Order,Customer Contact Email,வாடிக்கையாளர் தொடர்பு மின்னஞ்சல்
 DocType: Warranty Claim,Item and Warranty Details,பொருள் மற்றும் உத்தரவாதத்தை விபரங்கள்
@@ -5637,12 +5709,14 @@
 DocType: Sales Person,Sales Person Name,விற்பனை நபர் பெயர்
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,அட்டவணையில் குறைந்தது 1 விலைப்பட்டியல் உள்ளிடவும்
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,லேப் டெஸ்ட் எதுவும் உருவாக்கப்படவில்லை
+DocType: Loan Security Shortfall,Security Value ,பாதுகாப்பு மதிப்பு
 DocType: POS Item Group,Item Group,பொருள் குழு
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,மாணவர் குழு:
 DocType: Depreciation Schedule,Finance Book Id,நிதி புத்தகம் ஐடி
 DocType: Item,Safety Stock,பாதுகாப்பு பங்கு
 DocType: Healthcare Settings,Healthcare Settings,சுகாதார அமைப்புகள்
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,மொத்த ஒதுக்கப்பட்ட இலைகள்
+DocType: Appointment Letter,Appointment Letter,நியமனக் கடிதம்
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},எப்படி {0}
@@ -5697,6 +5771,7 @@
 DocType: Stock Entry,From BOM,"BOM, இருந்து"
 DocType: Assessment Code,Assessment Code,மதிப்பீடு குறியீடு
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,அடிப்படையான
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,வாடிக்கையாளர்கள் மற்றும் பணியாளர்களிடமிருந்து கடன் விண்ணப்பங்கள்.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} முன் பங்கு பரிவர்த்தனைகள் உறைந்திருக்கும்
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து,"
 DocType: Job Card,Current Time,தற்போதைய நேரம்
@@ -5723,7 +5798,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,கிராண்ட்
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,மாணவர் குழுக்கள் உருவாக்கப்படவில்லை.
 DocType: Purchase Invoice Item,Serial No,இல்லை தொடர்
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,மாதாந்திர கட்டுந்தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது முடியும்
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,மாதாந்திர கட்டுந்தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது முடியும்
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Maintaince விவரம் முதல் உள்ளிடவும்
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,வரிசை # {0}: எதிர்பார்த்த டெலிவரி தேதி கொள்முதல் வரிசை தேதிக்கு முன் இருக்க முடியாது
 DocType: Purchase Invoice,Print Language,அச்சு மொழி
@@ -5736,6 +5811,7 @@
 DocType: Asset,Finance Books,நிதி புத்தகங்கள்
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,பணியாளர் வரி விலக்கு பிரகடனம் பிரிவு
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,அனைத்து பிரதேசங்களையும்
+DocType: Plaid Settings,development,வளர்ச்சி
 DocType: Lost Reason Detail,Lost Reason Detail,இழந்த காரணம் விவரம்
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,பணியாளர் / தரம் பதிவில் பணியாளர் {0} க்கு விடுப்பு கொள்கை அமைக்கவும்
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,தேர்ந்தெடுத்த வாடிக்கையாளர் மற்றும் பொருள் குறித்த தவறான பிளாங்கட் ஆணை
@@ -5800,12 +5876,14 @@
 DocType: Staffing Plan Detail,Current Openings,தற்போதைய திறப்பு
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,செயல்பாடுகள் இருந்து பண பரிமாற்ற
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST தொகை
+DocType: Vehicle Log,Current Odometer value ,தற்போதைய ஓடோமீட்டர் மதிப்பு
 apps/erpnext/erpnext/utilities/activation.py,Create Student,மாணவரை உருவாக்குங்கள்
 DocType: Asset Movement Item,Asset Movement Item,சொத்து இயக்கம் பொருள்
 DocType: Purchase Invoice,Shipping Rule,கப்பல் விதி
 DocType: Patient Relation,Spouse,மனைவி
 DocType: Lab Test Groups,Add Test,டெஸ்ட் சேர்
 DocType: Manufacturer,Limited to 12 characters,12 எழுத்துக்கள் மட்டுமே
+DocType: Appointment Letter,Closing Notes,நிறைவு குறிப்புகள்
 DocType: Journal Entry,Print Heading,தலைப்பு அச்சிட
 DocType: Quality Action Table,Quality Action Table,தரமான செயல் அட்டவணை
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,மொத்த பூஜ்ஜியமாக இருக்க முடியாது
@@ -5872,6 +5950,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,விற்பனை சுருக்கம்
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),மொத்தம் (விவரங்கள்)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,பொழுதுபோக்கு & ஓய்வு
+DocType: Loan Security,Loan Security,கடன் பாதுகாப்பு
 ,Item Variant Details,பொருள் மாறுபாடு விவரங்கள்
 DocType: Quality Inspection,Item Serial No,பொருள் தொடர் எண்
 DocType: Payment Request,Is a Subscription,ஒரு சந்தா
@@ -5884,7 +5963,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,சமீபத்திய வயது
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,திட்டமிடப்பட்ட மற்றும் அனுமதிக்கப்பட்ட தேதிகள் இன்றையதை விட குறைவாக இருக்க முடியாது
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,சப்ளையர் பொருள் மாற்றுவது
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,இஎம்ஐ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,புதிய சீரியல் இல்லை கிடங்கு முடியாது . கிடங்கு பங்கு நுழைவு அல்லது கொள்முதல் ரசீது மூலம் அமைக்க வேண்டும்
 DocType: Lead,Lead Type,முன்னணி வகை
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,மேற்கோள் உருவாக்கவும்
@@ -5900,7 +5978,6 @@
 DocType: Leave Allocation,Leave Period,காலம் விடு
 DocType: Item,Default Material Request Type,இயல்புநிலை பொருள் கோரிக்கை வகை
 DocType: Supplier Scorecard,Evaluation Period,மதிப்பீட்டு காலம்
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,வாடிக்கையாளர்&gt; வாடிக்கையாளர் குழு&gt; பிரதேசம்
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,தெரியாத
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,வேலை ஆணை உருவாக்கப்படவில்லை
 DocType: Shipping Rule,Shipping Rule Conditions,கப்பல் விதி நிபந்தனைகள்
@@ -5982,7 +6059,8 @@
 ,Customer-wise Item Price,வாடிக்கையாளர் வாரியான பொருள் விலை
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,பணப்பாய்வு அறிக்கை
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,பொருள் கோரிக்கை எதுவும் உருவாக்கப்படவில்லை
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},கடன் தொகை அதிகபட்ச கடன் தொகை தாண்ட முடியாது {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},கடன் தொகை அதிகபட்ச கடன் தொகை தாண்ட முடியாது {0}
+DocType: Loan,Loan Security Pledge,கடன் பாதுகாப்பு உறுதிமொழி
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,உரிமம்
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,நீங்கள் முந்தைய நிதி ஆண்டின் இருப்புநிலை இந்த நிதி ஆண்டு விட்டு சேர்க்க விரும்பினால் முன் எடுத்து கொள்ளவும்
@@ -6000,6 +6078,7 @@
 DocType: Pricing Rule,Price Discount Scheme,விலை தள்ளுபடி திட்டம்
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,பராமரிப்பு நிலைமை ரத்து செய்யப்பட வேண்டும் அல்லது சமர்ப்பிக்க வேண்டும்
 DocType: Amazon MWS Settings,US,எங்களுக்கு
+DocType: Loan Security Pledge,Pledged,உறுதி
 DocType: Holiday List,Add Weekly Holidays,வார விடுமுறை தினங்களைச் சேர்க்கவும்
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,உருப்படியைப் புகாரளி
 DocType: Staffing Plan Detail,Vacancies,காலியிடங்கள்
@@ -6017,7 +6096,6 @@
 DocType: Production Plan Item,Planned Start Date,திட்டமிட்ட தொடக்க தேதி
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,தயவு செய்து ஒரு BOM ஐ தேர்ந்தெடுக்கவும்
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ஐடிசி ஒருங்கிணைந்த வரி செலுத்தியது
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,திருப்பிச் செலுத்தும் உள்ளீட்டை உருவாக்கவும்
 DocType: Purchase Order Item,Blanket Order Rate,பிளாங்கட் ஆர்டர் விகிதம்
 ,Customer Ledger Summary,வாடிக்கையாளர் லெட்ஜர் சுருக்கம்
 apps/erpnext/erpnext/hooks.py,Certification,சான்றிதழ்
@@ -6038,6 +6116,7 @@
 DocType: Appraisal Template,Appraisal Template Title,மதிப்பீட்டு வார்ப்புரு தலைப்பு
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,வர்த்தகம்
 DocType: Patient,Alcohol Current Use,மது தற்போதைய பயன்பாடு
+DocType: Loan,Loan Closure Requested,கடன் மூடல் கோரப்பட்டது
 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,வரி விலக்கு பிரிவு
@@ -6061,6 +6140,7 @@
 DocType: Opening Invoice Creation Tool,Sales,விற்பனை
 DocType: Stock Entry Detail,Basic Amount,அடிப்படை தொகை
 DocType: Training Event,Exam,தேர்வு
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,செயல்முறை கடன் பாதுகாப்பு பற்றாக்குறை
 DocType: Email Campaign,Email Campaign,மின்னஞ்சல் பிரச்சாரம்
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,சந்தைப் பிழை
 DocType: Complaint,Complaint,புகார்
@@ -6164,6 +6244,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,பயன்படுத்திய இலைகள்
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,பொருள் கோரிக்கையை சமர்ப்பிக்க விரும்புகிறீர்களா?
 DocType: Job Offer,Awaiting Response,பதிலை எதிர்பார்த்திருப்பதாகவும்
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,கடன் கட்டாயமாகும்
 DocType: Course Schedule,EDU-CSH-.YYYY.-,Edu-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,மேலே
 DocType: Support Search Source,Link Options,இணைப்பு விருப்பங்கள்
@@ -6175,6 +6256,7 @@
 DocType: Training Event Employee,Optional,விருப்ப
 DocType: Salary Slip,Earning & Deduction,சம்பாதிக்கும் & விலக்கு
 DocType: Agriculture Analysis Criteria,Water Analysis,நீர் பகுப்பாய்வு
+DocType: Pledge,Post Haircut Amount,ஹேர்கட் தொகையை இடுகையிடவும்
 DocType: Sales Order,Skip Delivery Note,டெலிவரி குறிப்பைத் தவிர்
 DocType: Price List,Price Not UOM Dependent,விலை UOM சார்ந்தது அல்ல
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} வகைகள் உருவாக்கப்பட்டன.
@@ -6201,6 +6283,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,தயாரிப்பு மூட்டை இருந்து பொருட்களை பெற
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,கால கடன்களுக்கு திருப்பிச் செலுத்தும் முறை கட்டாயமாகும்
 DocType: Asset,Straight Line,நேர் கோடு
 DocType: Project User,Project User,திட்ட பயனர்
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,பிரி
@@ -6249,7 +6332,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,பங்கு உறைந்த கணக்குகள் & திருத்து உறைந்த பதிவுகள் அமைக்க அனுமதி
 DocType: Supplier Scorecard Scoring Variable,Path,பாதை
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,அது குழந்தை முனைகள் என லெட்ஜரிடம் செலவு மையம் மாற்ற முடியாது
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},உருப்படிக்கு UOM மாற்று காரணி ({0} -&gt; {1}) காணப்படவில்லை: {2}
 DocType: Production Plan,Total Planned Qty,மொத்த திட்டமிடப்பட்ட Qty
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,பரிவர்த்தனைகள் ஏற்கனவே அறிக்கையிலிருந்து மீட்டெடுக்கப்பட்டன
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,திறப்பு மதிப்பு
@@ -6257,11 +6339,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,தொடர் #
 DocType: Material Request Plan Item,Required Quantity,தேவையான அளவு
 DocType: Lab Test Template,Lab Test Template,லேப் டெஸ்ட் வார்ப்புரு
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,சப்ளையர்&gt; சப்ளையர் வகை
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,விற்பனை கணக்கு
 DocType: Purchase Invoice Item,Total Weight,மொத்த எடை
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் <a href=""#Form/Employee/{0}"">{0}</a> delete ஐ நீக்கவும்"
 DocType: Pick List Item,Pick List Item,பட்டியல் உருப்படியைத் தேர்வுசெய்க
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,விற்பனையில் கமிஷன்
 DocType: Job Offer Term,Value / Description,மதிப்பு / விளக்கம்
@@ -6307,6 +6386,7 @@
 DocType: Patient Encounter,Encounter Date,என்கவுண்டர் தேதி
 DocType: Work Order,Update Consumed Material Cost In Project,திட்டத்தில் நுகரப்படும் பொருள் செலவைப் புதுப்பிக்கவும்
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,கணக்கு: {0} நாணயத்துடன்: {1} தேர்வு செய்ய முடியாது
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,வாடிக்கையாளர்கள் மற்றும் பணியாளர்களுக்கு வழங்கப்படும் கடன்கள்.
 DocType: Bank Statement Transaction Settings Item,Bank Data,வங்கி தரவு
 DocType: Purchase Receipt Item,Sample Quantity,மாதிரி அளவு
 DocType: Bank Guarantee,Name of Beneficiary,பயனாளியின் பெயர்
@@ -6374,7 +6454,6 @@
 DocType: Contract,Signed On,கையெழுத்திட்டார்
 DocType: Bank Account,Party Type,கட்சி வகை
 DocType: Discounted Invoice,Discounted Invoice,தள்ளுபடி விலைப்பட்டியல்
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,வருகை என குறிக்கவும் <b></b>
 DocType: Payment Schedule,Payment Schedule,கட்டண அட்டவணை
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},கொடுக்கப்பட்ட பணியாளர் புல மதிப்புக்கு எந்த ஊழியரும் கிடைக்கவில்லை. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,சுருக்கமான
@@ -6467,7 +6546,6 @@
 DocType: Purchase Order,To Receive,பெற
 DocType: Leave Period,Holiday List for Optional Leave,விருப்ப விடுப்புக்கான விடுமுறை பட்டியல்
 DocType: Item Tax Template,Tax Rates,வரி விகிதங்கள்
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,பொருள் குறியீடு&gt; பொருள் குழு&gt; பிராண்ட்
 DocType: Asset,Asset Owner,சொத்து உரிமையாளர்
 DocType: Item,Website Content,வலைத்தள உள்ளடக்கம்
 DocType: Bank Account,Integration ID,ஒருங்கிணைப்பு ஐடி
@@ -6511,6 +6589,7 @@
 DocType: Customer,Mention if non-standard receivable account,குறிப்பிட தரமற்ற பெறத்தக்க கணக்கு என்றால்
 DocType: Bank,Plaid Access Token,பிளேட் அணுகல் டோக்கன்
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,தயவுசெய்து மீதமுள்ள நன்மைகளை {0} சேர்க்கப்பட்டுள்ள அங்கத்தினருக்கு சேர்க்கவும்
+DocType: Bank Account,Is Default Account,இயல்புநிலை கணக்கு
 DocType: Journal Entry Account,If Income or Expense,என்றால் வருமானம் அல்லது செலவு
 DocType: Course Topic,Course Topic,பாட தலைப்பு
 DocType: Bank Statement Transaction Entry,Matching Invoices,பொருந்தும் பொருள்
@@ -6522,7 +6601,7 @@
 DocType: Disease,Treatment Task,சிகிச்சை பணி
 DocType: Payment Order Reference,Bank Account Details,வங்கி கணக்கு விவரங்கள்
 DocType: Purchase Order Item,Blanket Order,பிளாங்கட் ஆர்டர்
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,திருப்பிச் செலுத்தும் தொகை விட அதிகமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,திருப்பிச் செலுத்தும் தொகை விட அதிகமாக இருக்க வேண்டும்
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,வரி சொத்துகள்
 DocType: BOM Item,BOM No,BOM எண்
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,விவரங்களைப் புதுப்பிக்கவும்
@@ -6577,6 +6656,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce தயாரிப்புகள்
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},சூத்திரம் அல்லது நிலையில் தொடரியல் பிழை: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,அது ஒரு பங்கு உருப்படியை இல்லை என்பதால் பொருள் {0} அலட்சியம்
+,Loan Security Status,கடன் பாதுகாப்பு நிலை
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ஒரு குறிப்பிட்ட பரிமாற்றத்தில் விலை விதி பொருந்தும் இல்லை, அனைத்து பொருந்தும் விலை விதிகள் முடக்கப்பட்டுள்ளது."
 DocType: Payment Term,Day(s) after the end of the invoice month,விலைப்பட்டியல் மாதத்தின் முடிவில் நாள் (கள்)
 DocType: Assessment Group,Parent Assessment Group,பெற்றோர் மதிப்பீடு குழு
@@ -6591,7 +6671,6 @@
 DocType: Stock Entry Detail,Additional Cost,கூடுதல் செலவு
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","வவுச்சர் அடிப்படையில் வடிகட்ட முடியாது இல்லை , ரசீது மூலம் தொகுக்கப்பட்டுள்ளது என்றால்"
 DocType: Quality Inspection,Incoming,உள்வரும்
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,அமைவு&gt; எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும்
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,விற்பனை மற்றும் வாங்குதலுக்கான இயல்புநிலை வரி வார்ப்புருக்கள் உருவாக்கப்படுகின்றன.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,மதிப்பீட்டு முடிவு பதிவேற்றம் {0} ஏற்கனவே உள்ளது.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","எடுத்துக்காட்டு: ABCD. #####. தொடர் அமைக்கப்பட்டிருந்தால், பரிமாற்றங்களில் பாஷ் நோட் குறிப்பிடப்படவில்லை என்றால், இந்தத் தொடரின் அடிப்படையில் தானியங்குத் தொகுதி எண் உருவாக்கப்படும். இந்த உருப்படியின் பேட்ச் இலக்கம் வெளிப்படையாக குறிப்பிட விரும்புவீர்களானால், இது வெறுமையாகும். குறிப்பு: இந்த அமைப்பு முன்னுரிமைகளை முன்னுரிமை பெறுகிறது."
@@ -6601,8 +6680,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,விமர்சனம் சமர்ப்பிக்கவும்
 DocType: Contract,Party User,கட்சி பயனர்
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',நிறுவனத்தின் வெற்று வடிகட்ட அமைக்கவும் என்றால் குழுவினராக &#39;நிறுவனத்தின்&#39; ஆகும்
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,வாடிக்கையாளர்&gt; வாடிக்கையாளர் குழு&gt; பிரதேசம்
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,பதிவுசெய்ய தேதி எதிர்கால தேதியில் இருக்க முடியாது
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ரோ # {0}: தொ.எ. {1} பொருந்தவில்லை {2} {3}
+DocType: Loan Repayment,Interest Payable,செலுத்த வேண்டிய வட்டி
 DocType: Stock Entry,Target Warehouse Address,இலக்கு கிடங்கு முகவரி
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,தற்செயல் விடுப்பு
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,பணியாளர் செக்-இன் வருகைக்காக கருதப்படும் ஷிப்ட் தொடக்க நேரத்திற்கு முந்தைய நேரம்.
@@ -6727,6 +6808,7 @@
 DocType: Issue,Reset Service Level Agreement,சேவை நிலை ஒப்பந்தத்தை மீட்டமைக்கவும்
 ,Sales Person-wise Transaction Summary,விற்பனை நபர் வாரியான பரிவர்த்தனை சுருக்கம்
 DocType: Training Event,Contact Number,தொடர்பு எண்
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,கடன் தொகை கட்டாயமாகும்
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,கிடங்கு {0} இல்லை
 DocType: Cashier Closing,Custody,காவலில்
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,பணியாளர் வரி விலக்கு சான்று சமர்ப்பிப்பு விரிவாக
@@ -6773,6 +6855,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,இருப்பு அளவு
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,தேர்ந்தெடுக்கப்பட்ட அனைத்து பொருட்களிலும் நிபந்தனைகள் பயன்படுத்தப்படும்.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,இலக்குகளை காலியாக இருக்கக்கூடாது
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,தவறான கிடங்கு
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,மாணவர்களை சேர்ப்பது
 DocType: Item Group,Parent Item Group,பெற்றோர் பொருள் பிரிவு
 DocType: Appointment Type,Appointment Type,நியமனம் வகை
@@ -6828,10 +6911,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,சராசரி விகிதம்
 DocType: Appointment,Appointment With,உடன் நியமனம்
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,கட்டணம் செலுத்திய மொத்த கட்டண தொகை கிராண்ட் / வட்டமான மொத்தம் சமமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,வருகை என குறிக்கவும் <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""வாடிக்கையாளர் வழங்கிய பொருள்"" மதிப்பீட்டு விகிதம் இருக்க முடியாது"
 DocType: Subscription Plan Detail,Plan,திட்டம்
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,பொது அறிக்கையின் படி வங்கி அறிக்கையின் சமநிலை
-DocType: Job Applicant,Applicant Name,விண்ணப்பதாரர் பெயர்
+DocType: Appointment Letter,Applicant Name,விண்ணப்பதாரர் பெயர்
 DocType: Authorization Rule,Customer / Item Name,வாடிக்கையாளர் / உருப்படி பெயர்
 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**. 
 
@@ -6875,11 +6959,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,பங்கு லெட்ஜர் நுழைவு கிடங்கு உள்ளது என கிடங்கு நீக்க முடியாது .
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,பகிர்ந்தளித்தல்
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,பின்வரும் ஊழியர்கள் தற்போது இந்த ஊழியரிடம் புகாரளித்து வருவதால் பணியாளர் நிலையை &#39;இடது&#39; என்று அமைக்க முடியாது:
-DocType: Journal Entry Account,Loan,கடன்
+DocType: Loan Repayment,Amount Paid,கட்டண தொகை
+DocType: Loan Security Shortfall,Loan,கடன்
 DocType: Expense Claim Advance,Expense Claim Advance,செலவினம் கோரல் அட்வான்ஸ்
 DocType: Lab Test,Report Preference,முன்னுரிமை அறிக்கை
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,தன்னார்வத் தகவல்.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,திட்ட மேலாளர்
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,வாடிக்கையாளர் குழு
 ,Quoted Item Comparison,மேற்கோள் காட்டப்பட்டது பொருள் ஒப்பீட்டு
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} மற்றும் {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,அனுப்புகை
@@ -6898,6 +6984,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","மாஸ்டர் தரவு ஒத்திசைவை, அது சில நேரம் ஆகலாம்"
 DocType: Material Request Plan Item,Material Issue,பொருள் வழங்கல்
 DocType: Employee Education,Qualification,தகுதி
+DocType: Loan Security Shortfall,Loan Security Shortfall,கடன் பாதுகாப்பு பற்றாக்குறை
 DocType: Item Price,Item Price,பொருள் விலை
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,சோப் & சோப்பு
 DocType: BOM,Show Items,உருப்படிகளைக் காண்பி
@@ -6918,13 +7005,13 @@
 DocType: Appointment Booking Settings,Appointment Details,நியமனம் விவரங்கள்
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,தயாரிப்பு முடிந்தது
 DocType: Warehouse,Warehouse Name,சேமிப்பு கிடங்கு பெயர்
+DocType: Loan Security Pledge,Pledge Time,உறுதிமொழி நேரம்
 DocType: Naming Series,Select Transaction,பரிவர்த்தனை தேர்வு
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,பங்கு அங்கீகரிக்கிறது அல்லது பயனர் அனுமதி உள்ளிடவும்
 DocType: Journal Entry,Write Off Entry,நுழைவு ஆஃப் எழுத
 DocType: BOM,Rate Of Materials Based On,ஆனால் அடிப்படையில் பொருட்களின் விகிதம்
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","இயக்கப்பட்டிருந்தால், படிப்படியான நுழைவுக் கருவியில் துறையில் கல்வி கட்டாயம் கட்டாயமாக இருக்கும்."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","விலக்கு, மதிப்பிடப்பட்ட மற்றும் ஜிஎஸ்டி அல்லாத உள் பொருட்களின் மதிப்புகள்"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,வாடிக்கையாளர்&gt; வாடிக்கையாளர் குழு&gt; பிரதேசம்
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>நிறுவனம்</b> ஒரு கட்டாய வடிப்பான்.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,அனைத்தையும் தேர்வுநீக்கு
 DocType: Purchase Taxes and Charges,On Item Quantity,உருப்படி அளவு
@@ -6969,7 +7056,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,பற்றாக்குறைவே அளவு
 DocType: Purchase Invoice,Input Service Distributor,உள்ளீட்டு சேவை விநியோகஸ்தர்
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,பொருள் மாறுபாடு {0} அதே பண்புகளை கொண்ட உள்ளது
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,கல்வி&gt; கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும்
 DocType: Loan,Repay from Salary,சம்பளம் இருந்து திருப்பி
 DocType: Exotel Settings,API Token,API டோக்கன்
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},எதிராக கட்டணம் கோருகிறது {0} {1} அளவு {2}
@@ -6988,6 +7074,7 @@
 DocType: Salary Slip,Total Interest Amount,மொத்த வட்டி தொகை
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,குழந்தை முனைகள் கொண்ட கிடங்குகள் லெட்ஜர் மாற்றப்பட முடியாது
 DocType: BOM,Manage cost of operations,செயற்பாடுகளின் செலவு நிர்வகி
+DocType: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,நிலையான நாட்கள்
 DocType: Travel Itinerary,Arrival Datetime,வருகை டேட்டா டைம்
 DocType: Tax Rule,Billing Zipcode,பில்லிங் Zipcode
@@ -7168,6 +7255,7 @@
 DocType: Employee Transfer,Employee Transfer,பணியாளர் மாற்றம்
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,மணி
 DocType: Project,Expected Start Date,எதிர்பார்க்கப்படுகிறது தொடக்க தேதி
+DocType: Work Order,This is a location where raw materials are available.,மூலப்பொருட்கள் கிடைக்கும் இடம் இது.
 DocType: Purchase Invoice,04-Correction in Invoice,விலைப்பட்டியல் உள்ள 04-திருத்தம்
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,வேலை ஆர்டர் ஏற்கனவே BOM உடன் அனைத்து பொருட்களுக்கும் உருவாக்கப்பட்டது
 DocType: Bank Account,Party Details,கட்சி விவரங்கள்
@@ -7186,6 +7274,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,மேற்கோள்கள்:
 DocType: Contract,Partially Fulfilled,ஓரளவு நிறைவேற்றப்பட்டது
 DocType: Maintenance Visit,Fully Completed,முழுமையாக பூர்த்தி
+DocType: Loan Security,Loan Security Name,கடன் பாதுகாப்பு பெயர்
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; மற்றும் &quot;}&quot; தவிர சிறப்பு எழுத்துக்கள் பெயரிடும் தொடரில் அனுமதிக்கப்படவில்லை"
 DocType: Purchase Invoice Item,Is nil rated or exempted,மதிப்பிடப்படவில்லை அல்லது விலக்கு அளிக்கப்படுகிறது
 DocType: Employee,Educational Qualification,கல்வி தகுதி
@@ -7243,6 +7332,7 @@
 DocType: Program,Is Featured,சிறப்பு
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,பெறுகிறது ...
 DocType: Agriculture Analysis Criteria,Agriculture User,விவசாயம் பயனர்
+DocType: Loan Security Shortfall,America/New_York,அமெரிக்கா / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,தேதி வரை செல்லுபடியாகும் பரிவர்த்தனை தேதிக்கு முன் இருக்க முடியாது
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,மாணவர் பிரிவின்
@@ -7318,8 +7408,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,நீங்கள் உறைந்த மதிப்பை அமைக்க அதிகாரம் இல்லை
 DocType: Payment Reconciliation,Get Unreconciled Entries,ஒப்புரவாகவேயில்லை பதிவுகள் பெற
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ஊழியர் {0} {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,ஜர்னல் நுழைவுக்காக திருப்பிச் செலுத்துதல் இல்லை
 DocType: Purchase Invoice,GST Category,ஜிஎஸ்டி வகை
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,பாதுகாக்கப்பட்ட கடன்களுக்கு முன்மொழியப்பட்ட உறுதிமொழிகள் கட்டாயமாகும்
 DocType: Payment Reconciliation,From Invoice Date,விலைப்பட்டியல் வரம்பு தேதி
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,"வரவு செலவு திட்டம்,"
 DocType: Invoice Discounting,Disbursed,செலவிட்டு
@@ -7374,14 +7464,13 @@
 DocType: Restaurant,Active Menu,செயலில் உள்ள மெனு
 DocType: Accounting Dimension Detail,Default Dimension,இயல்புநிலை பரிமாணம்
 DocType: Target Detail,Target Qty,இலக்கு அளவு
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},கடனுக்கு எதிராக: {0}
 DocType: Shopping Cart Settings,Checkout Settings,வெளியேறுதல்  அமைப்புகள்
 DocType: Student Attendance,Present,தற்போது
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,டெலிவரி குறிப்பு {0} சமர்ப்பிக்க கூடாது
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","ஊழியருக்கு மின்னஞ்சல் அனுப்பும் சம்பள சீட்டு கடவுச்சொல் பாதுகாக்கப்படும், கடவுச்சொல் கொள்கையின் அடிப்படையில் கடவுச்சொல் உருவாக்கப்படும்."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,கணக்கு {0} நிறைவு வகை பொறுப்பு / ஈக்விட்டி இருக்க வேண்டும்
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே நேரம் தாள் உருவாக்கப்பட்ட {1}
-DocType: Vehicle Log,Odometer,ஓடோமீட்டர்
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,ஓடோமீட்டர்
 DocType: Production Plan Item,Ordered Qty,அளவு உத்தரவிட்டார்
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,பொருள் {0} முடக்கப்பட்டுள்ளது
 DocType: Stock Settings,Stock Frozen Upto,பங்கு வரை உறை
@@ -7435,7 +7524,6 @@
 DocType: Serial No,Delivery Document Type,டெலிவரி ஆவண வகை
 DocType: Sales Order,Partly Delivered,இதற்கு அனுப்பப்பட்டது
 DocType: Item Variant Settings,Do not update variants on save,சேமிப்பதில் மாற்றங்களைப் புதுப்பிக்க வேண்டாம்
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,கஸ்ட்மர் குழு
 DocType: Email Digest,Receivables,வரவுகள்
 DocType: Lead Source,Lead Source,முன்னணி மூல
 DocType: Customer,Additional information regarding the customer.,வாடிக்கையாளர் பற்றிய கூடுதல் தகவல்.
@@ -7530,6 +7618,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,உண்மையான
 DocType: Appointment,Skype ID,ஸ்கைப் ஐடி
 DocType: Restaurant Menu,Restaurant Manager,உணவு விடுதி மேலாளர்
+DocType: Loan,Penalty Income Account,அபராதம் வருமான கணக்கு
 DocType: Call Log,Call Log,அழைப்பு பதிவு
 DocType: Authorization Rule,Customerwise Discount,வாடிக்கையாளர் வாரியாக தள்ளுபடி
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,பணிகளை டைம் ஷீட்.
@@ -7615,6 +7704,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,தயாரிப்பு தள்ளுபடி திட்டம்
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,அழைப்பாளரால் எந்த பிரச்சினையும் எழுப்பப்படவில்லை.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,சப்ளையர் குழு
 DocType: Restaurant Reservation,Waitlisted,உறுதியாகாத
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,விலக்கு பிரிவு
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,நாணய வேறு நாணயங்களுக்கு பயன்படுத்தி உள்ளீடுகள் செய்வதில் பிறகு மாற்றிக்கொள்ள
@@ -7625,7 +7715,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,ஆலோசனை
 DocType: Subscription Plan,Based on price list,விலை பட்டியல் அடிப்படையில்
 DocType: Customer Group,Parent Customer Group,பெற்றோர் வாடிக்கையாளர் பிரிவு
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ஈ-வே பில் JSON ஐ விற்பனை விலைப்பட்டியலில் இருந்து மட்டுமே உருவாக்க முடியும்
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,இந்த வினாடி வினாவிற்கான அதிகபட்ச முயற்சிகள் எட்டப்பட்டன!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,சந்தா
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,கட்டணம் உருவாக்கம் நிலுவையில் உள்ளது
@@ -7643,6 +7732,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,தடுப்பு பராமரிப்பு
 DocType: Delivery Note Item,Against Sales Invoice,விற்பனை விலைப்பட்டியல் எதிராக
 DocType: Purchase Invoice,07-Others,07-மற்றவர்கள்
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,மேற்கோள் தொகை
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,தயவு செய்து தொடராக உருப்படியை தொடர் எண்கள் நுழைய
 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. ,நீங்கள் நிச்சயமாக அடிப்படையிலான குழுக்களைக் செய்யும் போது தொகுதி கருத்தில் கொள்ள விரும்பவில்லை என்றால் தேர்வுசெய்யாமல் விடவும்.
@@ -7751,6 +7841,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,கட்டணம் ரசீது குறிப்பு
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,இந்த வாடிக்கையாளர் எதிராக பரிமாற்றங்கள் அடிப்படையாக கொண்டது. விவரங்கள் கீழே காலவரிசை பார்க்க
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,பொருள் கோரிக்கையை உருவாக்கவும்
+DocType: Loan Interest Accrual,Pending Principal Amount,முதன்மை தொகை நிலுவையில் உள்ளது
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,கோர்ஸ் வாரியாக மதிப்பீட்டு அறிக்கைக்காக
@@ -7793,6 +7884,7 @@
 											to fullfill Sales Order {2}","விற்பனையின் வரிசை முழுமையடைவதற்கு {0}, {0} வரிசை எண் {0}"
 DocType: Quotation,SAL-QTN-.YYYY.-,சல்-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,சப்ளையர் மேற்கோள் {0} உருவாக்கப்பட்ட
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge வகை
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,இறுதி ஆண்டு தொடக்க ஆண்டு முன் இருக்க முடியாது
 DocType: Employee Benefit Application,Employee Benefits,பணியாளர் நன்மைகள்
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,பணியாளர் ஐடி
@@ -7875,6 +7967,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,பாடநெறி குறியீடு:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,செலவு கணக்கு உள்ளிடவும்
 DocType: Quality Action Resolution,Problem,பிரச்சனை
+DocType: Loan Security Type,Loan To Value Ratio,மதிப்பு விகிதத்திற்கான கடன்
 DocType: Account,Stock,பங்கு
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை கொள்முதல் ஆணை ஒன்று, கொள்முதல் விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்"
 DocType: Employee,Current Address,தற்போதைய முகவரி
@@ -7892,6 +7985,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,வங்கி அறிக்கை பரிவர்த்தனை உள்ளீடு
 DocType: Sales Invoice Item,Discount and Margin,தள்ளுபடி மற்றும் மார்ஜின்
 DocType: Lab Test,Prescription,பரிந்துரைக்கப்படும்
+DocType: Process Loan Security Shortfall,Update Time,புதுப்பிப்பு நேரம்
 DocType: Import Supplier Invoice,Upload XML Invoices,எக்ஸ்எம்எல் விலைப்பட்டியல்களைப் பதிவேற்றுக
 DocType: Company,Default Deferred Revenue Account,Default Deferred வருவாய் கணக்கு
 DocType: Project,Second Email,இரண்டாவது மின்னஞ்சல்
@@ -7905,7 +7999,7 @@
 DocType: Quality Action,Preventive,தடுப்பு
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,பதிவு செய்யப்படாத நபர்களுக்கு வழங்கல்
 DocType: Company,Date of Incorporation,இணைத்தல் தேதி
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,மொத்த வரி
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,மொத்த வரி
 DocType: Manufacturing Settings,Default Scrap Warehouse,இயல்புநிலை ஸ்கிராப் கிடங்கு
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,கடைசி கொள்முதல் விலை
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,அளவு (அளவு உற்பத்தி) என்பது கட்டாயம்
@@ -7924,6 +8018,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,செலுத்திய இயல்புநிலை பயன்முறையை அமைக்கவும்
 DocType: Stock Entry Detail,Against Stock Entry,பங்கு நுழைவுக்கு எதிராக
 DocType: Grant Application,Withdrawn,பாதியில் நிறுத்தப்பட்டது
+DocType: Loan Repayment,Regular Payment,வழக்கமான கட்டணம்
 DocType: Support Search Source,Support Search Source,தேடல் மூலத்தை ஆதரிக்கவும்
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,மொத்த அளவு%
@@ -7937,8 +8032,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,வரி செலுத்தாமல் இல்லாமல்
 DocType: BOM Operation,BOM Operation,BOM ஆபரேஷன்
 DocType: Purchase Taxes and Charges,On Previous Row Amount,முந்தைய வரிசை தொகை
+DocType: Student,Home Address,வீட்டு முகவரி
 DocType: Options,Is Correct,சரியானது
 DocType: Item,Has Expiry Date,காலாவதி தேதி உள்ளது
+DocType: Loan Repayment,Paid Accrual Entries,கட்டண ஊதிய உள்ளீடுகள்
+DocType: Loan Security,Loan Security Type,கடன் பாதுகாப்பு வகை
 apps/erpnext/erpnext/config/support.py,Issue Type.,வெளியீட்டு வகை.
 DocType: POS Profile,POS Profile,பிஓஎஸ் செய்தது
 DocType: Training Event,Event Name,நிகழ்வு பெயர்
@@ -7950,6 +8048,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","அமைக்க வரவு செலவு திட்டம், இலக்குகளை முதலியன உங்கம்மா"
 apps/erpnext/erpnext/www/all-products/index.html,No values,மதிப்புகள் இல்லை
 DocType: Supplier Scorecard Scoring Variable,Variable Name,மாறி பெயர்
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,சமரசம் செய்ய வங்கி கணக்கைத் தேர்ந்தெடுக்கவும்.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} பொருள் ஒரு டெம்ப்ளேட் உள்ளது, அதன் வகைகள் ஒன்றைத் தேர்ந்தெடுக்கவும்"
 DocType: Purchase Invoice Item,Deferred Expense,ஒத்திவைக்கப்பட்ட செலவுகள்
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,செய்திகளுக்குத் திரும்பு
@@ -8001,7 +8100,6 @@
 DocType: GL Entry,To Rename,மறுபெயரிட
 DocType: Stock Entry,Repack,RePack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,வரிசை எண்ணைச் சேர்க்கத் தேர்ந்தெடுக்கவும்.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,கல்வி&gt; கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும்
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',வாடிக்கையாளர் &#39;% s&#39; க்காக நிதிக் குறியீட்டை அமைக்கவும்
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,முதலில் நிறுவனத்தைத் தேர்ந்தெடுக்கவும்
 DocType: Item Attribute,Numeric Values,எண்மதிப்பையும்
@@ -8025,6 +8123,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO ஐ அடிப்படையாகக் கொள்ளுங்கள்
 DocType: Soil Texture,Clay Loam,களிமண்
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,ரூட் திருத்த முடியாது .
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,கடன் பாதுகாப்பு மதிப்பு
 DocType: Item,Units of Measure,அளவின் அலகுகள்
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,மெட்ரோ நகரத்தில் வாடகைக்கு
 DocType: Supplier,Default Tax Withholding Config,இயல்புநிலை வரி விலக்குதல் அமைப்பு
@@ -8071,6 +8170,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,முதல் வகையை தேர்ந்தெடுக்கவும்
 apps/erpnext/erpnext/config/projects.py,Project master.,திட்டம் மாஸ்டர்.
 DocType: Contract,Contract Terms,ஒப்பந்த விதிமுறைகள்
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,அனுமதிக்கப்பட்ட தொகை வரம்பு
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,உள்ளமைவைத் தொடரவும்
 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,Maximum benefit amount of component {0} exceeds {1},உறுப்புகளின் அதிகபட்ச நன்மை அளவு {0} {1}
@@ -8103,6 +8203,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,அழைப்பு பதிவைக் காண்க
 DocType: BOM Operation,Operating Cost(Company Currency),இயக்க செலவு (நிறுவனத்தின் நாணய)
 DocType: Loan Application,Rate of Interest,வட்டி விகிதம்
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},கடன் பாதுகாப்பு உறுதிமொழி ஏற்கனவே கடனுக்கு எதிராக உறுதியளித்துள்ளது {0}
 DocType: Expense Claim Detail,Sanctioned Amount,ஒப்புதல் தொகை
 DocType: Item,Shelf Life In Days,நாட்களில் அடுப்பு வாழ்க்கை
 DocType: GL Entry,Is Opening,திறக்கிறது
@@ -8114,3 +8215,4 @@
 DocType: Account,Cash,பணம்
 DocType: Sales Invoice,Unpaid and Discounted,செலுத்தப்படாத மற்றும் தள்ளுபடி
 DocType: Employee,Short biography for website and other publications.,இணையதளம் மற்றும் பிற வெளியீடுகள் குறுகிய வாழ்க்கை.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,வரிசை # {0}: துணை ஒப்பந்தக்காரருக்கு மூலப்பொருட்களை வழங்கும்போது சப்ளையர் கிடங்கைத் தேர்ந்தெடுக்க முடியாது
diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv
index da13f52..d067c0e 100644
--- a/erpnext/translations/te.csv
+++ b/erpnext/translations/te.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,అవకాశం కోల్పోయిన కారణం
 DocType: Patient Appointment,Check availability,లభ్యతను తనిఖీలు చేయండి
 DocType: Retention Bonus,Bonus Payment Date,బోనస్ చెల్లింపు తేదీ
-DocType: Employee,Job Applicant,ఉద్యోగం అభ్యర్థి
+DocType: Appointment Letter,Job Applicant,ఉద్యోగం అభ్యర్థి
 DocType: Job Card,Total Time in Mins,నిమిషాల్లో మొత్తం సమయం
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ఈ ఈ సరఫరాదారు వ్యతిరేకంగా లావాదేవీలు ఆధారంగా. వివరాల కోసం ఈ క్రింది కాలక్రమం చూడండి
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,పని క్రమంలో అధిక ఉత్పత్తి శాతం
@@ -180,6 +180,7 @@
 DocType: Delivery Stop,Contact Information,సంప్రదింపు సమాచారం
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ఏదైనా వెతకండి ...
 ,Stock and Account Value Comparison,స్టాక్ మరియు ఖాతా విలువ పోలిక
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,పంపిణీ చేసిన మొత్తం రుణ మొత్తం కంటే ఎక్కువగా ఉండకూడదు
 DocType: Company,Phone No,ఫోన్ సంఖ్య
 DocType: Delivery Trip,Initial Email Notification Sent,ప్రారంభ ఇమెయిల్ నోటిఫికేషన్ పంపబడింది
 DocType: Bank Statement Settings,Statement Header Mapping,ప్రకటన శీర్షిక మ్యాపింగ్
@@ -284,6 +285,7 @@
 DocType: Lead,Interested,ఆసక్తి
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,ప్రారంభోత్సవం
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,ప్రోగ్రామ్:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,సమయం నుండి చెల్లుబాటు అయ్యే సమయం కంటే తక్కువ ఉండాలి.
 DocType: Item,Copy From Item Group,అంశం గ్రూప్ నుండి కాపీ
 DocType: Journal Entry,Opening Entry,ఓపెనింగ్ ఎంట్రీ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,ఖాతా చెల్లించండి మాత్రమే
@@ -331,6 +333,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,గ్రేడ్
 DocType: Restaurant Table,No of Seats,సీట్ల సంఖ్య
+DocType: Loan Type,Grace Period in Days,రోజుల్లో గ్రేస్ పీరియడ్
 DocType: Sales Invoice,Overdue and Discounted,మీరిన మరియు రాయితీ
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,కాల్ డిస్‌కనెక్ట్ చేయబడింది
 DocType: Sales Invoice Item,Delivered By Supplier,సరఫరాదారు ద్వారా పంపిణీ
@@ -381,7 +384,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,సూచించిన పద్ధతులు
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS ను మాత్రమే చూపించు
 DocType: Supplier Group,Supplier Group Name,సరఫరాదారు సమూహం పేరు
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,హాజరును గుర్తించండి <b></b>
 DocType: Driver,Driving License Categories,డ్రైవింగ్ లైసెన్స్ కేటగిరీలు
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,దయచేసి డెలివరీ తేదీని నమోదు చేయండి
 DocType: Depreciation Schedule,Make Depreciation Entry,అరుగుదల ఎంట్రీ చేయండి
@@ -398,10 +400,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,కార్యకలాపాల వివరాలను చేపట్టారు.
 DocType: Asset Maintenance Log,Maintenance Status,నిర్వహణ స్థితి
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,వస్తువు పన్ను మొత్తం విలువలో చేర్చబడింది
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,లోన్ సెక్యూరిటీ అన్‌ప్లెడ్జ్
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,సభ్యత్వ వివరాలు
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: సరఫరాదారు చెల్లించవలసిన ఖాతాఫై అవసరం {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,అంశాలు మరియు ధర
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},మొత్తం గంటలు: {0}
+DocType: Loan,Loan Manager,లోన్ మేనేజర్
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},తేదీ నుండి ఫిస్కల్ ఇయర్ లోపల ఉండాలి. తేదీ నుండి ఊహిస్తే = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,విరామం
@@ -460,6 +464,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',&#39;టైం లోగ్&#39; ద్వారా నవీకరించబడింది
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,కస్టమర్ లేదా సరఫరాదారుని ఎంచుకోండి.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ఫైల్‌లోని కంట్రీ కోడ్ సిస్టమ్‌లో ఏర్పాటు చేసిన కంట్రీ కోడ్‌తో సరిపోలడం లేదు
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},ఖాతా {0} కంపెనీకి చెందినది కాదు {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,డిఫాల్ట్‌గా ఒకే ప్రాధాన్యతను ఎంచుకోండి.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},అడ్వాన్స్ మొత్తాన్ని కంటే ఎక్కువ ఉండకూడదు {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","సమయం స్లాట్ స్కిప్ చేయబడింది, {0} {1} కు స్లాట్ ఎక్జిబిట్ స్లాట్ {2} కు {3}"
@@ -537,7 +542,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Leave నిరోధిత
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},అంశం {0} జీవితం యొక్క దాని ముగింపు చేరుకుంది {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,బ్యాంక్ ఎంట్రీలు
-DocType: Customer,Is Internal Customer,అంతర్గత వినియోగదారుడు
+DocType: Sales Invoice,Is Internal Customer,అంతర్గత వినియోగదారుడు
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,సేల్స్ వాయిస్ లేవు
@@ -561,6 +566,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,మెటీరియల్ అభ్యర్థన
 DocType: Bank Reconciliation,Update Clearance Date,నవీకరణ క్లియరెన్స్ తేదీ
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,బండిల్ Qty
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,దరఖాస్తు ఆమోదించబడే వరకు రుణాన్ని సృష్టించలేరు
 ,GSTR-2,GSTR -2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},కొనుగోలు ఆర్డర్ లో &#39;రా మెటీరియల్స్ పంపినవి&#39; పట్టికలో దొరకలేదు అంశం {0} {1}
 DocType: Salary Slip,Total Principal Amount,మొత్తం ప్రధాన మొత్తం
@@ -568,6 +574,7 @@
 DocType: Quiz Result,Correct,సరైన
 DocType: Student Guardian,Mother,తల్లి
 DocType: Restaurant Reservation,Reservation End Time,రిజర్వేషన్ ఎండ్ టైమ్
+DocType: Salary Slip Loan,Loan Repayment Entry,రుణ తిరిగి చెల్లించే ఎంట్రీ
 DocType: Crop,Biennial,ద్వైవార్షిక
 ,BOM Variance Report,BOM వ్యత్యాస నివేదిక
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,వినియోగదారుడు నుండి ధృవీకరించబడిన ఆదేశాలు.
@@ -588,6 +595,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},వ్యతిరేకంగా చెల్లింపు {0} {1} అసాధారణ మొత్తాన్ని కంటే ఎక్కువ ఉండకూడదు {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,అన్ని హెల్త్కేర్ సర్వీస్ యూనిట్లు
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,అవకాశాన్ని మార్చేటప్పుడు
+DocType: Loan,Total Principal Paid,మొత్తం ప్రిన్సిపాల్ చెల్లించారు
 DocType: Bank Account,Address HTML,చిరునామా HTML
 DocType: Lead,Mobile No.,మొబైల్ నం
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,చెల్లింపుల మోడ్
@@ -606,12 +614,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,బేస్ కరెన్సీలో సంతులనం
 DocType: Supplier Scorecard Scoring Standing,Max Grade,మాక్స్ గ్రేడ్
 DocType: Email Digest,New Quotations,న్యూ కొటేషన్స్
+DocType: Loan Interest Accrual,Loan Interest Accrual,లోన్ ఇంట్రెస్ట్ అక్రూవల్
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,సెలవులో {0} {0} గా హాజరు కావడం లేదు.
 DocType: Journal Entry,Payment Order,చెల్లింపు ఆర్డర్
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ఇమెయిల్ నిర్ధారించండి
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,ఇతర వనరుల నుండి వచ్చే ఆదాయం
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ఖాళీగా ఉంటే, పేరెంట్ వేర్‌హౌస్ ఖాతా లేదా కంపెనీ డిఫాల్ట్ పరిగణించబడుతుంది"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ఇష్టపడే ఇమెయిల్ లో ఉద్యోగి ఎంపిక ఆధారంగా ఉద్యోగి ఇమెయిళ్ళు జీతం స్లిప్
+DocType: Work Order,This is a location where operations are executed.,ఇది కార్యకలాపాలు అమలు చేయబడిన ప్రదేశం.
 DocType: Tax Rule,Shipping County,షిప్పింగ్ కౌంటీ
 DocType: Currency Exchange,For Selling,సెల్లింగ్ కోసం
 apps/erpnext/erpnext/config/desktop.py,Learn,తెలుసుకోండి
@@ -620,6 +630,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,అప్లైడ్ కూపన్ కోడ్
 DocType: Asset,Next Depreciation Date,తదుపరి అరుగుదల తేదీ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,ఉద్యోగి ప్రతి కార్యాచరణ ఖర్చు
+DocType: Loan Security,Haircut %,హ్యారీకట్%
 DocType: Accounts Settings,Settings for Accounts,అకౌంట్స్ కోసం సెట్టింగులు
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},సరఫరాదారు వాయిస్ లేవు కొనుగోలు వాయిస్ లో ఉంది {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,సేల్స్ పర్సన్ ట్రీ నిర్వహించండి.
@@ -658,6 +669,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},దయచేసి {@} పై హోటల్ రూట్ రేటును సెట్ చేయండి
 DocType: Journal Entry,Multi Currency,మల్టీ కరెన్సీ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,వాయిస్ పద్ధతి
+DocType: Loan,Loan Security Details,రుణ భద్రతా వివరాలు
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,తేదీ నుండి చెల్లుబాటు అయ్యే తేదీ కంటే తక్కువగా ఉండాలి
 DocType: Purchase Invoice,Set Accepted Warehouse,అంగీకరించిన గిడ్డంగిని సెట్ చేయండి
 DocType: Employee Benefit Claim,Expense Proof,వ్యయ ప్రూఫ్
@@ -761,7 +773,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,ల్యాబ్ పరీక్ష ఆమోదం అవసరం
 DocType: Attendance,Working Hours,పని గంటలు
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,మొత్తం అత్యుత్తమమైనది
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},అంశం కోసం UOM మార్పిడి కారకం ({0} -&gt; {1}) కనుగొనబడలేదు: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,అప్పటికే ఉన్న సిరీస్ ప్రారంభం / ప్రస్తుత క్రమ సంఖ్య మార్చండి.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"ఆదేశించిన మొత్తానికి వ్యతిరేకంగా ఎక్కువ బిల్లు చేయడానికి మీకు అనుమతి ఉన్న శాతం. ఉదాహరణకు: ఒక వస్తువుకు ఆర్డర్ విలువ $ 100 మరియు సహనం 10% గా సెట్ చేయబడితే, మీరు bill 110 కు బిల్ చేయడానికి అనుమతించబడతారు."
 DocType: Dosage Strength,Strength,బలం
@@ -778,6 +789,7 @@
 DocType: Purchase Receipt,Vehicle Date,వాహనం తేదీ
 DocType: Campaign Email Schedule,Campaign Email Schedule,ప్రచార ఇమెయిల్ షెడ్యూల్
 DocType: Student Log,Medical,మెడికల్
+DocType: Work Order,This is a location where scraped materials are stored.,స్క్రాప్ చేసిన పదార్థాలు నిల్వ చేయబడిన ప్రదేశం ఇది.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,డ్రగ్ ఎంచుకోండి
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,లీడ్ యజమాని లీడ్ అదే ఉండకూడదు
 DocType: Announcement,Receiver,స్వీకర్త
@@ -873,7 +885,7 @@
 DocType: Driver,Applicable for external driver,బాహ్య డ్రైవర్ కోసం వర్తించే
 DocType: Sales Order Item,Used for Production Plan,ఉత్పత్తి ప్లాన్ వుపయోగించే
 DocType: BOM,Total Cost (Company Currency),మొత్తం ఖర్చు (కంపెనీ కరెన్సీ)
-DocType: Loan,Total Payment,మొత్తం చెల్లింపు
+DocType: Repayment Schedule,Total Payment,మొత్తం చెల్లింపు
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO అన్ని అమ్మకాలు ఆర్డర్ అంశాల కోసం ఇప్పటికే సృష్టించబడింది
@@ -898,6 +910,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,కొనుగోలు ఆర్డర్లను హెచ్చరించండి
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,తేదీ నుండి అద్దెకు తీసుకున్నారు
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,తగినంత భాగాలు బిల్డ్
+DocType: Loan Security,Loan Security Code,లోన్ సెక్యూరిటీ కోడ్
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,దయచేసి మొదట సేవ్ చేయండి
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,దానితో ముడిపడి ఉన్న ముడి పదార్థాలను లాగడానికి అంశాలు అవసరం.
 DocType: POS Profile User,POS Profile User,POS ప్రొఫైల్ వాడుకరి
@@ -954,6 +967,7 @@
 DocType: Patient,Risk Factors,ప్రమాద కారకాలు
 DocType: Patient,Occupational Hazards and Environmental Factors,వృత్తిపరమైన ప్రమాదాలు మరియు పర్యావరణ కారకాలు
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,స్టాక్ ఎంట్రీలు ఇప్పటికే వర్క్ ఆర్డర్ కోసం సృష్టించబడ్డాయి
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ఐటెమ్ కోడ్&gt; ఐటమ్ గ్రూప్&gt; బ్రాండ్
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,గత ఆర్డర్‌లను చూడండి
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} సంభాషణలు
 DocType: Vital Signs,Respiratory rate,శ్వాసక్రియ రేటు
@@ -1016,6 +1030,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,పన్ను అక్రమ హోల్డింగ్ ఖాతా
 DocType: Pricing Rule,Sales Partner,సేల్స్ భాగస్వామి
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,అన్ని సరఫరాదారు స్కోర్కార్డులు.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,ఆర్డర్ మొత్తం
+DocType: Loan,Disbursed Amount,పంపిణీ చేసిన మొత్తం
 DocType: Buying Settings,Purchase Receipt Required,కొనుగోలు రసీదులు అవసరం
 DocType: Sales Invoice,Rail,రైల్
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,అసలు ఖరీదు
@@ -1052,6 +1068,7 @@
 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},పంపిణీ: {0}
 DocType: QuickBooks Migrator,Connected to QuickBooks,క్విక్బుక్స్లో కనెక్ట్ చేయబడింది
 DocType: Bank Statement Transaction Entry,Payable Account,చెల్లించవలసిన ఖాతా
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,చెల్లింపు ఎంట్రీలను పొందడానికి ఖాతా తప్పనిసరి
 DocType: Payment Entry,Type of Payment,చెల్లింపు రకం
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,హాఫ్ డే తేదీ తప్పనిసరి
 DocType: Sales Order,Billing and Delivery Status,బిల్లింగ్ మరియు డెలివరీ స్థాయి
@@ -1088,7 +1105,7 @@
 DocType: Purchase Order Item,Billed Amt,బిల్ ఆంట్
 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,Principal Amount,ప్రధాన మొత్తం
+DocType: Repayment Schedule,Principal Amount,ప్రధాన మొత్తం
 DocType: Loan Application,Total Payable Interest,మొత్తం చెల్లించవలసిన వడ్డీ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},మొత్తం అత్యుత్తమమైన: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,ఓపెన్ కాంటాక్ట్
@@ -1101,6 +1118,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,నవీకరణ ప్రాసెస్ సమయంలో లోపం సంభవించింది
 DocType: Restaurant Reservation,Restaurant Reservation,రెస్టారెంట్ రిజర్వేషన్
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,మీ అంశాలు
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,సరఫరాదారు&gt; సరఫరాదారు రకం
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ప్రతిపాదన రాయడం
 DocType: Payment Entry Deduction,Payment Entry Deduction,చెల్లింపు ఎంట్రీ తీసివేత
 DocType: Service Level Priority,Service Level Priority,సేవా స్థాయి ప్రాధాన్యత
@@ -1255,7 +1273,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),ప్రాథమిక రేటు (కంపెనీ కరెన్సీ)
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,స్ప్లిట్ ఇష్యూ
 DocType: Student Attendance,Student Attendance,విద్యార్థి హాజరు
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,ఎగుమతి చేయడానికి డేటా లేదు
 DocType: Sales Invoice Timesheet,Time Sheet,సమయ పట్టిక
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush రా మెటీరియల్స్ బేస్డ్ న
 DocType: Sales Invoice,Port Code,పోర్ట్ కోడ్
@@ -1268,6 +1285,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,అసలు డెలివరీ తేదీ
 DocType: Lab Test,Test Template,టెస్ట్ మూస
+DocType: Loan Security Pledge,Securities,సెక్యూరిటీస్
 DocType: Restaurant Order Entry Item,Served,పనిచేశారు
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,చాప్టర్ సమాచారం.
 DocType: Account,Accounts,అకౌంట్స్
@@ -1361,6 +1379,7 @@
 DocType: Inpatient Record,O Negative,ఓ నెగటివ్
 DocType: Work Order Operation,Planned End Time,అనుకున్న ముగింపు సమయం
 DocType: POS Profile,Only show Items from these Item Groups,ఈ ఐటెమ్ గుంపుల నుండి అంశాలను మాత్రమే చూపించు
+DocType: Loan,Is Secured Loan,సెక్యూర్డ్ లోన్
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,ఇప్పటికే లావాదేవీతో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Memebership పద్ధతి వివరాలు
 DocType: Delivery Note,Customer's Purchase Order No,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ సంఖ్య
@@ -1397,6 +1416,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,దయచేసి ఎంట్రీలను పొందడానికి కంపెనీని మరియు పోస్ట్ తేదీని ఎంచుకోండి
 DocType: Asset,Maintenance,నిర్వహణ
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,పేషెంట్ ఎన్కౌంటర్ నుండి పొందండి
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},అంశం కోసం UOM మార్పిడి కారకం ({0} -&gt; {1}) కనుగొనబడలేదు: {2}
 DocType: Subscriber,Subscriber,సబ్స్క్రయిబర్
 DocType: Item Attribute Value,Item Attribute Value,అంశం విలువను ఆపాదించే
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,కరెన్సీ ఎక్స్ఛేంజ్ కొనుగోలు లేదా అమ్మకం కోసం వర్తింపజేయాలి.
@@ -1475,6 +1495,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,అనుమతి లేదు
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,కాంట్రాక్ట్ నెరవేర్చుట చెక్లిస్ట్
 DocType: Vital Signs,Heart Rate / Pulse,హార్ట్ రేట్ / పల్స్
+DocType: Customer,Default Company Bank Account,డిఫాల్ట్ కంపెనీ బ్యాంక్ ఖాతా
 DocType: Supplier,Default Bank Account,డిఫాల్ట్ బ్యాంక్ ఖాతా
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",పార్టీ ఆధారంగా ఫిల్టర్ ఎన్నుకోండి పార్టీ మొదటి రకం
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},అంశాలను ద్వారా పంపిణీ లేదు ఎందుకంటే &#39;సరిచేయబడిన స్టాక్&#39; తనిఖీ చెయ్యబడదు {0}
@@ -1592,7 +1613,6 @@
 DocType: Sales Team,Incentives,ఇన్సెంటివ్స్
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,విలువలు సమకాలీకరించబడలేదు
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,తేడా విలువ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,దయచేసి సెటప్&gt; నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్‌ను సెటప్ చేయండి
 DocType: SMS Log,Requested Numbers,అభ్యర్థించిన సంఖ్యలు
 DocType: Volunteer,Evening,సాయంత్రం
 DocType: Quiz,Quiz Configuration,క్విజ్ కాన్ఫిగరేషన్
@@ -1612,6 +1632,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,మునుపటి రో మొత్తం
 DocType: Purchase Invoice Item,Rejected Qty,తిరస్కరించబడిన ప్యాక్ చేసిన అంశాల
 DocType: Setup Progress Action,Action Field,యాక్షన్ ఫీల్డ్
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,వడ్డీ మరియు పెనాల్టీ రేట్ల కోసం రుణ రకం
 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,డెలివరీ స్టాప్స్
@@ -1623,6 +1644,7 @@
 ,Final Assessment Grades,ఫైనల్ అసెస్మెంట్ గ్రేడ్స్
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,మీ కంపెనీ పేరు ఇది కోసం మీరు ఈ వ్యవస్థ ఏర్పాటు.
 DocType: HR Settings,Include holidays in Total no. of Working Days,ఏ మొత్తం లో సెలవులు చేర్చండి. వర్కింగ్ డేస్
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,గ్రాండ్ మొత్తం
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext లో మీ ఇన్స్టిట్యూట్ సెటప్ చేయండి
 DocType: Agriculture Analysis Criteria,Plant Analysis,ప్లాంట్ విశ్లేషణ
 DocType: Task,Timeline,కాలక్రమం
@@ -1630,9 +1652,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,ప్రత్యామ్నాయ అంశం
 DocType: Shopify Log,Request Data,డేటాను అభ్యర్థించండి
 DocType: Employee,Date of Joining,చేరిన తేదీ
+DocType: Delivery Note,Inter Company Reference,ఇంటర్ కంపెనీ రిఫరెన్స్
 DocType: Naming Series,Update Series,నవీకరణ సిరీస్
 DocType: Supplier Quotation,Is Subcontracted,"బహుకరించింది, మరలా ఉంది"
 DocType: Restaurant Table,Minimum Seating,కనీస సీటింగ్
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,ప్రశ్న నకిలీ కాదు
 DocType: Item Attribute,Item Attribute Values,అంశం లక్షణం విలువలు
 DocType: Examination Result,Examination Result,పరీక్ష ఫలితం
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,కొనుగోలు రసీదులు
@@ -1732,6 +1756,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు
 DocType: Payment Request,Paid,చెల్లింపు
 DocType: Service Level,Default Priority,డిఫాల్ట్ ప్రాధాన్యత
+DocType: Pledge,Pledge,ప్లెడ్జ్
 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 లలో తాజా ధరలను కూడా నవీకరించింది."
@@ -1745,6 +1770,7 @@
 DocType: Guardian,Guardian Name,గార్డియన్ పేరు
 DocType: Cheque Print Template,Has Print Format,ప్రింట్ ఫార్మాట్ ఉంది
 DocType: Support Settings,Get Started Sections,విభాగాలు ప్రారంభించండి
+,Loan Repayment and Closure,రుణ తిరిగి చెల్లించడం మరియు మూసివేయడం
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,మంజూరు
 ,Base Amount,బేస్ మొత్తం
@@ -1758,7 +1784,6 @@
 DocType: Student Admission,Publish on website,వెబ్ సైట్ ప్రచురించు
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,సరఫరాదారు ఇన్వాయిస్ తేదీ వ్యాఖ్యలు తేదీ కన్నా ఎక్కువ ఉండకూడదు
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ఐఎన్ఎస్-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ఐటెమ్ కోడ్&gt; ఐటెమ్ గ్రూప్&gt; బ్రాండ్
 DocType: Subscription,Cancelation Date,రద్దు తేదీ
 DocType: Purchase Invoice Item,Purchase Order Item,ఆర్డర్ అంశం కొనుగోలు
 DocType: Agriculture Task,Agriculture Task,వ్యవసాయ పని
@@ -1777,7 +1802,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,అదనపు డిస్కౌంట్ శాతం
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,అన్ని సహాయ వీడియోలను జాబితాను వీక్షించండి
 DocType: Agriculture Analysis Criteria,Soil Texture,నేల ఆకృతి
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,చెక్ జమ జరిగినది ఎక్కడ బ్యాంకు ఖాతాను ఎంచుకోండి తల.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,యూజర్ లావాదేవీలలో ధర జాబితా రేటు సవరించడానికి అనుమతిస్తుంది
 DocType: Pricing Rule,Max Qty,మాక్స్ ప్యాక్ చేసిన అంశాల
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,నివేదిక రిపోర్ట్ కార్డ్
@@ -1908,7 +1932,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","సెట్ చేసిన తర్వాత, సెట్ తేదీ వరకు ఈ వాయిస్ హోల్డ్లో ఉంటుంది"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,సెల్లింగ్ మొత్తం
-DocType: Repayment Schedule,Interest Amount,వడ్డీ మొత్తం
+DocType: Loan Interest Accrual,Interest Amount,వడ్డీ మొత్తం
 DocType: Job Card,Time Logs,సమయం దినచర్య
 DocType: Sales Invoice,Loyalty Amount,విశ్వసనీయత మొత్తం
 DocType: Employee Transfer,Employee Transfer Detail,ఉద్యోగి బదిలీ వివరాలు
@@ -1948,7 +1972,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,ఆర్డర్లు అంశాలు మీరిన కొనుగోలు
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,జిప్ కోడ్
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},అమ్మకాల ఆర్డర్ {0} ఉంది {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},రుణంలో వడ్డీ ఆదాయం ఖాతాను ఎంచుకోండి {0}
 DocType: Opportunity,Contact Info,సంప్రదింపు సమాచారం
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,స్టాక్ ఎంట్రీలు మేకింగ్
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,స్థితి ఎడమవైపు ఉద్యోగిని ప్రోత్సహించలేరు
@@ -2032,7 +2055,6 @@
 DocType: Salary Slip,Deductions,తగ్గింపులకు
 DocType: Setup Progress Action,Action Name,చర్య పేరు
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ప్రారంభ సంవత్సరం
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,రుణాన్ని సృష్టించండి
 DocType: Purchase Invoice,Start date of current invoice's period,ప్రస్తుత వాయిస్ యొక్క కాలం తేదీ ప్రారంభించండి
 DocType: Shift Type,Process Attendance After,ప్రాసెస్ హాజరు తరువాత
 ,IRS 1099,ఐఆర్ఎస్ 1099
@@ -2053,6 +2075,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,మీ డొమైన్లను ఎంచుకోండి
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify సరఫరాదారు
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,చెల్లింపు వాయిస్ అంశాలు
+DocType: Repayment Schedule,Is Accrued,పెరిగింది
 DocType: Payroll Entry,Employee Details,ఉద్యోగి వివరాలు
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ఫైళ్ళను ప్రాసెస్ చేస్తోంది
 DocType: Amazon MWS Settings,CN,CN
@@ -2082,6 +2105,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,లాయల్టీ పాయింట్ ఎంట్రీ
 DocType: Employee Checkin,Shift End,షిఫ్ట్ ఎండ్
 DocType: Stock Settings,Default Item Group,డిఫాల్ట్ అంశం గ్రూప్
+DocType: Loan,Partially Disbursed,పాక్షికంగా పంపించబడతాయి
 DocType: Job Card Time Log,Time In Mins,నిమిషాలలో సమయం
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,సమాచారం ఇవ్వండి.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ఈ చర్య మీ బ్యాంక్ ఖాతాలతో ERPNext ను సమగ్రపరిచే ఏదైనా బాహ్య సేవ నుండి ఈ ఖాతాను అన్‌లింక్ చేస్తుంది. దీన్ని రద్దు చేయలేము. మీరు ఖచ్చితంగా ఉన్నారా?
@@ -2097,6 +2121,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,అదే అంశం అనేకసార్లు ఎంటర్ చేయలేరు.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","మరింత ఖాతాల గుంపులు కింద తయారు చేయవచ్చు, కానీ ఎంట్రీలు కాని గుంపులు వ్యతిరేకంగా తయారు చేయవచ్చు"
+DocType: Loan Repayment,Loan Closure,రుణ మూసివేత
 DocType: Call Log,Lead,లీడ్
 DocType: Email Digest,Payables,Payables
 DocType: Amazon MWS Settings,MWS Auth Token,MWS ఆథ్ టోకెన్
@@ -2129,6 +2154,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ఉద్యోగుల పన్ను మరియు ప్రయోజనాలు
 DocType: Bank Guarantee,Validity in Days,డేస్ లో చెల్లుబాటు
 DocType: Bank Guarantee,Validity in Days,డేస్ లో చెల్లుబాటు
+DocType: Unpledge,Haircut,హ్యారీకట్
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},సి రూపం వాయిస్ కోసం వర్తించే కాదు: {0}
 DocType: Certified Consultant,Name of Consultant,కన్సల్టెంట్ పేరు
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled చెల్లింపు వివరాలు
@@ -2181,7 +2207,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,ప్రపంచంలోని మిగిలిన
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,అంశం {0} బ్యాచ్ ఉండకూడదు
 DocType: Crop,Yield UOM,దిగుబడి UOM
+DocType: Loan Security Pledge,Partially Pledged,పాక్షికంగా ప్రతిజ్ఞ
 ,Budget Variance Report,బడ్జెట్ విస్తృతి నివేదిక
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,మంజూరు చేసిన రుణ మొత్తం
 DocType: Salary Slip,Gross Pay,స్థూల పే
 DocType: Item,Is Item from Hub,హబ్ నుండి అంశం
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,హెల్త్కేర్ సర్వీసెస్ నుండి అంశాలను పొందండి
@@ -2216,6 +2244,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,కొత్త నాణ్యత విధానం
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},ఖాతా సంతులనం {0} ఎల్లప్పుడూ ఉండాలి {1}
 DocType: Patient Appointment,More Info,మరింత సమాచారం
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,చేరిన తేదీ కంటే పుట్టిన తేదీ ఎక్కువ కాదు.
 DocType: Supplier Scorecard,Scorecard Actions,స్కోర్కార్డ్ చర్యలు
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},సరఫరాదారు {0} {1} లో కనుగొనబడలేదు
 DocType: Purchase Invoice,Rejected Warehouse,తిరస్కరించబడిన వేర్హౌస్
@@ -2310,6 +2339,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,దయచేసి మొదటి అంశం కోడ్ను సెట్ చేయండి
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc టైప్
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},రుణ భద్రతా ప్రతిజ్ఞ సృష్టించబడింది: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,నియామకాలు మరియు పేషెంట్ ఎన్కౌన్టర్స్
@@ -2364,6 +2394,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,ఉమ్మడి నియామకాల సంఖ్య
 apps/erpnext/erpnext/config/desktop.py,Getting Started,మొదలు అవుతున్న
 DocType: Purchase Invoice,Taxes and Charges Calculation,పన్నులు మరియు ఆరోపణలు గణన
+DocType: Loan Interest Accrual,Payable Principal Amount,చెల్లించవలసిన ప్రధాన మొత్తం
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,బుక్ అసెట్ అరుగుదల ఎంట్రీ స్వయంచాలకంగా
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,బుక్ అసెట్ అరుగుదల ఎంట్రీ స్వయంచాలకంగా
 DocType: BOM Operation,Workstation,కార్యక్షేత్ర
@@ -2400,7 +2431,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ఆహార
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ఏజింగ్ రేంజ్ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS ముగింపు వోచర్ వివరాలు
-DocType: Bank Account,Is the Default Account,డిఫాల్ట్ ఖాతా
 DocType: Shopify Log,Shopify Log,Shopify లాగ్
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,కమ్యూనికేషన్ కనుగొనబడలేదు.
 DocType: Inpatient Occupancy,Check In,చెక్ ఇన్ చేయండి
@@ -2454,12 +2484,14 @@
 DocType: Sales Order Item,Planned Quantity,ప్రణాళిక పరిమాణం
 DocType: Water Analysis,Water Analysis Criteria,నీటి విశ్లేషణ ప్రమాణం
 DocType: Item,Maintain Stock,స్టాక్ నిర్వహించడానికి
+DocType: Loan Security Unpledge,Unpledge Time,అన్‌ప్లెడ్జ్ సమయం
 DocType: Terms and Conditions,Applicable Modules,వర్తించే గుణకాలు
 DocType: Employee,Prefered Email,prefered ఇమెయిల్
 DocType: Student Admission,Eligibility and Details,అర్హతలు మరియు వివరాలు
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,స్థూల లాభంలో చేర్చబడింది
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,స్థిర ఆస్తి నికర మార్పును
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,ఇది తుది ఉత్పత్తిని నిల్వ చేసిన ప్రదేశం.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},మాక్స్: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,తేదీసమయం నుండి
@@ -2499,8 +2531,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,వారంటీ / AMC స్థితి
 ,Accounts Browser,అకౌంట్స్ బ్రౌజర్
 DocType: Procedure Prescription,Referral,రెఫరల్
+,Territory-wise Sales,భూభాగం వారీగా అమ్మకాలు
 DocType: Payment Entry Reference,Payment Entry Reference,చెల్లింపు ఎంట్రీ సూచన
 DocType: GL Entry,GL Entry,GL ఎంట్రీ
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,అడ్డు వరుస # {0}: అంగీకరించిన గిడ్డంగి మరియు సరఫరాదారు గిడ్డంగి ఒకేలా ఉండకూడదు
 DocType: Support Search Source,Response Options,ప్రతిస్పందన ఎంపికలు
 DocType: Pricing Rule,Apply Multiple Pricing Rules,బహుళ ధర నియమాలను వర్తించండి
 DocType: HR Settings,Employee Settings,Employee సెట్టింగ్స్
@@ -2574,6 +2608,7 @@
 DocType: Item,Sales Details,సేల్స్ వివరాలు
 DocType: Coupon Code,Used,ఉపయోగించబడిన
 DocType: Opportunity,With Items,అంశాలు తో
+DocType: Vehicle Log,last Odometer Value ,చివరి ఓడోమీటర్ విలువ
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',ప్రచారం {{0} &#39;ఇప్పటికే {1}&#39; {2} &#39;కోసం ఉంది
 DocType: Asset Maintenance,Maintenance Team,నిర్వహణ బృందం
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","ఏ విభాగాలు కనిపించాలో ఆర్డర్ చేయండి. 0 మొదటిది, 1 రెండవది మరియు మొదలైనవి."
@@ -2584,7 +2619,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ఖర్చు చెప్పడం {0} ఇప్పటికే వాహనం లోనికి ప్రవేశించండి ఉంది
 DocType: Asset Movement Item,Source Location,మూల స్థానం
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ఇన్స్టిట్యూట్ పేరు
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,తిరిగి చెల్లించే మొత్తాన్ని నమోదు చేయండి
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,తిరిగి చెల్లించే మొత్తాన్ని నమోదు చేయండి
 DocType: Shift Type,Working Hours Threshold for Absent,పని గంటలు లేకపోవడం
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,గడిపిన మొత్తం మీద ఆధారపడి బహుళ అంచెల సేకరణ అంశం ఉండవచ్చు. కానీ విమోచన కోసం మార్పిడి అంశం ఎల్లప్పుడూ అన్ని స్థాయిలకు సమానంగా ఉంటుంది.
 apps/erpnext/erpnext/config/help.py,Item Variants,అంశం రకరకాలు
@@ -2607,6 +2642,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,చెల్లింపు పట్టిక కనుగొనబడలేదు రికార్డులు
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},ఈ {0} తో విభేదాలు {1} కోసం {2} {3}
 DocType: Student Attendance Tool,Students HTML,స్టూడెంట్స్ HTML
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,దయచేసి మొదట దరఖాస్తుదారు రకాన్ని ఎంచుకోండి
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty మరియు ఫర్ గిడ్డంగిని ఎంచుకోండి"
 DocType: GST HSN Code,GST HSN Code,జిఎస్టి HSN కోడ్
 DocType: Employee External Work History,Total Experience,మొత్తం ఎక్స్పీరియన్స్
@@ -2694,7 +2730,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",అంశం {0} కోసం క్రియాశీల BOM కనుగొనబడలేదు. \ Serial No ద్వారా డెలివరీ అందించబడదు
 DocType: Sales Partner,Sales Partner Target,సేల్స్ భాగస్వామిలో టార్గెట్
-DocType: Loan Type,Maximum Loan Amount,గరిష్ఠ రుణ మొత్తం
+DocType: Loan Application,Maximum Loan Amount,గరిష్ఠ రుణ మొత్తం
 DocType: Coupon Code,Pricing Rule,ధర రూల్
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},విద్యార్థి కోసం నకిలీ రోల్ నంబర్ {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},విద్యార్థి కోసం నకిలీ రోల్ నంబర్ {0}
@@ -2718,6 +2754,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},విజయవంతంగా కేటాయించిన లీవ్స్ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,ఏ అంశాలు సర్దుకుని
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,.Csv మరియు .xlsx ఫైల్స్ మాత్రమే ప్రస్తుతం మద్దతు ఇస్తున్నాయి
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,దయచేసి మానవ వనరులు&gt; హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి
 DocType: Shipping Rule Condition,From Value,విలువ నుంచి
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,తయారీ పరిమాణం తప్పనిసరి
 DocType: Loan,Repayment Method,తిరిగి చెల్లించే విధానం
@@ -2863,6 +2900,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,నికర లాభం
 DocType: Purchase Invoice,Eligibility For ITC,ITC అర్హత
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,ఎంట్రీ రకం
 ,Customer Credit Balance,కస్టమర్ క్రెడిట్ సంతులనం
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,చెల్లించవలసిన అకౌంట్స్ నికర మార్పును
@@ -2874,6 +2912,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),హాజరు పరికర ID (బయోమెట్రిక్ / RF ట్యాగ్ ID)
 DocType: Quotation,Term Details,టర్మ్ వివరాలు
 DocType: Item,Over Delivery/Receipt Allowance (%),ఓవర్ డెలివరీ / రసీదు భత్యం (%)
+DocType: Appointment Letter,Appointment Letter Template,నియామక లేఖ మూస
 DocType: Employee Incentive,Employee Incentive,ఉద్యోగి ప్రోత్సాహకం
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} ఈ విద్యార్థి సమూహం కోసం విద్యార్థులు కంటే మరింత నమోదు చేయలేరు.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),మొత్తం (పన్ను లేకుండా)
@@ -2897,6 +2936,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",సీరియల్ నో ద్వారా డెలివరీను హామీ ఇవ్వలేము \ అంశం {0} మరియు సీరియల్ నంబర్
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,వాయిస్ రద్దు చెల్లింపు లింక్ను రద్దు
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,ప్రాసెస్ లోన్ వడ్డీ సముపార్జన
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ఎంటర్ ప్రస్తుత ఓడోమీటార్ పఠనం ప్రారంభ వాహనం ఓడోమీటార్ కన్నా ఎక్కువ ఉండాలి {0}
 ,Purchase Order Items To Be Received or Billed,స్వీకరించవలసిన లేదా బిల్ చేయవలసిన ఆర్డర్ వస్తువులను కొనండి
 DocType: Restaurant Reservation,No Show,ప్రదర్శన లేదు
@@ -2980,6 +3020,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: వ్యయ కేంద్రం &#39;లాభం మరియు నష్టం&#39; ఖాతా కోసం అవసరం {2}. కంపెనీ కోసం ఒక డిఫాల్ట్ వ్యయ కేంద్రం ఏర్పాటు చేయండి.
 DocType: Payment Schedule,Payment Term,చెల్లింపు టర్మ్
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ఒక కస్టమర్ గ్రూప్ అదే పేరుతో కస్టమర్ పేరును లేదా కస్టమర్ గ్రూప్ పేరు దయచేసి
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,ప్రవేశ ముగింపు తేదీ అడ్మిషన్ ప్రారంభ తేదీ కంటే ఎక్కువగా ఉండాలి.
 DocType: Location,Area,ప్రాంతం
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,న్యూ సంప్రదించండి
 DocType: Company,Company Description,కంపెనీ వివరణ
@@ -3053,6 +3094,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,మాప్ చేసిన డేటా
 DocType: Purchase Order Item,Warehouse and Reference,వేర్హౌస్ మరియు సూచన
 DocType: Payroll Period Date,Payroll Period Date,పేరోల్ పీరియడ్ తేదీ
+DocType: Loan Disbursement,Against Loan,రుణానికి వ్యతిరేకంగా
 DocType: Supplier,Statutory info and other general information about your Supplier,మీ సరఫరాదారు గురించి స్టాట్యుటరీ సమాచారం మరియు ఇతర సాధారణ సమాచారం
 DocType: Item,Serial Nos and Batches,సీరియల్ Nos మరియు ఇస్తున్న
 DocType: Item,Serial Nos and Batches,సీరియల్ Nos మరియు ఇస్తున్న
@@ -3262,6 +3304,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),బేస్ మొత్తం (కంపెనీ కరెన్సీ)
 DocType: Purchase Invoice,Registered Regular,రిజిస్టర్డ్ రెగ్యులర్
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ముడి సరుకులు
+DocType: Plaid Settings,sandbox,sandbox
 DocType: Payment Reconciliation Payment,Reference Row,రిఫరెన్స్ రో
 DocType: Installation Note,Installation Time,సంస్థాపన సమయం
 DocType: Sales Invoice,Accounting Details,అకౌంటింగ్ వివరాలు
@@ -3274,12 +3317,11 @@
 DocType: Leave Ledger Entry,Transaction Type,లావాదేవీ పద్ధతి
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,అంగీకారం ప్రమాణం
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,పైన ఇచ్చిన పట్టికలో మెటీరియల్ అభ్యర్థనలు నమోదు చేయండి
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,మొత్తం చెల్లించవలసిన సొమ్ము
 DocType: Task,Expected Time (in hours),(గంటల్లో) ఊహించినది సమయం
 DocType: Item Reorder,Check in (group),లో చెక్ (గ్రూపు)
 DocType: Soil Texture,Silt,సిల్ట్
@@ -3311,6 +3353,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,పన్ను చెల్లించని పన్ను మినహాయింపు ప్రూఫ్ కోసం పన్ను తీసివేయు
 DocType: Volunteer,Anytime,ఎప్పుడైనా
 DocType: Bank Account,Bank Account No,బ్యాంకు ఖాతా సంఖ్య
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,పంపిణీ మరియు తిరిగి చెల్లించడం
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ఉద్యోగుల పన్ను మినహాయింపు ప్రూఫ్ సబ్మిషన్
 DocType: Patient,Surgical History,శస్త్రచికిత్స చరిత్ర
 DocType: Bank Statement Settings Item,Mapped Header,మ్యాప్ చేసిన శీర్షిక
@@ -3371,6 +3414,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,సేల్స్ ఇన్వాయిస్ సమర్పించండి లాబ్ టెస్ట్ (లు) ను సృష్టించండి
 DocType: Serial No,Invoice Details,ఇన్వాయిస్ వివరాలు
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,పన్ను మినహాయింపు డిక్లరేషన్ సమర్పించే ముందు జీతం నిర్మాణం సమర్పించాలి
+DocType: Loan Application,Proposed Pledges,ప్రతిపాదిత ప్రతిజ్ఞలు
 DocType: Grant Application,Show on Website,వెబ్సైట్లో చూపించు
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,ప్రారంభించండి
 DocType: Hub Tracked Item,Hub Category,హబ్ వర్గం
@@ -3382,7 +3426,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,సరఫరాదారు స్కోర్కార్డింగ్ స్టాండింగ్
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},రో {0}: మెటీరియల్స్ బిల్ అంశం దొరకలేదు {1}
 DocType: Contract Fulfilment Checklist,Requirement,రిక్వైర్మెంట్
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,దయచేసి మానవ వనరులు&gt; హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి
 DocType: Journal Entry,Accounts Receivable,స్వీకరించదగిన ఖాతాలు
 DocType: Quality Goal,Objectives,లక్ష్యాలు
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,బ్యాక్‌డేటెడ్ లీవ్ అప్లికేషన్‌ను సృష్టించడానికి పాత్ర అనుమతించబడింది
@@ -3640,6 +3683,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,తేదీ వరకు చెల్లుతుంది చెల్లుబాటు అయ్యే తేదీ కంటే తక్కువగా ఉండాలి.
 DocType: Employee Skill,Evaluation Date,మూల్యాంకనం తేదీ
 DocType: Quotation Item,Stock Balance,స్టాక్ సంతులనం
+DocType: Loan Security Pledge,Total Security Value,మొత్తం భద్రతా విలువ
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,చెల్లింపు కు అమ్మకాల ఆర్డర్
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,సియిఒ
 DocType: Purchase Invoice,With Payment of Tax,పన్ను చెల్లింపుతో
@@ -3732,6 +3776,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,ప్రస్తుత లెక్కింపు రేటు
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,రూట్ ఖాతాల సంఖ్య 4 కన్నా తక్కువ ఉండకూడదు
 DocType: Training Event,Advance,అడ్వాన్స్
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,రుణానికి వ్యతిరేకంగా:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless చెల్లింపు గేట్వే సెట్టింగులు
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,ఎక్స్చేంజ్ పెరుగుట / నష్టం
 DocType: Opportunity,Lost Reason,లాస్ట్ కారణము
@@ -3815,8 +3860,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,బ్యాచ్ ఎంచుకోండి లేవు
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},చెల్లని {0}: {1}
 ,GSTR-1,GSTR -1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,అడ్డు వరుస {0}: తోబుట్టువుల పుట్టిన తేదీ ఈ రోజు కంటే ఎక్కువగా ఉండకూడదు.
 DocType: Fee Validity,Reference Inv,సూచన ఆహ్వానం
 DocType: Sales Invoice Advance,Advance Amount,అడ్వాన్స్ మొత్తం
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,రోజుకు జరిమానా వడ్డీ రేటు (%)
 DocType: Manufacturing Settings,Capacity Planning,పరిమాణ ప్రణాళికా
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,వృత్తాకార అడ్జస్ట్మెంట్ (కంపెనీ కరెన్సీ
 DocType: Asset,Policy number,పాలసీ సంఖ్య
@@ -3831,7 +3878,9 @@
 DocType: Normal Test Items,Require Result Value,ఫలిత విలువ అవసరం
 DocType: Purchase Invoice,Pricing Rules,ధర నియమాలు
 DocType: Item,Show a slideshow at the top of the page,పేజీ ఎగువన ఒక స్లైడ్ చూపించు
+DocType: Appointment Letter,Body,శరీర
 DocType: Tax Withholding Rate,Tax Withholding Rate,పన్ను విలువల పెంపు రేటు
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,టర్మ్ లోన్లకు తిరిగి చెల్లించే ప్రారంభ తేదీ తప్పనిసరి
 DocType: Pricing Rule,Max Amt,మాక్స్ అమ్ట్
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,దుకాణాలు
@@ -3849,7 +3898,7 @@
 DocType: Call Log,Received By,అందుకున్నవారు
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),నియామక వ్యవధి (నిమిషాల్లో)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,నగదు ప్రవాహం మ్యాపింగ్ మూస వివరాలు
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,లోన్ మేనేజ్మెంట్
+DocType: Loan,Loan Management,లోన్ మేనేజ్మెంట్
 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,Update Cost,నవీకరణ ఖర్చు
@@ -3857,6 +3906,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-ఫారం
 DocType: Sales Invoice,Mode of Transport,రవాణా విధానం
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,జీతం షో స్లిప్
+DocType: Loan,Is Term Loan,టర్మ్ లోన్
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,ట్రాన్స్ఫర్ మెటీరియల్
 DocType: Fees,Send Payment Request,చెల్లింపు అభ్యర్థనను పంపండి
 DocType: Travel Request,Any other details,ఏదైనా ఇతర వివరాలు
@@ -3874,6 +3924,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,ఫైనాన్సింగ్ నుండి నగదు ప్రవాహ
 DocType: Budget Account,Budget Account,బడ్జెట్ ఖాతా
 DocType: Quality Inspection,Verified By,ద్వారా ధృవీకరించబడిన
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,రుణ భద్రతను జోడించండి
 DocType: Travel Request,Name of Organizer,ఆర్గనైజర్ పేరు
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,ఆదాయం పన్ను బాధ్యత
@@ -3923,6 +3974,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Required న
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","తనిఖీ చేస్తే, జీతం స్లిప్‌లలో గుండ్రని మొత్తం ఫీల్డ్‌ను దాచివేస్తుంది మరియు నిలిపివేస్తుంది"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,అమ్మకపు ఆర్డర్‌లలో డెలివరీ తేదీకి ఇది డిఫాల్ట్ ఆఫ్‌సెట్ (రోజులు). ఫాల్‌బ్యాక్ ఆఫ్‌సెట్ ఆర్డర్ ప్లేస్‌మెంట్ తేదీ నుండి 7 రోజులు.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,దయచేసి సెటప్&gt; నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్‌ను సెటప్ చేయండి
 DocType: Rename Tool,File to Rename,పేరుమార్చు దాఖలు
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},దయచేసి రో అంశం బిఒఎం ఎంచుకోండి {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,సబ్స్క్రిప్షన్ నవీకరణలను పొందండి
@@ -3935,6 +3987,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,సీరియల్ నంబర్లు సృష్టించబడ్డాయి
 DocType: POS Profile,Applicable for Users,వినియోగదారులకు వర్తించేది
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,తేదీ మరియు తేదీ నుండి తప్పనిసరి
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),అడ్వాన్స్లు మరియు కేటాయింపు సెట్ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,ఏ పని ఆర్డర్లు సృష్టించబడలేదు
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే ఈ కాలానికి రూపొందించినవారు
@@ -4038,11 +4091,12 @@
 ,Minutes to First Response for Opportunity,అవకాశం కోసం మొదటి రెస్పాన్స్ మినిట్స్
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,మొత్తం కరువవడంతో
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,వరుసగా {0} సరిపోలడం లేదు మెటీరియల్ అభ్యర్థన కోసం WorldWideThemes.net అంశం లేదా వేర్హౌస్
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,చెల్లించవలసిన మొత్తం
+DocType: Loan Repayment,Payable Amount,చెల్లించవలసిన మొత్తం
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,అవకాశం
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,గరిష్ట బలం సున్నా కంటే తక్కువగా ఉండకూడదు.
 DocType: Options,Option,ఎంపిక
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},క్లోజ్డ్ అకౌంటింగ్ వ్యవధిలో మీరు అకౌంటింగ్ ఎంట్రీలను సృష్టించలేరు {0}
 DocType: Operation,Default Workstation,డిఫాల్ట్ కార్యక్షేత్ర
@@ -4084,6 +4138,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,వడ్డీ మొత్తం తప్పనిసరి
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,పే లేకుండా వదిలి లేదు ఆమోదం అప్లికేషన్ లీవ్ రికార్డులు సరిపోలడం లేదు
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,తదుపరి దశలు
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,సేవ్ చేసిన అంశాలు
@@ -4134,8 +4189,6 @@
 DocType: Grant Application,Grant Application Details ,దరఖాస్తు వివరాలు ఇవ్వండి
 DocType: Employee Separation,Employee Separation,ఉద్యోగి వేరు
 DocType: BOM Item,Original Item,అసలు అంశం
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి <a href=""#Form/Employee/{0}"">{0}</a> delete ను తొలగించండి"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc తేదీ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ఫీజు రికార్డ్స్ రూపొందించబడింది - {0}
 DocType: Asset Category Account,Asset Category Account,ఆస్తి వర్గం ఖాతా
@@ -4170,6 +4223,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ల్యాబ్ పరీక్ష అంశం {0} ఇప్పటికే ఉంది
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} కంపెనీ సెలవుదినం
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,బిల్ చేయదగిన గంటలు
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,తిరిగి చెల్లించడంలో ఆలస్యం జరిగితే ప్రతిరోజూ పెండింగ్‌లో ఉన్న వడ్డీ మొత్తంలో జరిమానా వడ్డీ రేటు విధించబడుతుంది
+DocType: Appointment Letter content,Appointment Letter content,అపాయింట్‌మెంట్ లెటర్ కంటెంట్
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,స్థితి నోటిఫికేషన్ వదిలివేయండి
 DocType: Patient Appointment,Procedure Prescription,ప్రిస్క్రిప్షన్ ప్రిస్క్రిప్షన్
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,సామాగ్రీ మరియు ఫిక్స్చర్స్
@@ -4188,7 +4243,7 @@
 DocType: Opportunity,Customer / Lead Name,కస్టమర్ / లీడ్ పేరు
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,క్లియరెన్స్ తేదీ ప్రస్తావించలేదు
 DocType: Payroll Period,Taxable Salary Slabs,పన్ను చెల్లించే జీతం స్లాబ్లు
-DocType: Job Card,Production,ఉత్పత్తి
+DocType: Plaid Settings,Production,ఉత్పత్తి
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,చెల్లని GSTIN! మీరు నమోదు చేసిన ఇన్‌పుట్ GSTIN ఆకృతికి సరిపోలలేదు.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ఖాతా విలువ
 DocType: Guardian,Occupation,వృత్తి
@@ -4328,6 +4383,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,విశ్వసనీయ ప్రోగ్రామ్ కలెక్షన్
 DocType: Stock Entry Detail,Subcontracted Item,సబ్కాన్డ్రాక్టెడ్ ఐటమ్
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},విద్యార్థి {0} గుంపు {1}
+DocType: Appointment Letter,Appointment Date,నియామక తేదీ
 DocType: Budget,Cost Center,వ్యయ కేంద్రం
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,ఓచర్ #
 DocType: Tax Rule,Shipping Country,షిప్పింగ్ దేశం
@@ -4397,6 +4453,7 @@
 DocType: Accounting Dimension,Accounting Dimension,అకౌంటింగ్ డైమెన్షన్
 ,Profit and Loss Statement,లాభం మరియు నష్టం స్టేట్మెంట్
 DocType: Bank Reconciliation Detail,Cheque Number,ప్రిపే సంఖ్య
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,చెల్లించిన మొత్తం సున్నా కాదు
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} ద్వారా సూచించబడిన అంశం ఇప్పటికే ఇన్వాయిస్ చేయబడింది
 ,Sales Browser,సేల్స్ బ్రౌజర్
 DocType: Journal Entry,Total Credit,మొత్తం క్రెడిట్
@@ -4501,6 +4558,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,కూపన్ షరతులను జోడించండి / సవరించండి
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ఖర్చుల / తేడా ఖాతా ({0}) ఒక &#39;లాభం లేదా నష్టం ఖాతా ఉండాలి
 DocType: Stock Entry Detail,Stock Entry Child,స్టాక్ ఎంట్రీ చైల్డ్
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,లోన్ సెక్యూరిటీ ప్లెడ్జ్ కంపెనీ మరియు లోన్ కంపెనీ ఒకేలా ఉండాలి
 DocType: Project,Copied From,నుండి కాపీ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,అన్ని బిల్లింగ్ గంటల కోసం ఇప్పటికే ఇన్వాయిస్ సృష్టించబడింది
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},దోషం: {0}
@@ -4508,6 +4566,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,ఆర్థిక వ్యయం
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,ఉద్యోగి {0} కోసం హాజరు ఇప్పటికే గుర్తించబడింది
 DocType: Packing Slip,If more than one package of the same type (for print),ఉంటే ఒకే రకమైన ఒకటి కంటే ఎక్కువ ప్యాకేజీ (ముద్రణ కోసం)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,దయచేసి విద్య&gt; విద్య సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,దయచేసి రెస్టారెంట్ సెట్టింగ్లలో డిఫాల్ట్ కస్టమర్ను సెట్ చేయండి
 ,Salary Register,జీతం నమోదు
 DocType: Company,Default warehouse for Sales Return,సేల్స్ రిటర్న్ కోసం డిఫాల్ట్ గిడ్డంగి
@@ -4552,7 +4611,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,ప్రస్తుత సీరియల్ నం
 DocType: Employee,Attendance and Leave Details,హాజరు మరియు సెలవు వివరాలు
 ,BOM Comparison Tool,BOM పోలిక సాధనం
-,Requested,అభ్యర్థించిన
+DocType: Loan Security Pledge,Requested,అభ్యర్థించిన
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,సంఖ్య వ్యాఖ్యలు
 DocType: Asset,In Maintenance,నిర్వహణలో
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,అమెజాన్ MWS నుండి మీ సేల్స్ ఆర్డర్ డేటాను తీసివేయడానికి ఈ బటన్ను క్లిక్ చేయండి.
@@ -4564,7 +4623,6 @@
 DocType: Drug Prescription,Drug Prescription,డ్రగ్ ప్రిస్క్రిప్షన్
 DocType: Service Level,Support and Resolution,మద్దతు మరియు తీర్మానం
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,ఉచిత అంశం కోడ్ ఎంచుకోబడలేదు
-DocType: Loan,Repaid/Closed,తిరిగి చెల్లించడం / ముగించబడినది
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,మొత్తం అంచనా ప్యాక్ చేసిన అంశాల
 DocType: Monthly Distribution,Distribution Name,పంపిణీ పేరు
@@ -4596,6 +4654,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,స్టాక్ కోసం అకౌంటింగ్ ఎంట్రీ
 DocType: Lab Test,LabTest Approver,ల్యాబ్ టెస్ట్ అప్ప్రోవర్
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,మీరు ఇప్పటికే అంచనా ప్రమాణం కోసం అంచనా {}.
+DocType: Loan Security Shortfall,Shortfall Amount,కొరత మొత్తం
 DocType: Vehicle Service,Engine Oil,ఇంజన్ ఆయిల్
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},పని ఆర్డర్లు సృష్టించబడ్డాయి: {0}
 DocType: Sales Invoice,Sales Team1,సేల్స్ team1
@@ -4612,6 +4671,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,ఆక్రమణ స్థితి
 DocType: Purchase Invoice,Apply Additional Discount On,అదనపు డిస్కౌంట్ న వర్తించు
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,రకాన్ని ఎంచుకోండి ...
+DocType: Loan Interest Accrual,Amounts,మొత్తంలో
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,మీ టిక్కెట్లు
 DocType: Account,Root Type,రూట్ రకం
 DocType: Item,FIFO,ఎఫ్ఐఎఫ్ఓ
@@ -4619,6 +4679,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},రో # {0}: కంటే తిరిగి కాంట్ {1} అంశం కోసం {2}
 DocType: Item Group,Show this slideshow at the top of the page,పేజీ ఎగువన ఈ స్లైడ్ చూపించు
 DocType: BOM,Item UOM,అంశం UoM
+DocType: Loan Security Price,Loan Security Price,రుణ భద్రతా ధర
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),డిస్కౌంట్ మొత్తాన్ని తర్వాత పన్ను మొత్తం (కంపెనీ కరెన్సీ)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},టార్గెట్ గిడ్డంగి వరుసగా తప్పనిసరి {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,రిటైల్ కార్యకలాపాలు
@@ -4752,6 +4813,7 @@
 DocType: Coupon Code,Coupon Description,కూపన్ వివరణ
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},బ్యాచ్ వరుసగా తప్పనిసరి {0}
 DocType: Company,Default Buying Terms,డిఫాల్ట్ కొనుగోలు నిబంధనలు
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,రుణ పంపిణీ
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,కొనుగోలు రసీదులు అంశం పంపినవి
 DocType: Amazon MWS Settings,Enable Scheduled Synch,షెడ్యూల్ చేసిన సమకాలీకరణను ప్రారంభించండి
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,తేదీసమయం కు
@@ -4843,6 +4905,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,ప్రతిపాదన / ధర కోట్
 DocType: Antibiotic,Healthcare,ఆరోగ్య సంరక్షణ
 DocType: Target Detail,Target Detail,టార్గెట్ వివరాలు
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,రుణ ప్రక్రియలు
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,సింగిల్ వేరియంట్
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,అన్ని ఉద్యోగాలు
 DocType: Sales Order,% of materials billed against this Sales Order,పదార్థాల% ఈ అమ్మకాల ఆర్డర్ వ్యతిరేకంగా బిల్
@@ -4903,7 +4966,7 @@
 DocType: Item,Reorder level based on Warehouse,వేర్హౌస్ ఆధారంగా క్రమాన్ని స్థాయి
 DocType: Activity Cost,Billing Rate,బిల్లింగ్ రేటు
 ,Qty to Deliver,పంపిణీ చేయడానికి అంశాల
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,పంపిణీ ఎంట్రీని సృష్టించండి
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,పంపిణీ ఎంట్రీని సృష్టించండి
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ఈ తేదీ తర్వాత నవీకరించబడిన డేటాను అమెజాన్ సమకాలీకరిస్తుంది
 ,Stock Analytics,స్టాక్ Analytics
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,ఆపరేషన్స్ ఖాళీగా కాదు
@@ -4937,6 +5000,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,బాహ్య అనుసంధానాలను అన్‌లింక్ చేయండి
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,సంబంధిత చెల్లింపును ఎంచుకోండి
 DocType: Pricing Rule,Item Code,Item కోడ్
+DocType: Loan Disbursement,Pending Amount For Disbursal,పంపిణీ కోసం పెండింగ్ మొత్తం
 DocType: Student,EDU-STU-.YYYY.-,EDU-స్టూ-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,వారంటీ / AMC వివరాలు
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,కార్యాచరణ ఆధారంగా గ్రూప్ కోసం మానవీయంగా విద్యార్థులు ఎంచుకోండి
@@ -4960,6 +5024,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Qty మొత్తం
 DocType: Landed Cost Item,Receipt Document,స్వీకరణపై డాక్యుమెంట్
 DocType: Employee Education,School/University,స్కూల్ / విశ్వవిద్యాలయం
+DocType: Loan Security Pledge,Loan  Details,రుణ వివరాలు
 DocType: Sales Invoice Item,Available Qty at Warehouse,Warehouse వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,బిల్ మొత్తం
 DocType: Share Transfer,(including),(సహా)
@@ -4983,6 +5048,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,గుంపులు
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,ఖాతా గ్రూప్
 DocType: Purchase Invoice,Hold Invoice,ఇన్వాయిస్ పట్టుకోండి
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,ప్రతిజ్ఞ స్థితి
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,ఉద్యోగిని ఎంచుకోండి
 DocType: Sales Order,Fully Delivered,పూర్తిగా పంపిణీ
 DocType: Promotional Scheme Price Discount,Min Amount,కనిష్ట మొత్తం
@@ -4992,7 +5058,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},పంపించబడతాయి మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},వరుస {0} # కేటాయించబడిన మొత్తాన్ని {2} కంటే ఎక్కువగా కేటాయించబడదు {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},అంశం అవసరం ఆర్డర్ సంఖ్య కొనుగోలు {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,ఫార్వర్డ్ ఆకులు తీసుకెళ్లండి
@@ -5020,6 +5085,7 @@
 DocType: Pick List Item,Serial No and Batch,సీరియల్ లేవు మరియు బ్యాచ్
 DocType: Warranty Claim,From Company,కంపెనీ నుండి
 DocType: GSTR 3B Report,January,జనవరి
+DocType: Loan Repayment,Principal Amount Paid,ప్రిన్సిపాల్ మొత్తం చెల్లించారు
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,అంచనా ప్రమాణం స్కోర్లు మొత్తం {0} ఉండాలి.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,దయచేసి Depreciations సంఖ్య బుక్ సెట్
 DocType: Supplier Scorecard Period,Calculations,గణాంకాలు
@@ -5045,6 +5111,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,మీ కంపెనీ గురించి
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,స్టాక్ ఏజింగ్ డేటాను చూపించు
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ఖాతాకు క్రెడిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి
+DocType: Loan Repayment,Penalty Amount,జరిమానా మొత్తం
 DocType: Donor,Donor,దాత
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,వస్తువుల కోసం పన్నులను నవీకరించండి
 DocType: Global Defaults,Disable In Words,వర్డ్స్ ఆపివేయి
@@ -5074,6 +5141,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,వ్యయ కేంద్రం మరియు బడ్జెట్
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ఓపెనింగ్ సంతులనం ఈక్విటీ
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,పాక్షిక చెల్లింపు ఎంట్రీ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,దయచేసి చెల్లింపు షెడ్యూల్‌ను సెట్ చేయండి
 DocType: Pick List,Items under this warehouse will be suggested,ఈ గిడ్డంగి కింద వస్తువులు సూచించబడతాయి
 DocType: Purchase Invoice,N,N
@@ -5105,7 +5173,6 @@
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,ద్వారా సరఫరా పొందండి
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},అంశం కోసం {0} కనుగొనబడలేదు {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,ప్రింట్లో ఇన్క్లూసివ్ పన్ను చూపించు
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","బ్యాంకు ఖాతా, తేదీ మరియు తేదీ వరకు తప్పనిసరి"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,సందేశం పంపబడింది
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ సెట్ కాదు
 DocType: C-Form,II,రెండవ
@@ -5119,6 +5186,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,ఆటో రీ-ఆర్డర్‌ను ప్రారంభించండి
 DocType: Stock Settings,Item Naming By,అంశం ద్వారా నామకరణ
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},మరో కాలం ముగింపు ఎంట్రీ {0} తర్వాత జరిగింది {1}
+DocType: Proposed Pledge,Proposed Pledge,ప్రతిపాదిత ప్రతిజ్ఞ
 DocType: Work Order,Material Transferred for Manufacturing,పదార్థం తయారీ కోసం బదిలీ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,ఖాతా {0} చేస్తుంది ఉందో
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,లాయల్టీ ప్రోగ్రామ్ను ఎంచుకోండి
@@ -5129,7 +5197,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ఈవెంట్స్ చేస్తోంది {0}, సేల్స్ పర్సన్స్ క్రింద జత ఉద్యోగి వాడుకరి ID లేదు నుండి {1}"
 DocType: Timesheet,Billing Details,బిల్లింగ్ వివరాలు
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,మూల మరియు లక్ష్య గిడ్డంగిలో భిన్నంగా ఉండాలి
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,దయచేసి మానవ వనరులు&gt; హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,చెల్లింపు విఫలమైంది. దయచేసి మరిన్ని వివరాల కోసం మీ GoCardless ఖాతాను తనిఖీ చేయండి
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},లేదు కంటే పాత స్టాక్ లావాదేవీలు అప్డేట్ అనుమతి {0}
 DocType: Stock Entry,Inspection Required,ఇన్స్పెక్షన్ అవసరం
@@ -5142,6 +5209,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,ప్రోగ్రామ్
+DocType: Unpledge,Against Pledge,ప్రతిజ్ఞకు వ్యతిరేకంగా
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ఈ పాత్ర తో వినియోగదారులు ఘనీభవించిన ఖాతాల వ్యతిరేకంగా అకౌంటింగ్ ఎంట్రీలు ఘనీభవించిన ఖాతాల సెట్ మరియు సృష్టించడానికి / సవరించడానికి అనుమతించింది ఉంటాయి
 DocType: Plaid Settings,Plaid Environment,ప్లాయిడ్ ఎన్విరాన్మెంట్
 ,Project Billing Summary,ప్రాజెక్ట్ బిల్లింగ్ సారాంశం
@@ -5193,6 +5261,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,వంతులవారీగా
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,రోజుల నియామకాల సంఖ్యను ముందుగానే బుక్ చేసుకోవచ్చు
 DocType: Article,LMS User,LMS వినియోగదారు
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,సురక్షిత రుణానికి రుణ భద్రతా ప్రతిజ్ఞ తప్పనిసరి
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),సరఫరా స్థలం (రాష్ట్రం / యుటి)
 DocType: Purchase Order Item Supplied,Stock UOM,స్టాక్ UoM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,ఆర్డర్ {0} సమర్పించిన లేదు కొనుగోలు
@@ -5265,6 +5334,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,జాబ్ కార్డ్ సృష్టించండి
 DocType: Quotation,Referral Sales Partner,రెఫరల్ సేల్స్ భాగస్వామి
 DocType: Quality Procedure Process,Process Description,ప్రాసెస్ వివరణ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","అన్‌ప్లెడ్జ్ చేయలేరు, తిరిగి చెల్లించిన మొత్తం కంటే రుణ భద్రతా విలువ ఎక్కువ"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,కస్టమర్ {0} సృష్టించబడింది.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ఏ గిడ్డంగిలో ప్రస్తుతం స్టాక్ లేదు
 ,Payment Period Based On Invoice Date,వాయిస్ తేదీ ఆధారంగా చెల్లింపు కాలం
@@ -5284,7 +5354,7 @@
 DocType: Asset,Insurance Details,భీమా వివరాలు
 DocType: Account,Payable,చెల్లించవలసిన
 DocType: Share Balance,Share Type,భాగస్వామ్యం పద్ధతి
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,తిరిగి చెల్లించే కాలాలు నమోదు చేయండి
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,తిరిగి చెల్లించే కాలాలు నమోదు చేయండి
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),రుణగ్రస్తులు ({0})
 DocType: Pricing Rule,Margin,మార్జిన్
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,కొత్త వినియోగదారులు
@@ -5293,6 +5363,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,ప్రధాన మూలం ద్వారా అవకాశాలు
 DocType: Appraisal Goal,Weightage (%),వెయిటేజీ (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS ప్రొఫైల్ని మార్చండి
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,రుణ భద్రత కోసం క్యూటీ లేదా మొత్తం మాండట్రోయ్
 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,Assessment Report,అసెస్మెంట్ రిపోర్ట్
@@ -5327,6 +5398,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,లెడ్జర్ను భాగస్వామ్యం చేయండి
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,సేల్స్ ఇన్వాయిస్ {0} సృష్టించబడింది
 DocType: Employee,Confirmation Date,నిర్ధారణ తేదీ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి <a href=""#Form/Employee/{0}"">{0}</a> delete ను తొలగించండి"
 DocType: Inpatient Occupancy,Check Out,తనిఖీ చేయండి
 DocType: C-Form,Total Invoiced Amount,మొత్తం ఇన్వాయిస్ మొత్తం
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min ప్యాక్ చేసిన అంశాల మాక్స్ ప్యాక్ చేసిన అంశాల కంటే ఎక్కువ ఉండకూడదు
@@ -5339,7 +5412,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,క్విక్ బుక్స్ కంపెనీ ID
 DocType: Travel Request,Travel Funding,ప్రయాణ నిధి
 DocType: Employee Skill,Proficiency,ప్రావీణ్య
-DocType: Loan Application,Required by Date,తేదీ ద్వారా అవసరం
 DocType: Purchase Invoice Item,Purchase Receipt Detail,రశీదు వివరాలు కొనండి
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,పంట పెరుగుతున్న అన్ని ప్రాంతాలకు లింక్
 DocType: Lead,Lead Owner,జట్టు యజమాని
@@ -5358,7 +5430,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,ప్రస్తుత BOM మరియు న్యూ BOM అదే ఉండకూడదు
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,జీతం స్లిప్ ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,రిటైర్మెంట్ డేట్ అఫ్ చేరడం తేదీ కంటే ఎక్కువ ఉండాలి
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,సరఫరాదారు&gt; సరఫరాదారు రకం
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,బహుళ వైవిధ్యాలు
 DocType: Sales Invoice,Against Income Account,ఆదాయపు ఖాతా వ్యతిరేకంగా
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% పంపిణీ
@@ -5391,7 +5462,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,వాల్యువేషన్ రకం ఆరోపణలు ఇన్క్లుసివ్ వంటి గుర్తించబడిన చేయవచ్చు
 DocType: POS Profile,Update Stock,నవీకరణ స్టాక్
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,చెల్లింపు వివరాలు
+DocType: Loan Repayment,Payment Details,చెల్లింపు వివరాలు
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,బిఒఎం రేటు
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,అప్‌లోడ్ చేసిన ఫైల్‌ను చదవడం
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","నిలిపివేయబడింది వర్క్ ఆర్డర్ రద్దు చేయబడదు, రద్దు చేయడానికి ముందుగా దాన్ని అన్స్టాప్ చేయండి"
@@ -5423,6 +5494,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},బ్యాచ్ సంఖ్య అంశం తప్పనిసరి {0}
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,గరిష్ట రుణ విలువ
 ,Stock Ledger,స్టాక్ లెడ్జర్
 DocType: Company,Exchange Gain / Loss Account,ఎక్స్చేంజ్ పెరుగుట / నష్టం ఖాతాకు
 DocType: Amazon MWS Settings,MWS Credentials,MWS ఆధారాలు
@@ -5529,7 +5601,6 @@
 DocType: Fee Schedule,Fee Schedule,ఫీజు షెడ్యూల్
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,కాలమ్ లేబుల్స్:
 DocType: Bank Transaction,Settled,స్థిరపడ్డారు
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,రుణ తిరిగి చెల్లించే ప్రారంభ తేదీ తర్వాత పంపిణీ తేదీ ఉండకూడదు
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,పన్ను
 DocType: Quality Feedback,Parameters,పారామీటర్లు
 DocType: Company,Create Chart Of Accounts Based On,అకౌంట్స్ బేస్డ్ న చార్ట్ సృష్టించు
@@ -5549,6 +5620,7 @@
 DocType: Customer,Credit Limit and Payment Terms,క్రెడిట్ పరిమితి మరియు చెల్లింపు నిబంధనలు
 DocType: Loyalty Program,Collection Rules,సేకరణ నియమాలు
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,ఐటమ్ 3
+DocType: Loan Security Shortfall,Shortfall Time,కొరత సమయం
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,ఆర్డర్ ఎంట్రీ
 DocType: Purchase Order,Customer Contact Email,కస్టమర్ సంప్రదించండి ఇమెయిల్
 DocType: Warranty Claim,Item and Warranty Details,అంశం మరియు వారంటీ వివరాలు
@@ -5567,12 +5639,14 @@
 DocType: Sales Person,Sales Person Name,సేల్స్ పర్సన్ పేరు
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,పట్టిక కనీసం 1 ఇన్వాయిస్ నమోదు చేయండి
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ల్యాబ్ పరీక్ష ఏదీ సృష్టించబడలేదు
+DocType: Loan Security Shortfall,Security Value ,భద్రతా విలువ
 DocType: POS Item Group,Item Group,అంశం గ్రూప్
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,స్టూడెంట్ గ్రూప్:
 DocType: Depreciation Schedule,Finance Book Id,ఫైనాన్స్ బుక్ ఐడి
 DocType: Item,Safety Stock,భద్రత స్టాక్
 DocType: Healthcare Settings,Healthcare Settings,హెల్త్కేర్ సెట్టింగ్లు
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,మొత్తం కేటాయించిన ఆకులు
+DocType: Appointment Letter,Appointment Letter,నియామక పత్రం
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},కు {0}
@@ -5628,6 +5702,7 @@
 DocType: Stock Entry,From BOM,బిఒఎం నుండి
 DocType: Assessment Code,Assessment Code,అసెస్మెంట్ కోడ్
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ప్రాథమిక
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,కస్టమర్లు మరియు ఉద్యోగుల నుండి రుణ దరఖాస్తులు.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} స్తంభింప ముందు స్టాక్ లావాదేవీలు
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&#39;రూపొందించండి షెడ్యూల్&#39; క్లిక్ చేయండి
 DocType: Job Card,Current Time,ప్రస్తుత సమయం
@@ -5654,7 +5729,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,గ్రాంట్
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,తోబుట్టువుల స్టూడెంట్ గ్రూప్స్ రూపొందించినవారు.
 DocType: Purchase Invoice Item,Serial No,సీరియల్ లేవు
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,మంత్లీ నంతవరకు మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,మంత్లీ నంతవరకు మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,మొదటి Maintaince వివరాలు నమోదు చేయండి
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,రో # {0}: ఊహించిన డెలివరీ తేదీని కొనుగోలు ఆర్డర్ తేదీకి ముందు ఉండకూడదు
 DocType: Purchase Invoice,Print Language,ప్రింట్ భాషా
@@ -5667,6 +5742,7 @@
 DocType: Asset,Finance Books,ఫైనాన్స్ బుక్స్
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,ఉద్యోగుల పన్ను మినహాయింపు ప్రకటన వర్గం
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,అన్ని ప్రాంతాలు
+DocType: Plaid Settings,development,అభివృద్ధి
 DocType: Lost Reason Detail,Lost Reason Detail,లాస్ట్ రీజన్ వివరాలు
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,దయచేసి Employee / Grade రికార్డులో ఉద్యోగికి {0} సెలవు విధానంని సెట్ చేయండి
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,ఎంచుకున్న కస్టమర్ మరియు అంశం కోసం చెల్లని బ్లాంకెట్ ఆర్డర్
@@ -5731,12 +5807,14 @@
 DocType: Staffing Plan Detail,Current Openings,ప్రస్తుత ఓపెనింగ్స్
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ఆపరేషన్స్ నుండి నగదు ప్రవాహ
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST మొత్తం
+DocType: Vehicle Log,Current Odometer value ,ప్రస్తుత ఓడోమీటర్ విలువ
 apps/erpnext/erpnext/utilities/activation.py,Create Student,విద్యార్థిని సృష్టించండి
 DocType: Asset Movement Item,Asset Movement Item,ఆస్తి ఉద్యమం అంశం
 DocType: Purchase Invoice,Shipping Rule,షిప్పింగ్ రూల్
 DocType: Patient Relation,Spouse,జీవిత భాగస్వామి
 DocType: Lab Test Groups,Add Test,టెస్ట్ జోడించు
 DocType: Manufacturer,Limited to 12 characters,12 అక్షరాలకు పరిమితం
+DocType: Appointment Letter,Closing Notes,ముగింపు గమనికలు
 DocType: Journal Entry,Print Heading,ప్రింట్ శీర్షిక
 DocType: Quality Action Table,Quality Action Table,నాణ్యమైన చర్య పట్టిక
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,మొత్తం సున్నాగా ఉండకూడదు
@@ -5803,6 +5881,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,సేల్స్ సారాంశం
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),మొత్తం (ఆంట్)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,వినోదం &amp; లీజర్
+DocType: Loan Security,Loan Security,రుణ భద్రత
 ,Item Variant Details,అంశం వేరియంట్ వివరాలు
 DocType: Quality Inspection,Item Serial No,అంశం సీరియల్ లేవు
 DocType: Payment Request,Is a Subscription,ఒక చందా
@@ -5815,7 +5894,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,తాజా యుగం
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,షెడ్యూల్డ్ మరియు ప్రవేశించిన తేదీలు ఈ రోజు కంటే తక్కువగా ఉండకూడదు
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,సరఫరాదారు మెటీరియల్ బదిలీ
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,కొత్త సీరియల్ లేవు వేర్హౌస్ కలిగి చేయవచ్చు. వేర్హౌస్ స్టాక్ ఎంట్రీ లేదా కొనుగోలు రసీదులు ద్వారా ఏర్పాటు చేయాలి
 DocType: Lead,Lead Type,లీడ్ టైప్
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,కొటేషన్ సృష్టించు
@@ -5831,7 +5909,6 @@
 DocType: Leave Allocation,Leave Period,కాలం వదిలివేయండి
 DocType: Item,Default Material Request Type,డిఫాల్ట్ మెటీరియల్ అభ్యర్థన రకం
 DocType: Supplier Scorecard,Evaluation Period,మూల్యాంకనం కాలం
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,కస్టమర్&gt; కస్టమర్ గ్రూప్&gt; భూభాగం
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,తెలియని
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,వర్క్ ఆర్డర్ సృష్టించబడలేదు
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5916,7 +5993,8 @@
 ,Customer-wise Item Price,కస్టమర్ల వారీగా వస్తువు ధర
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,లావాదేవి నివేదిక
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,విషయం అభ్యర్థన సృష్టించబడలేదు
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},రుణ మొత్తం గరిష్ట రుణ మొత్తం మించకూడదు {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},రుణ మొత్తం గరిష్ట రుణ మొత్తం మించకూడదు {0}
+DocType: Loan,Loan Security Pledge,రుణ భద్రతా ప్రతిజ్ఞ
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,లైసెన్సు
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,మీరు కూడా గత ఆర్థిక సంవత్సరం సంతులనం ఈ ఆర్థిక సంవత్సరం ఆకులు ఉన్నాయి అనుకుంటే కుంటున్న దయచేసి ఎంచుకోండి
@@ -5934,6 +6012,7 @@
 DocType: Pricing Rule,Price Discount Scheme,ధర తగ్గింపు పథకం
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,నిర్వహణ స్థితి రద్దు చేయబడాలి లేదా సమర్పించవలసి ఉంటుంది
 DocType: Amazon MWS Settings,US,సంయుక్త
+DocType: Loan Security Pledge,Pledged,ప్రతిజ్ఞ
 DocType: Holiday List,Add Weekly Holidays,వీక్లీ సెలవులు జోడించండి
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,అంశాన్ని నివేదించండి
 DocType: Staffing Plan Detail,Vacancies,ఖాళీలు
@@ -5951,7 +6030,6 @@
 DocType: Production Plan Item,Planned Start Date,ప్రణాళిక ప్రారంభ తేదీ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,దయచేసి BOM ను ఎంచుకోండి
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC ఇంటిగ్రేటెడ్ టాక్స్ను ఉపయోగించింది
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,తిరిగి చెల్లించే ఎంట్రీని సృష్టించండి
 DocType: Purchase Order Item,Blanket Order Rate,బ్లాంకెట్ ఆర్డర్ రేట్
 ,Customer Ledger Summary,కస్టమర్ లెడ్జర్ సారాంశం
 apps/erpnext/erpnext/hooks.py,Certification,సర్టిఫికేషన్
@@ -5972,6 +6050,7 @@
 DocType: Appraisal Template,Appraisal Template Title,అప్రైసల్ మూస శీర్షిక
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,కమర్షియల్స్
 DocType: Patient,Alcohol Current Use,ఆల్కహాల్ కరెంట్ యూజ్
+DocType: Loan,Loan Closure Requested,రుణ మూసివేత అభ్యర్థించబడింది
 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,పన్ను మినహాయింపు వర్గం
@@ -5995,6 +6074,7 @@
 DocType: Opening Invoice Creation Tool,Sales,సేల్స్
 DocType: Stock Entry Detail,Basic Amount,ప్రాథమిక సొమ్ము
 DocType: Training Event,Exam,పరీక్షా
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,ప్రాసెస్ లోన్ సెక్యూరిటీ కొరత
 DocType: Email Campaign,Email Campaign,ఇమెయిల్ ప్రచారం
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,మార్కెట్ లోపం
 DocType: Complaint,Complaint,ఫిర్యాదు
@@ -6099,6 +6179,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,వాడిన ఆకులు
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,మీరు మెటీరియల్ అభ్యర్థనను సమర్పించాలనుకుంటున్నారా
 DocType: Job Offer,Awaiting Response,రెస్పాన్స్ వేచిఉండి
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,రుణ తప్పనిసరి
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,పైన
 DocType: Support Search Source,Link Options,లింక్ ఐచ్ఛికాలు
@@ -6110,6 +6191,7 @@
 DocType: Training Event Employee,Optional,ఐచ్ఛికము
 DocType: Salary Slip,Earning & Deduction,ఎర్నింగ్ &amp; తీసివేత
 DocType: Agriculture Analysis Criteria,Water Analysis,నీటి విశ్లేషణ
+DocType: Pledge,Post Haircut Amount,హ్యారీకట్ మొత్తాన్ని పోస్ట్ చేయండి
 DocType: Sales Order,Skip Delivery Note,డెలివరీ గమనికను దాటవేయి
 DocType: Price List,Price Not UOM Dependent,ధర UOM డిపెండెంట్ కాదు
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} వైవిధ్యాలు సృష్టించబడ్డాయి.
@@ -6136,6 +6218,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,ఉత్పత్తి కట్ట నుండి అంశాలు పొందండి
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,టర్మ్ లోన్లకు తిరిగి చెల్లించే విధానం తప్పనిసరి
 DocType: Asset,Straight Line,సరళ రేఖ
 DocType: Project User,Project User,ప్రాజెక్ట్ యూజర్
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,స్ప్లిట్
@@ -6184,7 +6267,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,పాత్ర ఘనీభవించిన అకౌంట్స్ &amp; సవరించు ఘనీభవించిన ఎంట్రీలు సెట్ చేయడానికి అనుమతించాలో
 DocType: Supplier Scorecard Scoring Variable,Path,మార్గం
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ఇది పిల్లల నోడ్స్ కలిగి లెడ్జర్ కాస్ట్ సెంటర్ మార్చేందుకు కాదు
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},అంశం కోసం UOM మార్పిడి కారకం ({0} -&gt; {1}) కనుగొనబడలేదు: {2}
 DocType: Production Plan,Total Planned Qty,మొత్తం ప్రణాళికాబద్ధమైన Qty
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,లావాదేవీలు ఇప్పటికే స్టేట్మెంట్ నుండి తిరిగి పొందబడ్డాయి
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ఓపెనింగ్ విలువ
@@ -6192,11 +6274,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,సీరియల్ #
 DocType: Material Request Plan Item,Required Quantity,అవసరమైన పరిమాణం
 DocType: Lab Test Template,Lab Test Template,ల్యాబ్ టెస్ట్ మూస
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,సరఫరాదారు&gt; సరఫరాదారు రకం
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,సేల్స్ ఖాతా
 DocType: Purchase Invoice Item,Total Weight,మొత్తం బరువు
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి <a href=""#Form/Employee/{0}"">{0}</a> delete ను తొలగించండి"
 DocType: Pick List Item,Pick List Item,జాబితా అంశం ఎంచుకోండి
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,సేల్స్ కమిషన్
 DocType: Job Offer Term,Value / Description,విలువ / వివరణ
@@ -6242,6 +6321,7 @@
 DocType: Patient Encounter,Encounter Date,ఎన్కౌంటర్ డేట్
 DocType: Work Order,Update Consumed Material Cost In Project,ప్రాజెక్ట్‌లో వినియోగించే మెటీరియల్ వ్యయాన్ని నవీకరించండి
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ఖాతా: {0} కరెన్సీతో: {1} ఎంపిక సాధ్యం కాదు
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,వినియోగదారులకు మరియు ఉద్యోగులకు రుణాలు అందించబడతాయి.
 DocType: Bank Statement Transaction Settings Item,Bank Data,బ్యాంక్ డేటా
 DocType: Purchase Receipt Item,Sample Quantity,నమూనా పరిమాణం
 DocType: Bank Guarantee,Name of Beneficiary,లబ్ధిదారు పేరు
@@ -6309,7 +6389,6 @@
 DocType: Contract,Signed On,సంతకం చేయబడింది
 DocType: Bank Account,Party Type,పార్టీ రకం
 DocType: Discounted Invoice,Discounted Invoice,డిస్కౌంట్ ఇన్వాయిస్
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,హాజరును గుర్తించండి <b></b>
 DocType: Payment Schedule,Payment Schedule,చెల్లింపు షెడ్యూల్
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ఇచ్చిన ఉద్యోగి ఫీల్డ్ విలువ కోసం ఏ ఉద్యోగి కనుగొనబడలేదు. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,సంక్షిప్త
@@ -6341,6 +6420,7 @@
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Accumulated Monthly,పోగుచేసిన మంత్లీ
 DocType: Attendance Request,On Duty,విధి నిర్వహణలో
 apps/erpnext/erpnext/controllers/accounts_controller.py,{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,Staffing Plan {0} already exist for designation {1},{1} హోదా కోసం స్టాఫ్ ప్లాన్ {0} ఇప్పటికే ఉంది
 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,పన్ను మూస తప్పనిసరి.
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,చివరి సంచిక
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML ఫైల్స్ ప్రాసెస్ చేయబడ్డాయి
@@ -6402,7 +6482,6 @@
 DocType: Purchase Order,To Receive,అందుకోవడం
 DocType: Leave Period,Holiday List for Optional Leave,ఐచ్ఛిక సెలవు కోసం హాలిడే జాబితా
 DocType: Item Tax Template,Tax Rates,పన్ను రేట్లు
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,ఐటెమ్ కోడ్&gt; ఐటెమ్ గ్రూప్&gt; బ్రాండ్
 DocType: Asset,Asset Owner,ఆస్తి యజమాని
 DocType: Item,Website Content,వెబ్‌సైట్ కంటెంట్
 DocType: Bank Account,Integration ID,ఇంటిగ్రేషన్ ID
@@ -6445,6 +6524,7 @@
 DocType: Customer,Mention if non-standard receivable account,మెన్షన్ ప్రామాణికం కాని స్వీకరించదగిన ఖాతా ఉంటే
 DocType: Bank,Plaid Access Token,ప్లాయిడ్ యాక్సెస్ టోకెన్
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,దయచేసి ప్రస్తుతం ఉన్న ఏవైనా అంశానికి మిగిలిన ప్రయోజనాలను {0} జోడించండి
+DocType: Bank Account,Is Default Account,డిఫాల్ట్ ఖాతా
 DocType: Journal Entry Account,If Income or Expense,ఆదాయం వ్యయం ఉంటే
 DocType: Course Topic,Course Topic,కోర్సు అంశం
 DocType: Bank Statement Transaction Entry,Matching Invoices,సరిపోలే ఇన్వాయిస్లు
@@ -6456,7 +6536,7 @@
 DocType: Disease,Treatment Task,చికిత్స టాస్క్
 DocType: Payment Order Reference,Bank Account Details,బ్యాంక్ ఖాతా వివరాలు
 DocType: Purchase Order Item,Blanket Order,దుప్పటి క్రమము
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,తిరిగి చెల్లించే మొత్తం కంటే ఎక్కువగా ఉండాలి
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,తిరిగి చెల్లించే మొత్తం కంటే ఎక్కువగా ఉండాలి
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,పన్ను ఆస్తులను
 DocType: BOM Item,BOM No,బిఒఎం లేవు
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,వివరాలను నవీకరించండి
@@ -6512,6 +6592,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce ఉత్పత్తులు
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},ఫార్ములా లేదా స్థితిలో వాక్యనిర్మాణ దోషం: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,అది నుంచి నిర్లక్ష్యం అంశం {0} స్టాక్ అంశాన్ని కాదు
+,Loan Security Status,రుణ భద్రతా స్థితి
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ఒక నిర్దిష్ట లావాదేవీ ధర రూల్ వర్తించదు, అన్ని వర్తించే ధర రూల్స్ డిసేబుల్ చేయాలి."
 DocType: Payment Term,Day(s) after the end of the invoice month,ఇన్వాయిస్ నెల ముగిసిన తర్వాత డే (లు)
 DocType: Assessment Group,Parent Assessment Group,మాతృ అసెస్మెంట్ గ్రూప్
@@ -6526,7 +6607,6 @@
 DocType: Stock Entry Detail,Additional Cost,అదనపు ఖర్చు
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ఓచర్ లేవు ఆధారంగా వడపోత కాదు, ఓచర్ ద్వారా సమూహం ఉంటే"
 DocType: Quality Inspection,Incoming,ఇన్కమింగ్
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,దయచేసి సెటప్&gt; నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్‌ను సెటప్ చేయండి
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,అమ్మకాలు మరియు కొనుగోలు కోసం డిఫాల్ట్ పన్ను టెంప్లేట్లు సృష్టించబడతాయి.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,అసెస్మెంట్ ఫలితం రికార్డు {0} ఇప్పటికే ఉంది.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ఉదాహరణ: ABCD. #####. సిరీస్ సెట్ చేయబడి ఉంటే మరియు బ్యాచ్ నో లావాదేవీలలో పేర్కొనబడకపోతే, ఈ సిరీస్ ఆధారంగా ఆటోమేటిక్ బ్యాచ్ నంబర్ సృష్టించబడుతుంది. ఈ అంశానికి బ్యాచ్ నంబర్ను స్పష్టంగా చెప్పాలని మీరు అనుకుంటే, దీన్ని ఖాళీగా వదిలేయండి. గమనిక: ఈ సెట్టింగులు స్టాకింగ్ సెట్టింగులలో నామకరణ సీరీస్ ప్రిఫిక్స్ మీద ప్రాధాన్యతనిస్తాయి."
@@ -6536,8 +6616,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,సమీక్షను సమర్పించండి
 DocType: Contract,Party User,పార్టీ వాడుకరి
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',కంపెనీ ఖాళీ ఫిల్టర్ సెట్ చేయండి బృందంచే &#39;కంపెనీ&#39; ఉంది
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,కస్టమర్&gt; కస్టమర్ గ్రూప్&gt; భూభాగం
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,పోస్ట్ చేసిన తేదీ భవిష్య తేదీలో ఉండకూడదు
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},రో # {0}: సీరియల్ లేవు {1} తో సరిపోలడం లేదు {2} {3}
+DocType: Loan Repayment,Interest Payable,కట్టవలసిన వడ్డీ
 DocType: Stock Entry,Target Warehouse Address,టార్గెట్ వేర్హౌస్ చిరునామా
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,సాధారణం లీవ్
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ఉద్యోగుల చెక్-ఇన్ హాజరు కోసం పరిగణించబడే షిఫ్ట్ ప్రారంభ సమయానికి ముందు సమయం.
@@ -6662,6 +6744,7 @@
 DocType: Issue,Reset Service Level Agreement,సేవా స్థాయి ఒప్పందాన్ని రీసెట్ చేయండి
 ,Sales Person-wise Transaction Summary,సేల్స్ పర్సన్ వారీగా లావాదేవీ సారాంశం
 DocType: Training Event,Contact Number,సంప్రదించండి సంఖ్య
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,రుణ మొత్తం తప్పనిసరి
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,వేర్హౌస్ {0} ఉనికిలో లేదు
 DocType: Cashier Closing,Custody,కస్టడీ
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ఉద్యోగి పన్ను మినహాయింపు ప్రూఫ్ సమర్పణ వివరాలు
@@ -6708,6 +6791,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,సంతులనం ప్యాక్ చేసిన అంశాల
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,కలిపి ఎంచుకున్న అన్ని అంశాలపై షరతులు వర్తించబడతాయి.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,లక్ష్యాలు ఖాళీగా ఉండకూడదు
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,తప్పు గిడ్డంగి
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,విద్యార్థులు నమోదు చేస్తున్నారు
 DocType: Item Group,Parent Item Group,మాతృ అంశం గ్రూప్
 DocType: Appointment Type,Appointment Type,అపాయింట్మెంట్ టైప్
@@ -6763,10 +6847,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,సగటు వెల
 DocType: Appointment,Appointment With,తో నియామకం
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,చెల్లింపు షెడ్యూల్లో మొత్తం చెల్లింపు మొత్తం గ్రాండ్ / వృత్తాకార మొత్తంకి సమానంగా ఉండాలి
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,హాజరును గుర్తించండి <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;కస్టమర్ అందించిన అంశం&quot; విలువ రేటును కలిగి ఉండకూడదు
 DocType: Subscription Plan Detail,Plan,ప్రణాళిక
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,జనరల్ లెడ్జర్ ప్రకారం బ్యాంక్ స్టేట్మెంట్ సంతులనం
-DocType: Job Applicant,Applicant Name,దరఖాస్తుదారు పేరు
+DocType: Appointment Letter,Applicant Name,దరఖాస్తుదారు పేరు
 DocType: Authorization Rule,Customer / Item Name,కస్టమర్ / అంశం పేరు
 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**. 
 
@@ -6810,11 +6895,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,స్టాక్ లెడ్జర్ ఎంట్రీ ఈ గిడ్డంగి కోసం ఉనికిలో గిడ్డంగి తొలగించడం సాధ్యం కాదు.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,పంపిణీ
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,కింది ఉద్యోగులు ప్రస్తుతం ఈ ఉద్యోగికి నివేదిస్తున్నందున ఉద్యోగుల స్థితిని &#39;ఎడమ&#39; గా సెట్ చేయలేరు:
-DocType: Journal Entry Account,Loan,ఋణం
+DocType: Loan Repayment,Amount Paid,కట్టిన డబ్బు
+DocType: Loan Security Shortfall,Loan,ఋణం
 DocType: Expense Claim Advance,Expense Claim Advance,ఖర్చు చెల్లింపు అడ్వాన్స్
 DocType: Lab Test,Report Preference,నివేదన ప్రాధాన్యత
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,వాలంటీర్ సమాచారం.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,ప్రాజెక్ట్ మేనేజర్
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,కస్టమర్ ద్వారా సమూహం
 ,Quoted Item Comparison,ఉల్లేఖించిన అంశం పోలిక
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} మరియు {1} మధ్య స్కోర్లో అతివ్యాప్తి
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,డిస్పాచ్
@@ -6833,6 +6920,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","మాస్టర్ డేటా సమకాలీకరించడాన్ని, కొంత సమయం పడుతుంది"
 DocType: Material Request Plan Item,Material Issue,మెటీరియల్ ఇష్యూ
 DocType: Employee Education,Qualification,అర్హతలు
+DocType: Loan Security Shortfall,Loan Security Shortfall,రుణ భద్రతా కొరత
 DocType: Item Price,Item Price,అంశం ధర
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,సబ్బు &amp; డిటర్జెంట్
 DocType: BOM,Show Items,ఐటెమ్లను చూపించు
@@ -6853,13 +6941,13 @@
 DocType: Appointment Booking Settings,Appointment Details,నియామక వివరాలు
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ఉత్పత్తి పూర్తయింది
 DocType: Warehouse,Warehouse Name,వేర్హౌస్ పేరు
+DocType: Loan Security Pledge,Pledge Time,ప్రతిజ్ఞ సమయం
 DocType: Naming Series,Select Transaction,Select లావాదేవీ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,రోల్ ఆమోదిస్తోంది లేదా వాడుకరి ఆమోదిస్తోంది నమోదు చేయండి
 DocType: Journal Entry,Write Off Entry,ఎంట్రీ ఆఫ్ వ్రాయండి
 DocType: BOM,Rate Of Materials Based On,రేటు పదార్థాల బేస్డ్ న
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ప్రారంభించబడితే, ఫీల్డ్ అకాడెమిక్ టర్మ్ ప్రోగ్రామ్ ఎన్రాల్మెంట్ టూల్లో తప్పనిసరి అవుతుంది."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","మినహాయింపు, నిల్ రేటెడ్ మరియు జిఎస్టి కాని లోపలి సరఫరా విలువలు"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,కస్టమర్&gt; కస్టమర్ గ్రూప్&gt; భూభాగం
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>కంపెనీ</b> తప్పనిసరి వడపోత.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,అన్నింటినీ
 DocType: Purchase Taxes and Charges,On Item Quantity,అంశం పరిమాణంపై
@@ -6905,7 +6993,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,కొరత ప్యాక్ చేసిన అంశాల
 DocType: Purchase Invoice,Input Service Distributor,ఇన్‌పుట్ సేవా పంపిణీదారు
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,అంశం వేరియంట్ {0} అదే లక్షణాలు తో ఉంది
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,దయచేసి విద్య&gt; విద్యా సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి
 DocType: Loan,Repay from Salary,జీతం నుండి తిరిగి
 DocType: Exotel Settings,API Token,API టోకెన్
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},వ్యతిరేకంగా చెల్లింపు అభ్యర్థించడం {0} {1} మొత్తం {2}
@@ -6924,6 +7011,7 @@
 DocType: Salary Slip,Total Interest Amount,మొత్తం వడ్డీ మొత్తం
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు
 DocType: BOM,Manage cost of operations,కార్యకలాపాల వ్యయాన్ని నిర్వహించండి
+DocType: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,పాత డేస్
 DocType: Travel Itinerary,Arrival Datetime,రాక సమయం
 DocType: Tax Rule,Billing Zipcode,బిల్లు పంపవలసిన పిన్ కోడ్
@@ -7105,6 +7193,7 @@
 DocType: Employee Transfer,Employee Transfer,ఉద్యోగి బదిలీ
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,గంటలు
 DocType: Project,Expected Start Date,ఊహించిన ప్రారంభం తేదీ
+DocType: Work Order,This is a location where raw materials are available.,ముడి పదార్థాలు అందుబాటులో ఉన్న ప్రదేశం ఇది.
 DocType: Purchase Invoice,04-Correction in Invoice,వాయిస్ లో 04-కరెక్షన్
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,వర్క్ ఆర్డర్ ఇప్పటికే BOM తో అన్ని అంశాలను సృష్టించింది
 DocType: Bank Account,Party Details,పార్టీ వివరాలు
@@ -7123,6 +7212,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,ఉల్లేఖనాలు:
 DocType: Contract,Partially Fulfilled,పాక్షికంగా నెరవేరింది
 DocType: Maintenance Visit,Fully Completed,పూర్తిగా పూర్తయింది
+DocType: Loan Security,Loan Security Name,రుణ భద్రతా పేరు
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; మరియు &quot;}&quot; మినహా ప్రత్యేక అక్షరాలు పేరు పెట్టే సిరీస్‌లో అనుమతించబడవు"
 DocType: Purchase Invoice Item,Is nil rated or exempted,నిల్ రేట్ లేదా మినహాయింపు ఉంది
 DocType: Employee,Educational Qualification,అర్హతలు
@@ -7180,6 +7270,7 @@
 DocType: Program,Is Featured,ఫీచర్ చేయబడింది
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,తెస్తోంది ...
 DocType: Agriculture Analysis Criteria,Agriculture User,వ్యవసాయ వినియోగదారు
+DocType: Loan Security Shortfall,America/New_York,అమెరికా / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,తేదీ వరకు చెల్లుతుంది లావాదేవీ తేదీకి ముందు ఉండకూడదు
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,స్టూడెంట్ వర్గం
@@ -7256,8 +7347,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,మీరు స్తంభింపచేసిన విలువ సెట్ అధికారం లేదు
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled ఎంట్రీలు పొందండి
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ఉద్యోగి {0} {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,జర్నల్ ఎంట్రీ కోసం తిరిగి చెల్లింపులు ఏవీ ఎంచుకోబడలేదు
 DocType: Purchase Invoice,GST Category,జీఎస్టీ వర్గం
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,సురక్షిత రుణాలకు ప్రతిపాదిత ప్రతిజ్ఞలు తప్పనిసరి
 DocType: Payment Reconciliation,From Invoice Date,వాయిస్ తేదీ నుండి
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,బడ్జెట్ల
 DocType: Invoice Discounting,Disbursed,పంపించబడతాయి
@@ -7313,14 +7404,13 @@
 DocType: Restaurant,Active Menu,సక్రియ మెను
 DocType: Accounting Dimension Detail,Default Dimension,డిఫాల్ట్ డైమెన్షన్
 DocType: Target Detail,Target Qty,టార్గెట్ ప్యాక్ చేసిన అంశాల
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},రుణం వ్యతిరేకంగా: {0}
 DocType: Shopping Cart Settings,Checkout Settings,తనిఖీ సెట్టింగ్లు
 DocType: Student Attendance,Present,ప్రెజెంట్
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,డెలివరీ గమనిక {0} సమర్పించిన కాకూడదని
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","ఉద్యోగికి ఇమెయిల్ పంపిన జీతం స్లిప్ పాస్వర్డ్తో రక్షించబడుతుంది, పాస్వర్డ్ విధానం ఆధారంగా పాస్వర్డ్ ఉత్పత్తి అవుతుంది."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,ఖాతా {0} మూసివేయడం రకం బాధ్యత / ఈక్విటీ ఉండాలి
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే సమయం షీట్ కోసం సృష్టించబడింది {1}
-DocType: Vehicle Log,Odometer,ఓడోమీటార్
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,ఓడోమీటార్
 DocType: Production Plan Item,Ordered Qty,క్రమ ప్యాక్ చేసిన అంశాల
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,అంశం {0} నిలిపివేయబడింది
 DocType: Stock Settings,Stock Frozen Upto,స్టాక్ ఘనీభవించిన వరకు
@@ -7375,7 +7465,6 @@
 DocType: Serial No,Delivery Document Type,డెలివరీ డాక్యుమెంట్ టైప్
 DocType: Sales Order,Partly Delivered,పాక్షికంగా పంపిణీ
 DocType: Item Variant Settings,Do not update variants on save,భద్రపరచడానికి వైవిధ్యాలను నవీకరించవద్దు
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,కస్టమర్ గ్రూప్
 DocType: Email Digest,Receivables,పొందింది
 DocType: Lead Source,Lead Source,లీడ్ మూల
 DocType: Customer,Additional information regarding the customer.,కస్టమర్ గురించి అదనపు సమాచారం.
@@ -7470,6 +7559,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,వాస్తవ
 DocType: Appointment,Skype ID,స్కైప్ ఐడి
 DocType: Restaurant Menu,Restaurant Manager,రెస్టారెంట్ మేనేజర్
+DocType: Loan,Penalty Income Account,జరిమానా ఆదాయ ఖాతా
 DocType: Call Log,Call Log,కాల్ లాగ్
 DocType: Authorization Rule,Customerwise Discount,Customerwise డిస్కౌంట్
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,పనులు కోసం timesheet.
@@ -7555,6 +7645,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,ఉత్పత్తి తగ్గింపు పథకం
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,కాల్ చేసినవారు ఏ సమస్యను లేవనెత్తలేదు.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,సరఫరాదారు ద్వారా సమూహం
 DocType: Restaurant Reservation,Waitlisted,waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,మినహాయింపు వర్గం
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,కరెన్సీ కొన్ని ఇతర కరెన్సీ ఉపయోగించి ఎంట్రీలు తరువాత మారలేదు
@@ -7565,7 +7656,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,కన్సల్టింగ్
 DocType: Subscription Plan,Based on price list,ధర జాబితా ఆధారంగా
 DocType: Customer Group,Parent Customer Group,మాతృ కస్టమర్ గ్రూప్
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ఇ-వే బిల్ JSON ను సేల్స్ ఇన్వాయిస్ నుండి మాత్రమే ఉత్పత్తి చేయవచ్చు
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ఈ క్విజ్ కోసం గరిష్ట ప్రయత్నాలు చేరుకున్నాయి!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,సభ్యత్వ
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ఫీజు సృష్టి పెండింగ్లో ఉంది
@@ -7582,6 +7672,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,ప్రివెంటివ్ మెంటైన్
 DocType: Delivery Note Item,Against Sales Invoice,సేల్స్ వాయిస్ వ్యతిరేకంగా
 DocType: Purchase Invoice,07-Others,07-ఇతరులు
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,కొటేషన్ మొత్తం
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,సీరియల్ అంశం కోసం సీరియల్ సంఖ్యలు నమోదు చేయండి
 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. ,మీరు కోర్సు ఆధారంగా సమూహాలు చేస్తున్నప్పుటికీ బ్యాచ్ పరిగణలోకి అనుకుంటే ఎంచుకోవద్దు.
@@ -7690,6 +7781,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,చెల్లింపు రసీదు గమనిక
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ఈ ఈ కస్టమర్ వ్యతిరేకంగా లావాదేవీలు ఆధారంగా. వివరాల కోసం ఈ క్రింది కాలక్రమం చూడండి
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,మెటీరియల్ అభ్యర్థనను సృష్టించండి
+DocType: Loan Interest Accrual,Pending Principal Amount,ప్రిన్సిపాల్ మొత్తం పెండింగ్‌లో ఉంది
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,కోర్సు వారీగా మదింపు నివేదిక
@@ -7732,6 +7824,7 @@
 											to fullfill Sales Order {2}",విక్రయించబడుతున్నందున సీరియల్ నో {1} {1} ను పూర్తిగా సేల్స్ ఆర్డర్ {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,సరఫరాదారు కొటేషన్ {0} రూపొందించారు
+DocType: Loan Security Unpledge,Unpledge Type,అన్‌ప్లెడ్జ్ రకం
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,ముగింపు సంవత్సరం ప్రారంభ సంవత్సరం కంటే ముందు ఉండకూడదు
 DocType: Employee Benefit Application,Employee Benefits,ఉద్యోగుల లాభాల
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ఉద్యోగ గుర్తింపు
@@ -7814,6 +7907,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,కోర్సు కోడ్:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ఖర్చుల ఖాతాను నమోదు చేయండి
 DocType: Quality Action Resolution,Problem,సమస్య
+DocType: Loan Security Type,Loan To Value Ratio,విలువ నిష్పత్తికి లోన్
 DocType: Account,Stock,స్టాక్
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ కొనుగోలు ఆర్డర్ ఒకటి, కొనుగోలు వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి"
 DocType: Employee,Current Address,ప్రస్తుత చిరునామా
@@ -7831,6 +7925,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,బ్యాంక్ స్టేట్మెంట్ లావాదేవీ ఎంట్రీ
 DocType: Sales Invoice Item,Discount and Margin,డిస్కౌంట్ మరియు మార్జిన్
 DocType: Lab Test,Prescription,ప్రిస్క్రిప్షన్
+DocType: Process Loan Security Shortfall,Update Time,నవీకరణ సమయం
 DocType: Import Supplier Invoice,Upload XML Invoices,XML ఇన్వాయిస్‌లను అప్‌లోడ్ చేయండి
 DocType: Company,Default Deferred Revenue Account,డిఫాల్ట్ డిఫెరోడ్ రెవెన్యూ ఖాతా
 DocType: Project,Second Email,రెండవ ఇమెయిల్
@@ -7844,7 +7939,7 @@
 DocType: Quality Action,Preventive,ప్రివెంటివ్
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,నమోదుకాని వ్యక్తులకు సరఫరా
 DocType: Company,Date of Incorporation,చేర్పు తేదీ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,మొత్తం పన్ను
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,మొత్తం పన్ను
 DocType: Manufacturing Settings,Default Scrap Warehouse,డిఫాల్ట్ స్క్రాప్ గిడ్డంగి
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,చివరి కొనుగోలు ధర
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,పరిమాణం (ప్యాక్ చేసిన అంశాల తయారు) తప్పనిసరి
@@ -7863,6 +7958,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,చెల్లింపు యొక్క డిఫాల్ట్ మోడ్ను సెట్ చేయండి
 DocType: Stock Entry Detail,Against Stock Entry,స్టాక్ ఎంట్రీకి వ్యతిరేకంగా
 DocType: Grant Application,Withdrawn,వెనక్కి
+DocType: Loan Repayment,Regular Payment,రెగ్యులర్ చెల్లింపు
 DocType: Support Search Source,Support Search Source,మద్దతు శోధన మూలం
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,స్థూల సరిహద్దు %
@@ -7876,8 +7972,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,పన్ను చెల్లింపు లేకుండా
 DocType: BOM Operation,BOM Operation,బిఒఎం ఆపరేషన్
 DocType: Purchase Taxes and Charges,On Previous Row Amount,మునుపటి రో మొత్తం మీద
+DocType: Student,Home Address,హోం చిరునామా
 DocType: Options,Is Correct,సరైనది
 DocType: Item,Has Expiry Date,గడువు తేదీ ఉంది
+DocType: Loan Repayment,Paid Accrual Entries,చెల్లింపు అక్రూయల్ ఎంట్రీలు
+DocType: Loan Security,Loan Security Type,రుణ భద్రతా రకం
 apps/erpnext/erpnext/config/support.py,Issue Type.,ఇష్యూ రకం.
 DocType: POS Profile,POS Profile,POS ప్రొఫైల్
 DocType: Training Event,Event Name,ఈవెంట్ పేరు
@@ -7889,6 +7988,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","సెట్ బడ్జెట్లు, లక్ష్యాలను మొదలైనవి కోసం కాలికోద్యోగం"
 apps/erpnext/erpnext/www/all-products/index.html,No values,విలువలు లేవు
 DocType: Supplier Scorecard Scoring Variable,Variable Name,వేరియబుల్ పేరు
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,సయోధ్య కోసం బ్యాంక్ ఖాతాను ఎంచుకోండి.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} అంశం ఒక టెంప్లేట్, దాని వైవిధ్యాలు ఒకటి ఎంచుకోండి దయచేసి"
 DocType: Purchase Invoice Item,Deferred Expense,వాయిదా వేసిన ఖర్చు
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,సందేశాలకు తిరిగి వెళ్ళు
@@ -7940,7 +8040,6 @@
 DocType: GL Entry,To Rename,పేరు మార్చడానికి
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,క్రమ సంఖ్యను జోడించడానికి ఎంచుకోండి.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,దయచేసి విద్య&gt; విద్యా సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',కస్టమర్ &#39;% s&#39; కోసం ఫిస్కల్ కోడ్‌ను సెట్ చేయండి
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,మొదట కంపెనీని ఎంచుకోండి
 DocType: Item Attribute,Numeric Values,సంఖ్యా విలువలు
@@ -7964,6 +8063,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO ఆధారంగా పొందండి
 DocType: Soil Texture,Clay Loam,క్లే లోమ్
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,రూట్ సంపాదకీయం సాధ్యం కాదు.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,రుణ భద్రతా విలువ
 DocType: Item,Units of Measure,యూనిట్స్ ఆఫ్ మెజర్
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,మెట్రో నగరంలో అద్దెకు తీసుకున్నారు
 DocType: Supplier,Default Tax Withholding Config,డిఫాల్ట్ టాక్స్ విత్ హోల్డింగ్ కాన్ఫిగ్
@@ -8010,6 +8110,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,మొదటి వర్గం ఎంచుకోండి దయచేసి
 apps/erpnext/erpnext/config/projects.py,Project master.,ప్రాజెక్టు మాస్టర్.
 DocType: Contract,Contract Terms,కాంట్రాక్ట్ నిబంధనలు
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,మంజూరు చేసిన మొత్తం పరిమితి
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,ఆకృతీకరణను కొనసాగించండి
 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,Maximum benefit amount of component {0} exceeds {1},భాగం యొక్క గరిష్ట లాభం మొత్తం {0} {1}
@@ -8053,3 +8154,4 @@
 DocType: Account,Cash,క్యాష్
 DocType: Sales Invoice,Unpaid and Discounted,చెల్లించని మరియు రాయితీ
 DocType: Employee,Short biography for website and other publications.,వెబ్సైట్ మరియు ఇతర ప్రచురణలకు క్లుప్త జీవితచరిత్ర.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,అడ్డు వరుస # {0}: సబ్ కాంట్రాక్టర్‌కు ముడి పదార్థాలను సరఫరా చేస్తున్నప్పుడు సరఫరాదారు గిడ్డంగిని ఎంచుకోలేరు
diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv
index 63793c9..c2a96f0 100644
--- a/erpnext/translations/th.csv
+++ b/erpnext/translations/th.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,โอกาสสูญเสียเหตุผล
 DocType: Patient Appointment,Check availability,ตรวจสอบความพร้อมใช้งาน
 DocType: Retention Bonus,Bonus Payment Date,วันที่ชำระเงินโบนัส
-DocType: Employee,Job Applicant,ผู้สมัครงาน
+DocType: Appointment Letter,Job Applicant,ผู้สมัครงาน
 DocType: Job Card,Total Time in Mins,เวลาทั้งหมดเป็นนาที
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,นี้ขึ้นอยู่กับการทำธุรกรรมกับผู้จัดหาสินค้านี้ ดูระยะเวลารายละเอียดด้านล่าง
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,เปอร์เซ็นต์การผลิตมากเกินไปสำหรับใบสั่งงาน
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,ข้อมูลติดต่อ
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ค้นหาอะไรก็ได้ ...
 ,Stock and Account Value Comparison,การเปรียบเทียบมูลค่าหุ้นและบัญชี
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,จำนวนเงินที่ขอคืนไม่สามารถมากกว่ายอดเงินกู้ได้
 DocType: Company,Phone No,โทรศัพท์ไม่มี
 DocType: Delivery Trip,Initial Email Notification Sent,ส่งอีเมลแจ้งเตือนครั้งแรกแล้ว
 DocType: Bank Statement Settings,Statement Header Mapping,การทำแผนที่ส่วนหัวของคำแถลง
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,สนใจ
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,การเปิด
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,โปรแกรม:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,ใช้งานได้จากเวลาจะต้องน้อยกว่าเวลาที่ใช้ได้ไม่เกิน
 DocType: Item,Copy From Item Group,คัดลอกจากกลุ่มสินค้า
 DocType: Journal Entry,Opening Entry,เปิดรายการ
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,บัญชีจ่ายเพียง
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,เกรด
 DocType: Restaurant Table,No of Seats,ไม่มีที่นั่ง
+DocType: Loan Type,Grace Period in Days,ระยะเวลาปลอดหนี้เป็นวัน
 DocType: Sales Invoice,Overdue and Discounted,เกินกำหนดและลดราคา
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},เนื้อหา {0} ไม่ได้เป็นของผู้รับฝากทรัพย์สิน {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,การโทรถูกตัดการเชื่อมต่อ
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,ขั้นตอนที่กำหนดไว้
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,แสดงเฉพาะ POS
 DocType: Supplier Group,Supplier Group Name,ชื่อกลุ่มผู้จัดจำหน่าย
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ทำเครื่องหมายการเข้าร่วมประชุมเป็น <b></b>
 DocType: Driver,Driving License Categories,ประเภทใบอนุญาตขับรถ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,โปรดป้อนวันที่จัดส่ง
 DocType: Depreciation Schedule,Make Depreciation Entry,บันทึกรายการค่าเสื่อมราคา
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,รายละเอียดของการดำเนินการดำเนินการ
 DocType: Asset Maintenance Log,Maintenance Status,สถานะการบำรุงรักษา
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,จำนวนภาษีสินค้าที่รวมอยู่ในมูลค่า
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Unpledge ความปลอดภัยสินเชื่อ
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,รายละเอียดสมาชิก
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ผู้ผลิตเป็นสิ่งจำเป็นสำหรับบัญชีเจ้าหนี้ {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,รายการและราคา
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},ชั่วโมงรวม: {0}
+DocType: Loan,Loan Manager,ผู้จัดการสินเชื่อ
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},จากวันที่ควรจะเป็นภายในปีงบประมาณ สมมติว่าตั้งแต่วันที่ = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,ระยะห่าง
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',ปรับปรุงแล้วทาง 'บันทึกเวลา'
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,เลือกลูกค้าหรือผู้จัดจำหน่าย
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,รหัสประเทศในไฟล์ไม่ตรงกับรหัสประเทศที่ตั้งค่าในระบบ
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},บัญชี {0} ไม่ได้เป็นของ บริษัท {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,เลือกลำดับความสำคัญเดียวเป็นค่าเริ่มต้น
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},จำนวนเงินล่วงหน้าไม่สามารถจะสูงกว่า {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",ช่วงเวลาข้ามไปช่อง {0} ถึง {1} ซ้อนทับซ้อนกันของช่องที่มีอยู่ {2} ถึง {3}
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ฝากที่ถูกบล็อก
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},รายการ {0} ได้ ถึงจุดสิ้นสุด ของ ชีวิตบน {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,รายการธนาคาร
-DocType: Customer,Is Internal Customer,เป็นลูกค้าภายใน
+DocType: Sales Invoice,Is Internal Customer,เป็นลูกค้าภายใน
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,ขายใบแจ้งหนี้ไม่มี
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,ขอวัสดุ
 DocType: Bank Reconciliation,Update Clearance Date,อัพเดทวันที่ Clearance
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,มัดจำนวน
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,ไม่สามารถสร้างเงินกู้จนกว่าใบสมัครจะได้รับการอนุมัติ
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},รายการ {0} ไม่พบใน &#39;วัตถุดิบมา&#39; ตารางในการสั่งซื้อ {1}
 DocType: Salary Slip,Total Principal Amount,ยอดรวมเงินต้น
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,แก้ไข
 DocType: Student Guardian,Mother,แม่
 DocType: Restaurant Reservation,Reservation End Time,เวลาสิ้นสุดการจอง
+DocType: Salary Slip Loan,Loan Repayment Entry,รายการชำระคืนเงินกู้
 DocType: Crop,Biennial,ล้มลุก
 ,BOM Variance Report,รายงานความแตกต่างของ BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,คำสั่งซื้อได้รับการยืนยันจากลูกค้า
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},การชำระเงินกับ {0} {1} ไม่สามารถจะสูงกว่าจำนวนเงินที่โดดเด่น {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,หน่วยบริการด้านการดูแลสุขภาพทั้งหมด
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,ในการแปลงโอกาส
+DocType: Loan,Total Principal Paid,เงินต้นรวมที่จ่าย
 DocType: Bank Account,Address HTML,ที่อยู่ HTML
 DocType: Lead,Mobile No.,เบอร์มือถือ
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,โหมดการชำระเงิน
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,ยอดคงเหลือในสกุลเงินหลัก
 DocType: Supplier Scorecard Scoring Standing,Max Grade,ระดับสูงสุด
 DocType: Email Digest,New Quotations,ใบเสนอราคาใหม่
+DocType: Loan Interest Accrual,Loan Interest Accrual,ดอกเบี้ยค้างรับ
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,การเข้าร่วมไม่ได้ส่งสำหรับ {0} เป็น {1} เมื่อออก
 DocType: Journal Entry,Payment Order,ใบสั่งซื้อการชำระเงิน
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ตรวจสอบอีเมล์
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,รายได้จากแหล่งอื่น
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",หากว่างเปล่าบัญชีคลังสินค้าหลักหรือค่าเริ่มต้นของ บริษัท จะได้รับการพิจารณา
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,สลิปอีเมล์เงินเดือนให้กับพนักงานบนพื้นฐานของอีเมลที่ต้องการเลือกในการพนักงาน
+DocType: Work Order,This is a location where operations are executed.,นี่คือสถานที่ที่จะทำการดำเนินการ
 DocType: Tax Rule,Shipping County,การจัดส่งสินค้าเคาน์ตี้
 DocType: Currency Exchange,For Selling,สำหรับการขาย
 apps/erpnext/erpnext/config/desktop.py,Learn,เรียนรู้
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,รหัสคูปองที่ใช้แล้ว
 DocType: Asset,Next Depreciation Date,ถัดไปวันที่ค่าเสื่อมราคา
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,ค่าใช้จ่ายในกิจกรรมต่อพนักงาน
+DocType: Loan Security,Haircut %,ตัดผม%
 DocType: Accounts Settings,Settings for Accounts,การตั้งค่าสำหรับบัญชี
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},ผู้ผลิตใบแจ้งหนี้ไม่มีอยู่ในการซื้อใบแจ้งหนี้ {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,จัดการ คนขาย ต้นไม้
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},โปรดตั้งค่าห้องพักโรงแรมเมื่อ {@}
 DocType: Journal Entry,Multi Currency,หลายสกุลเงิน
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,ประเภทใบแจ้งหนี้
+DocType: Loan,Loan Security Details,รายละเอียดความปลอดภัยสินเชื่อ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ที่ถูกต้องจากวันที่จะต้องน้อยกว่าที่ถูกต้องจนถึงวันที่
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},เกิดข้อยกเว้นขณะปรับยอด {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,ตั้งค่าคลังสินค้าที่ยอมรับ
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,ต้องได้รับอนุมัติจาก Lab Test
 DocType: Attendance,Working Hours,เวลาทำการ
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,รวมดีเด่น
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ไม่พบปัจจัยการแปลง UOM ({0} -&gt; {1}) สำหรับรายการ: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,เปลี่ยนหมายเลขลำดับเริ่มต้น / ปัจจุบันของชุดที่มีอยู่
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,เปอร์เซ็นต์ที่คุณได้รับอนุญาตให้เรียกเก็บเงินเพิ่มเติมจากจำนวนที่สั่ง ตัวอย่างเช่น: หากมูลค่าการสั่งซื้อคือ $ 100 สำหรับรายการและการตั้งค่าความอดทนเป็น 10% คุณจะได้รับอนุญาตให้เรียกเก็บเงินเป็นจำนวน $ 110
 DocType: Dosage Strength,Strength,ความแข็งแรง
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,วันที่ยานพาหนะ
 DocType: Campaign Email Schedule,Campaign Email Schedule,กำหนดการอีเมลแคมเปญ
 DocType: Student Log,Medical,การแพทย์
+DocType: Work Order,This is a location where scraped materials are stored.,นี่คือสถานที่ที่เก็บเศษวัสดุ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,โปรดเลือก Drug
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,เจ้าของตะกั่วไม่สามารถเช่นเดียวกับตะกั่ว
 DocType: Announcement,Receiver,ผู้รับ
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,ใช้ได้กับไดรเวอร์ภายนอก
 DocType: Sales Order Item,Used for Production Plan,ที่ใช้ในการวางแผนการผลิต
 DocType: BOM,Total Cost (Company Currency),ต้นทุนทั้งหมด (สกุลเงินของ บริษัท )
-DocType: Loan,Total Payment,การชำระเงินรวม
+DocType: Repayment Schedule,Total Payment,การชำระเงินรวม
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO ที่สร้างไว้แล้วสำหรับรายการสั่งซื้อทั้งหมด
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,เตือนคำสั่งซื้อ
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,เช่าจากวันที่
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,อะไหล่พอที่จะสร้าง
+DocType: Loan Security,Loan Security Code,รหัสความปลอดภัยของสินเชื่อ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,โปรดบันทึกก่อน
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,รายการจะต้องดึงวัตถุดิบที่เกี่ยวข้องกับมัน
 DocType: POS Profile User,POS Profile User,ผู้ใช้โปรไฟล์ POS
@@ -976,6 +989,7 @@
 DocType: Patient,Risk Factors,ปัจจัยเสี่ยง
 DocType: Patient,Occupational Hazards and Environmental Factors,อาชีวอนามัยและปัจจัยแวดล้อม
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,สร้างสต็อกที่สร้างไว้แล้วสำหรับใบสั่งงาน
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,รหัสรายการ&gt; กลุ่มรายการ&gt; แบรนด์
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ดูคำสั่งซื้อที่ผ่านมา
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} การสนทนา
 DocType: Vital Signs,Respiratory rate,อัตราการหายใจ
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,ลบรายการที่ บริษัท
 DocType: Production Plan Item,Quantity and Description,ปริมาณและคำอธิบาย
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,อ้างอิงและการอ้างอิงวันที่มีผลบังคับใช้สำหรับการทำธุรกรรมธนาคาร
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า&gt; การตั้งค่า&gt; Naming Series
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,เพิ่ม / แก้ไข ภาษีและค่าธรรมเนียม
 DocType: Payment Entry Reference,Supplier Invoice No,ใบแจ้งหนี้ที่ผู้ผลิตไม่มี
 DocType: Territory,For reference,สำหรับการอ้างอิง
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,บัญชีหักภาษี
 DocType: Pricing Rule,Sales Partner,พันธมิตรการขาย
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ดัชนีชี้วัดทั้งหมดของ Supplier
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,จำนวนการสั่งซื้อ
+DocType: Loan,Disbursed Amount,จำนวนเงินที่เบิกจ่าย
 DocType: Buying Settings,Purchase Receipt Required,รับซื้อที่จำเป็น
 DocType: Sales Invoice,Rail,ทางรถไฟ
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ต้นทุนที่แท้จริง
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,เชื่อมต่อกับ QuickBooks แล้ว
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},โปรดระบุ / สร้างบัญชี (บัญชีแยกประเภท) สำหรับประเภท - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,เจ้าหนี้การค้า
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,บัญชีจำเป็นต้องมีเพื่อรับรายการชำระเงิน
 DocType: Payment Entry,Type of Payment,ประเภทของการชำระเงิน
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Half Day Date เป็นข้อบังคับ
 DocType: Sales Order,Billing and Delivery Status,สถานะการเรียกเก็บเงินและการจัดส่ง
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,จำนวนจำนวนมากที่สุด
 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,Principal Amount,เงินต้น
+DocType: Repayment Schedule,Principal Amount,เงินต้น
 DocType: Loan Application,Total Payable Interest,รวมดอกเบี้ยเจ้าหนี้
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ยอดคงค้างทั้งหมด: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,เปิดผู้ติดต่อ
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,เกิดข้อผิดพลาดระหว่างการอัพเดต
 DocType: Restaurant Reservation,Restaurant Reservation,จองร้านอาหาร
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,รายการของคุณ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ผู้ผลิต&gt; ประเภทผู้จำหน่าย
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,การเขียน ข้อเสนอ
 DocType: Payment Entry Deduction,Payment Entry Deduction,หักรายการชำระเงิน
 DocType: Service Level Priority,Service Level Priority,ระดับความสำคัญของการบริการ
@@ -1165,6 +1182,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,การสร้างกลุ่มนักเรียน
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,การสร้างกลุ่มนักเรียน
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",Payment Gateway บัญชีไม่ได้สร้างโปรดสร้างด้วยตนเอง
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},คลังสินค้าของกลุ่มไม่สามารถใช้ในการทำธุรกรรม โปรดเปลี่ยนค่าของ {0}
 DocType: Supplier Scorecard,Per Year,ต่อปี
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,ไม่มีสิทธิ์รับเข้าเรียนในโครงการนี้ต่อ DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,แถว # {0}: ไม่สามารถลบรายการ {1} ซึ่งกำหนดให้กับใบสั่งซื้อของลูกค้า
@@ -1289,7 +1307,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",ขณะสร้างบัญชีสำหรับ บริษัท ย่อย {0} ไม่พบบัญชีหลัก {1} โปรดสร้างบัญชีหลักใน COA ที่เกี่ยวข้อง
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,ฉบับแยก
 DocType: Student Attendance,Student Attendance,นักศึกษาเข้าร่วม
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,ไม่มีข้อมูลที่จะส่งออก
 DocType: Sales Invoice Timesheet,Time Sheet,ใบบันทึกเวลา
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush วัตถุดิบที่ใช้ใน
 DocType: Sales Invoice,Port Code,รหัสพอร์ต
@@ -1302,6 +1319,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,วันที่จัดส่งจริง
 DocType: Lab Test,Test Template,เทมเพลตการทดสอบ
+DocType: Loan Security Pledge,Securities,หลักทรัพย์
 DocType: Restaurant Order Entry Item,Served,ทำหน้าที่
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,ข้อมูลบท
 DocType: Account,Accounts,บัญชี
@@ -1396,6 +1414,7 @@
 DocType: Inpatient Record,O Negative,O เชิงลบ
 DocType: Work Order Operation,Planned End Time,เวลาสิ้นสุดการวางแผน
 DocType: POS Profile,Only show Items from these Item Groups,แสดงเฉพาะรายการจากกลุ่มรายการเหล่านี้
+DocType: Loan,Is Secured Loan,สินเชื่อที่มีหลักประกัน
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,ประเภทรายละเอียดประเภทรายได้
 DocType: Delivery Note,Customer's Purchase Order No,ใบสั่งซื้อของลูกค้าไม่มี
@@ -1432,6 +1451,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,โปรดเลือก บริษัท และผ่านรายการวันที่เพื่อรับรายการ
 DocType: Asset,Maintenance,การบำรุงรักษา
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,ได้รับจากผู้ป่วย Encounter
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ไม่พบปัจจัยการแปลง UOM ({0} -&gt; {1}) สำหรับรายการ: {2}
 DocType: Subscriber,Subscriber,สมาชิก
 DocType: Item Attribute Value,Item Attribute Value,รายการค่าแอตทริบิวต์
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ต้องใช้การแลกเปลี่ยนสกุลเงินเพื่อซื้อหรือขาย
@@ -1530,6 +1550,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,ไม่ได้รับอนุญาต
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,รายการตรวจสอบ Fulfillment สัญญา
 DocType: Vital Signs,Heart Rate / Pulse,อัตราหัวใจ / ชีพจร
+DocType: Customer,Default Company Bank Account,บัญชีธนาคารของ บริษัท ที่เป็นค่าเริ่มต้น
 DocType: Supplier,Default Bank Account,บัญชีธนาคารเริ่มต้น
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",ในการกรองขึ้นอยู่กับพรรคเลือกพรรคพิมพ์ครั้งแรก
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'การปรับสต็อก' ไม่สามารถตรวจสอบได้เพราะรายการไม่ได้จัดส่งผ่านทาง {0}
@@ -1648,7 +1669,6 @@
 DocType: Sales Team,Incentives,แรงจูงใจ
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ค่าไม่ซิงค์กัน
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ค่าความแตกต่าง
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า&gt; ลำดับเลข
 DocType: SMS Log,Requested Numbers,ตัวเลขการขอ
 DocType: Volunteer,Evening,ตอนเย็น
 DocType: Quiz,Quiz Configuration,การกำหนดค่าแบบทดสอบ
@@ -1668,6 +1688,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,เมื่อรวมแถวก่อนหน้า
 DocType: Purchase Invoice Item,Rejected Qty,ปฏิเสธจำนวน
 DocType: Setup Progress Action,Action Field,ฟิลด์การดำเนินการ
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,ประเภทสินเชื่อสำหรับอัตราดอกเบี้ยและค่าปรับ
 DocType: Healthcare Settings,Manage Customer,จัดการลูกค้า
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,ซิงค์ผลิตภัณฑ์ของคุณจาก Amazon MWS ก่อนซิงค์รายละเอียดคำสั่งซื้อ
 DocType: Delivery Trip,Delivery Stops,การจัดส่งหยุด
@@ -1679,6 +1700,7 @@
 ,Final Assessment Grades,คะแนนการประเมินขั้นสุดท้าย
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,ชื่อของ บริษัท ของคุณ ที่คุณ มีการตั้งค่า ระบบนี้
 DocType: HR Settings,Include holidays in Total no. of Working Days,รวมถึงวันหยุดในไม่รวม ของวันทําการ
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% ของยอดรวมทั้งหมด
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ตั้งสถาบันของคุณใน ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,การวิเคราะห์พืช
 DocType: Task,Timeline,ไทม์ไลน์
@@ -1686,9 +1708,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,รายการสำรอง
 DocType: Shopify Log,Request Data,ขอข้อมูล
 DocType: Employee,Date of Joining,วันที่ของการเข้าร่วม
+DocType: Delivery Note,Inter Company Reference,การอ้างอิงระหว่าง บริษัท
 DocType: Naming Series,Update Series,Series ปรับปรุง
 DocType: Supplier Quotation,Is Subcontracted,เหมา
 DocType: Restaurant Table,Minimum Seating,ที่นั่งขั้นต่ำ
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,คำถามไม่สามารถซ้ำกันได้
 DocType: Item Attribute,Item Attribute Values,รายการค่าแอตทริบิวต์
 DocType: Examination Result,Examination Result,ผลการตรวจสอบ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ใบเสร็จรับเงินการสั่งซื้อ
@@ -1790,6 +1814,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้
 DocType: Payment Request,Paid,ชำระ
 DocType: Service Level,Default Priority,ระดับความสำคัญเริ่มต้น
+DocType: Pledge,Pledge,จำนำ
 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 ทั้งหมด
@@ -1803,6 +1828,7 @@
 DocType: Guardian,Guardian Name,ชื่อผู้ปกครอง
 DocType: Cheque Print Template,Has Print Format,มีรูปแบบการพิมพ์
 DocType: Support Settings,Get Started Sections,เริ่มหัวข้อ
+,Loan Repayment and Closure,การชำระคืนเงินกู้และการปิดสินเชื่อ
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,ตามทำนองคลองธรรม
 ,Base Amount,จำนวนฐาน
@@ -1813,10 +1839,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,จากสถานที่
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},จำนวนเงินกู้ไม่สามารถมากกว่า {0}
 DocType: Student Admission,Publish on website,เผยแพร่บนเว็บไซต์
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,วันที่จัดจำหน่ายใบแจ้งหนี้ไม่สามารถมีค่ามากกว่าการโพสต์วันที่
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,รหัสรายการ&gt; กลุ่มรายการ&gt; แบรนด์
 DocType: Subscription,Cancelation Date,วันที่ยกเลิก
 DocType: Purchase Invoice Item,Purchase Order Item,สั่งซื้อสินค้าสั่งซื้อ
 DocType: Agriculture Task,Agriculture Task,งานเกษตร
@@ -1835,7 +1861,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,เพิ่มเติมร้อยละส่วนลด
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,ดูรายการทั้งหมดวิดีโอความช่วยเหลือที่
 DocType: Agriculture Analysis Criteria,Soil Texture,พื้นผิวดิน
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,เลือกหัวที่บัญชีของธนาคารที่ตรวจสอบถูกวาง
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,ช่วยให้ผู้ใช้ในการแก้ไขอัตราราคาปกติในการทำธุรกรรม
 DocType: Pricing Rule,Max Qty,จำนวนสูงสุด
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,พิมพ์บัตรรายงาน
@@ -1969,7 +1994,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",เมื่อตั้งค่าใบแจ้งหนี้นี้จะถูกระงับไว้จนกว่าจะถึงวันที่กำหนด
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,ปริมาณการขาย
-DocType: Repayment Schedule,Interest Amount,จำนวนเงินที่น่าสนใจ
+DocType: Loan Interest Accrual,Interest Amount,จำนวนเงินที่น่าสนใจ
 DocType: Job Card,Time Logs,บันทึกเวลา
 DocType: Sales Invoice,Loyalty Amount,จำนวนความภักดี
 DocType: Employee Transfer,Employee Transfer Detail,รายละเอียดการโอนย้ายพนักงาน
@@ -1984,6 +2009,7 @@
 DocType: Cashier Closing,Returns,ผลตอบแทน
 DocType: Job Card,WIP Warehouse,WIP คลังสินค้า
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},อนุกรม ไม่มี {0} อยู่ภายใต้สัญญา การบำรุงรักษา ไม่เกิน {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},ข้ามขีด จำกัด ตามจำนวนที่อนุญาตสำหรับ {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,รับสมัครงาน
 DocType: Lead,Organization Name,ชื่อองค์กร
 DocType: Support Settings,Show Latest Forum Posts,แสดงกระทู้ล่าสุดจากฟอรัม
@@ -2010,7 +2036,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,สั่งซื้อสินค้ารายการค้างชำระ
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,รหัสไปรษณีย์
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},ใบสั่งขาย {0} เป็น {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},เลือกบัญชีเงินฝากดอกเบี้ย {0}
 DocType: Opportunity,Contact Info,ข้อมูลการติดต่อ
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,ทำรายการสต็อก
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,ไม่สามารถส่งเสริมพนักงานที่มีสถานะเหลือ
@@ -2096,7 +2121,6 @@
 DocType: Salary Slip,Deductions,การหักเงิน
 DocType: Setup Progress Action,Action Name,ชื่อการกระทำ
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ปีวันเริ่มต้น
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,สร้างสินเชื่อ
 DocType: Purchase Invoice,Start date of current invoice's period,วันที่เริ่มต้นของระยะเวลาการออกใบแจ้งหนี้ปัจจุบัน
 DocType: Shift Type,Process Attendance After,กระบวนการเข้าร่วมหลังจาก
 ,IRS 1099,"IRS 1,099"
@@ -2117,6 +2141,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,เลือกโดเมนของคุณ
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,ผู้จัดหาสินค้า
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,รายการใบแจ้งหนี้การชำระเงิน
+DocType: Repayment Schedule,Is Accrued,มีการค้างชำระ
 DocType: Payroll Entry,Employee Details,รายละเอียดของพนักงาน
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,กำลังประมวลผลไฟล์ XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2148,6 +2173,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Entry ความภักดี
 DocType: Employee Checkin,Shift End,สิ้นสุดกะ
 DocType: Stock Settings,Default Item Group,กลุ่มสินค้าเริ่มต้น
+DocType: Loan,Partially Disbursed,การเบิกจ่ายบางส่วน
 DocType: Job Card Time Log,Time In Mins,เวลาในนาที
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,ให้ข้อมูล
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,การกระทำนี้จะยกเลิกการเชื่อมโยงบัญชีนี้จากบริการภายนอกใด ๆ ที่รวม ERPNext กับบัญชีธนาคารของคุณ ไม่สามารถยกเลิกได้ คุณแน่ใจหรือ
@@ -2163,6 +2189,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,รายการเดียวกันไม่สามารถเข้ามาหลายครั้ง
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",บัญชีเพิ่มเติมสามารถทำภายใต้กลุ่ม แต่รายการที่สามารถทำกับกลุ่มที่ไม่
+DocType: Loan Repayment,Loan Closure,การปิดสินเชื่อ
 DocType: Call Log,Lead,ช่องทาง
 DocType: Email Digest,Payables,เจ้าหนี้
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2196,6 +2223,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ภาษีและผลประโยชน์ของพนักงาน
 DocType: Bank Guarantee,Validity in Days,ความถูกต้องในวัน
 DocType: Bank Guarantee,Validity in Days,ความถูกต้องในวัน
+DocType: Unpledge,Haircut,การตัดผม
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-รูปแบบไม่ได้ใช้กับใบแจ้งหนี้: {0}
 DocType: Certified Consultant,Name of Consultant,ชื่อที่ปรึกษา
 DocType: Payment Reconciliation,Unreconciled Payment Details,รายละเอียดการชำระเงิน Unreconciled
@@ -2249,7 +2277,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,ส่วนที่เหลือ ของโลก
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,รายการ {0} ไม่สามารถมีแบทช์
 DocType: Crop,Yield UOM,Yield UOM
+DocType: Loan Security Pledge,Partially Pledged,จำนำบางส่วน
 ,Budget Variance Report,รายงานความแปรปรวนของงบประมาณ
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,จำนวนเงินกู้ตามทำนองคลองธรรม
 DocType: Salary Slip,Gross Pay,จ่ายขั้นต้น
 DocType: Item,Is Item from Hub,รายการจากฮับ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,รับสินค้าจากบริการด้านสุขภาพ
@@ -2284,6 +2314,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,กระบวนการคุณภาพใหม่
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},ยอดคงเหลือ บัญชี {0} จะต้อง {1}
 DocType: Patient Appointment,More Info,ข้อมูลเพิ่มเติม
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,วันเดือนปีเกิดต้องไม่เกินวันที่เข้าร่วม
 DocType: Supplier Scorecard,Scorecard Actions,การดำเนินการตามสกอร์การ์ด
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ผู้ขาย {0} ไม่พบใน {1}
 DocType: Purchase Invoice,Rejected Warehouse,คลังสินค้าปฏิเสธ
@@ -2381,6 +2412,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,โปรดตั้งค่ารหัสรายการก่อน
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ประเภท Doc
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},สร้างหลักประกันความปลอดภัยสินเชื่อ: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,การนัดหมายและการพบปะของผู้ป่วย
@@ -2436,6 +2468,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,จำนวนการนัดหมายพร้อมกัน
 apps/erpnext/erpnext/config/desktop.py,Getting Started,เริ่มต้นใช้งาน
 DocType: Purchase Invoice,Taxes and Charges Calculation,ภาษีและการคำนวณค่าใช้จ่าย
+DocType: Loan Interest Accrual,Payable Principal Amount,จำนวนเงินต้นเจ้าหนี้
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,บัญชีค่าเสื่อมราคาสินทรัพย์โดยอัตโนมัติ
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,บัญชีค่าเสื่อมราคาสินทรัพย์โดยอัตโนมัติ
 DocType: BOM Operation,Workstation,เวิร์คสเตชั่
@@ -2473,7 +2506,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,อาหาร
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ช่วงสูงอายุ 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,รายละเอียดบัตรกำนัลการปิดบัญชี POS
-DocType: Bank Account,Is the Default Account,เป็นบัญชีเริ่มต้น
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,ไม่พบการสื่อสาร
 DocType: Inpatient Occupancy,Check In,เช็คอิน
@@ -2531,12 +2563,14 @@
 DocType: Sales Order Item,Planned Quantity,จำนวนวางแผน
 DocType: Water Analysis,Water Analysis Criteria,เกณฑ์การวิเคราะห์น้ำ
 DocType: Item,Maintain Stock,รักษาสต็อก
+DocType: Loan Security Unpledge,Unpledge Time,ปลดเวลา
 DocType: Terms and Conditions,Applicable Modules,โมดูลที่ใช้งานได้
 DocType: Employee,Prefered Email,ที่ต้องการอีเมล์
 DocType: Student Admission,Eligibility and Details,คุณสมบัติและรายละเอียด
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,รวมอยู่ในกำไรขั้นต้น
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,เปลี่ยนสุทธิในสินทรัพย์ถาวร
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,จำนวน Reqd
+DocType: Work Order,This is a location where final product stored.,นี่คือตำแหน่งที่เก็บผลิตภัณฑ์ขั้นสุดท้าย
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ค่าใช้จ่าย ประเภท ' จริง ' ในแถว {0} ไม่สามารถ รวมอยู่ใน อัตรา รายการ
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},สูงสุด: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,จาก Datetime
@@ -2577,8 +2611,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,สถานะการรับประกัน / AMC
 ,Accounts Browser,ตัวเรียกดูบัญชี
 DocType: Procedure Prescription,Referral,การอ้างอิง
+,Territory-wise Sales,การขายที่ชาญฉลาด
 DocType: Payment Entry Reference,Payment Entry Reference,อ้างอิงรายการชำระเงิน
 DocType: GL Entry,GL Entry,รายการ GL
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,แถว # {0}: คลังสินค้าที่ได้รับการยอมรับและคลังสินค้าผู้จัดหาต้องไม่เหมือนกัน
 DocType: Support Search Source,Response Options,ตัวเลือกการตอบกลับ
 DocType: Pricing Rule,Apply Multiple Pricing Rules,ใช้กฎการกำหนดราคาหลายรายการ
 DocType: HR Settings,Employee Settings,การตั้งค่า การทำงานของพนักงาน
@@ -2639,6 +2675,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,ระยะชำระเงินที่แถว {0} อาจเป็นรายการที่ซ้ำกัน
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),เกษตรกรรม (เบต้า)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,สลิป
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า&gt; การตั้งค่า&gt; Naming Series
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,สำนักงาน ให้เช่า
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,การตั้งค่าการติดตั้งเกตเวย์ SMS
 DocType: Disease,Common Name,ชื่อสามัญ
@@ -2655,6 +2692,7 @@
 DocType: Item,Sales Details,รายละเอียดการขาย
 DocType: Coupon Code,Used,มือสอง
 DocType: Opportunity,With Items,กับรายการ
+DocType: Vehicle Log,last Odometer Value ,ค่ามาตรวัดระยะทางล่าสุด
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',แคมเปญ &#39;{0}&#39; มีอยู่แล้วสำหรับ {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,ทีมซ่อมบำรุง
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",ลำดับที่ควรปรากฏในส่วน 0 เป็นครั้งแรก 1 เป็นวินาทีและต่อไป
@@ -2665,7 +2703,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ค่าใช้จ่ายในการเรียกร้อง {0} อยู่แล้วสำหรับการเข้าสู่ระบบยานพาหนะ
 DocType: Asset Movement Item,Source Location,แหล่งที่มา
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ชื่อสถาบัน
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,กรุณากรอกจำนวนเงินการชำระหนี้
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,กรุณากรอกจำนวนเงินการชำระหนี้
 DocType: Shift Type,Working Hours Threshold for Absent,เกณฑ์ชั่วโมงการทำงานสำหรับการขาดงาน
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,อาจมีหลายปัจจัยการจัดเก็บแยกตามสัดส่วนการใช้จ่ายทั้งหมด แต่ปัจจัยการแปลงสำหรับการไถ่ถอนจะเหมือนกันสำหรับทุกระดับ
 apps/erpnext/erpnext/config/help.py,Item Variants,รายการที่แตกต่าง
@@ -2689,6 +2727,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},นี้ {0} ขัดแย้งกับ {1} สำหรับ {2} {3}
 DocType: Student Attendance Tool,Students HTML,นักเรียน HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} ต้องน้อยกว่า {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,โปรดเลือกประเภทผู้สมัครก่อน
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse",เลือก BOM จำนวนและสำหรับคลังสินค้า
 DocType: GST HSN Code,GST HSN Code,รหัส HSST ของ GST
 DocType: Employee External Work History,Total Experience,ประสบการณ์รวม
@@ -2779,7 +2818,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",ไม่มีรายการที่ใช้งานอยู่สำหรับรายการ {0} ไม่สามารถมั่นใจได้ว่าจะมีการส่งมอบโดย \ Serial No
 DocType: Sales Partner,Sales Partner Target,เป้าหมายยอดขายพันธมิตร
-DocType: Loan Type,Maximum Loan Amount,จำนวนเงินกู้สูงสุด
+DocType: Loan Application,Maximum Loan Amount,จำนวนเงินกู้สูงสุด
 DocType: Coupon Code,Pricing Rule,กฎ การกำหนดราคา
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},หมายเลขม้วนซ้ำสำหรับนักเรียน {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},หมายเลขม้วนซ้ำสำหรับนักเรียน {0}
@@ -2803,6 +2842,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},ใบ จัดสรร ประสบความสำเร็จ ในการ {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,ไม่มี รายการ ที่จะแพ็ค
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,รองรับเฉพาะไฟล์. csv และ. xlsx
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์&gt; การตั้งค่าทรัพยากรบุคคล
 DocType: Shipping Rule Condition,From Value,จากมูลค่า
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,จำนวนการผลิต นี้มีความจำเป็น
 DocType: Loan,Repayment Method,วิธีการชำระหนี้
@@ -2886,6 +2926,7 @@
 DocType: Customer,Customer POS Id,รหัสลูกค้าของลูกค้า
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,นักเรียนที่มีอีเมล {0} ไม่มีอยู่
 DocType: Account,Account Name,ชื่อบัญชี
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},จำนวนเงินกู้ที่ถูกลงโทษมีอยู่แล้วสำหรับ {0} กับ บริษัท {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,จากวันที่ไม่สามารถจะมากกว่านัด
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,อนุกรม ไม่มี {0} ปริมาณ {1} ไม่สามารถเป็น ส่วนหนึ่ง
 DocType: Pricing Rule,Apply Discount on Rate,ใช้ส่วนลดราคา
@@ -2957,6 +2998,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,กำไรสุทธิ
 DocType: Purchase Invoice,Eligibility For ITC,คุณสมบัติสำหรับ ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 DocType: Journal Entry,Entry Type,ประเภทรายการ
 ,Customer Credit Balance,เครดิตบาลานซ์ลูกค้า
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,เปลี่ยนสุทธิในบัญชีเจ้าหนี้
@@ -2968,6 +3010,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID อุปกรณ์การเข้าร่วม (ID แท็ก Biometric / RF)
 DocType: Quotation,Term Details,รายละเอียดคำ
 DocType: Item,Over Delivery/Receipt Allowance (%),ค่าจัดส่ง / ใบเสร็จรับเงินเกิน (%)
+DocType: Appointment Letter,Appointment Letter Template,เทมเพลตจดหมายแต่งตั้ง
 DocType: Employee Incentive,Employee Incentive,แรงจูงใจของพนักงาน
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,ไม่สามารถลงทะเบียนมากกว่า {0} นักเรียนสำหรับนักเรียนกลุ่มนี้
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),รวม (ไม่มีภาษี)
@@ -2992,6 +3035,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",ไม่สามารถรับรองการส่งมอบโดย Serial No เป็น \ Item {0} ถูกเพิ่มด้วยและโดยไม่ต้องแน่ใจว่ามีการจัดส่งโดย \ Serial No.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ยกเลิกการเชื่อมโยงการชำระเงินในการยกเลิกใบแจ้งหนี้
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,ประมวลผลดอกเบี้ยค้างรับสินเชื่อ
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},อ่านวัดระยะทางที่ปัจจุบันเข้ามาควรจะมากกว่าครั้งแรกยานพาหนะ Odometer {0}
 ,Purchase Order Items To Be Received or Billed,สั่งซื้อรายการที่จะได้รับหรือเรียกเก็บเงิน
 DocType: Restaurant Reservation,No Show,ไม่แสดง
@@ -3078,6 +3122,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'ศูนย์ต้นทุน' เป็นสิ่งจำเป็นสำหรับบัญชี 'กำไรขาดทุน ' {2} โปรดตั้งค่าเริ่มต้นสำหรับศูนย์ต้นทุนของบริษัท
 DocType: Payment Schedule,Payment Term,เงื่อนไขการชำระเงิน
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,กลุ่ม ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน โปรด เปลี่ยนชื่อ ลูกค้าหรือเปลี่ยนชื่อ กลุ่ม ลูกค้า
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,วันที่สิ้นสุดการรับสมัครควรมากกว่าวันที่เริ่มต้นการรับสมัคร
 DocType: Location,Area,พื้นที่
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,ติดต่อใหม่
 DocType: Company,Company Description,รายละเอียด บริษัท
@@ -3153,6 +3198,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,ข้อมูลที่แมป
 DocType: Purchase Order Item,Warehouse and Reference,คลังสินค้าและการอ้างอิง
 DocType: Payroll Period Date,Payroll Period Date,วันที่จ่ายเงินเดือน
+DocType: Loan Disbursement,Against Loan,ต่อสินเชื่อ
 DocType: Supplier,Statutory info and other general information about your Supplier,ข้อมูลตามกฎหมายและข้อมูลทั่วไปอื่น ๆ เกี่ยวกับผู้จำหน่ายของคุณ
 DocType: Item,Serial Nos and Batches,หมายเลขและชุดเลขที่ผลิตภัณฑ์
 DocType: Item,Serial Nos and Batches,หมายเลขและชุดเลขที่ผลิตภัณฑ์
@@ -3221,6 +3267,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,เลือก บริษัท
 DocType: Delivery Settings,Delivery Settings,การตั้งค่าการจัดส่ง
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ดึงข้อมูล
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},ไม่สามารถถอนการจำนำมากกว่า {0} จำนวนจาก {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},อนุญาตให้ใช้งานได้สูงสุดในประเภทการลา {0} คือ {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,เผยแพร่ 1 รายการ
 DocType: SMS Center,Create Receiver List,สร้างรายการรับ
@@ -3370,6 +3417,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),จํานวนพื้นฐาน ( สกุลเงินบริษัท)
 DocType: Purchase Invoice,Registered Regular,ลงทะเบียนปกติ
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,วัตถุดิบ
+DocType: Plaid Settings,sandbox,Sandbox
 DocType: Payment Reconciliation Payment,Reference Row,แถวอ้างอิง
 DocType: Installation Note,Installation Time,เวลาติดตั้ง
 DocType: Sales Invoice,Accounting Details,รายละเอียดบัญชี
@@ -3382,12 +3430,11 @@
 DocType: Leave Ledger Entry,Transaction Type,ประเภทธุรกรรม
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,เกณฑ์การยอมรับ กําหนดเกณฑ์ การยอมรับ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,กรุณากรอกคำขอวัสดุในตารางข้างต้น
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,รวมจำนวนเงินที่จ่าย
 DocType: Task,Expected Time (in hours),เวลาที่คาดว่าจะ (ชั่วโมง)
 DocType: Item Reorder,Check in (group),เช็คอิน (กลุ่ม)
 DocType: Soil Texture,Silt,ตะกอน
@@ -3419,6 +3466,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,หักภาษีสำหรับหลักฐานการยกเว้นภาษีที่ยังไม่ได้ส่ง
 DocType: Volunteer,Anytime,ทุกที่ทุกเวลา
 DocType: Bank Account,Bank Account No,หมายเลขบัญชีธนาคาร
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,การเบิกจ่ายและการชำระคืน
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,การส่งหลักฐานการได้รับการยกเว้นภาษีพนักงาน
 DocType: Patient,Surgical History,ประวัติการผ่าตัด
 DocType: Bank Statement Settings Item,Mapped Header,หัวกระดาษที่แมป
@@ -3483,6 +3531,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,สร้าง Lab Test (s) ในใบแจ้งหนี้การขาย
 DocType: Serial No,Invoice Details,รายละเอียดใบแจ้งหนี้
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,จะต้องส่งโครงสร้างเงินเดือนก่อนยื่นประกาศการยกเว้นภาษี
+DocType: Loan Application,Proposed Pledges,คำมั่นสัญญาที่เสนอ
 DocType: Grant Application,Show on Website,แสดงบนเว็บไซต์
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,เริ่มต้นเมื่อ
 DocType: Hub Tracked Item,Hub Category,หมวดหมู่ฮับ
@@ -3494,7 +3543,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,จัดทำ Scorecard ของผู้จัดหา
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},แถว {0}: Bill of Materials ไม่พบรายการ {1}
 DocType: Contract Fulfilment Checklist,Requirement,ความต้องการ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์&gt; การตั้งค่าทรัพยากรบุคคล
 DocType: Journal Entry,Accounts Receivable,ลูกหนี้
 DocType: Quality Goal,Objectives,วัตถุประสงค์
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,บทบาทที่ได้รับอนุญาตในการสร้างแอปพลิเคชันออกจากที่ล้าสมัย
@@ -3507,6 +3555,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,รวมถึง คอมเมนต์ Reconciled
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,จำนวนเงินที่จัดสรรทั้งหมด ({0}) เป็น greated กว่าจำนวนเงินที่จ่าย ({1})
 DocType: Landed Cost Voucher,Distribute Charges Based On,กระจายค่าใช้จ่ายขึ้นอยู่กับ
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},จำนวนเงินที่ชำระต้องไม่น้อยกว่า {0}
 DocType: Projects Settings,Timesheets,Timesheets
 DocType: HR Settings,HR Settings,ตั้งค่าทรัพยากรบุคคล
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,ปริญญาโทการบัญชี
@@ -3652,6 +3701,7 @@
 DocType: Employee,Health Insurance,ประกันสุขภาพ
 DocType: Asset Repair,Manufacturing Manager,ผู้จัดการฝ่ายผลิต
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},อนุกรม ไม่มี {0} อยู่ภายใต้การ รับประกัน ไม่เกิน {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,จำนวนเงินกู้เกินจำนวนเงินกู้สูงสุด {0} ตามหลักทรัพย์ที่เสนอ
 DocType: Plant Analysis Criteria,Minimum Permissible Value,ค่าที่อนุญาตต่ำสุด
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,ผู้ใช้ {0} มีอยู่แล้ว
 apps/erpnext/erpnext/hooks.py,Shipments,การจัดส่ง
@@ -3696,7 +3746,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,ประเภทของธุรกิจ
 DocType: Sales Invoice,Consumer,ผู้บริโภค
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",กรุณาเลือกจำนวนเงินที่จัดสรรประเภทใบแจ้งหนี้และจำนวนใบแจ้งหนี้ในอย่างน้อยหนึ่งแถว
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า&gt; การตั้งค่า&gt; Naming Series
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,ต้นทุนในการซื้อใหม่
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},การสั่งซื้อสินค้า ที่จำเป็นสำหรับการ ขาย สินค้า {0}
 DocType: Grant Application,Grant Description,คำอธิบาย Grant
@@ -3705,6 +3754,7 @@
 DocType: Subscription,Discounts,ส่วนลด
 DocType: Bank Transaction,Unallocated Amount,จํานวนเงินที่ไม่ได้ปันส่วน
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,โปรดเปิดใช้งานตามใบสั่งซื้อและสามารถใช้กับการชำระค่าใช้จ่ายจริง
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} ไม่ใช่บัญชีธนาคารของ บริษัท
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,ไม่พบรายการที่ตรงกัน กรุณาเลือกบางค่าอื่น ๆ สำหรับ {0}
 DocType: POS Profile,Taxes and Charges,ภาษีและค่าบริการ
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",สินค้าหรือบริการที่มีการซื้อขายหรือเก็บไว้ในสต็อก
@@ -3755,6 +3805,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,ใช้ได้ตั้งแต่วันที่ต้องน้อยกว่าวันที่ไม่ถูกต้อง
 DocType: Employee Skill,Evaluation Date,วันประเมินผล
 DocType: Quotation Item,Stock Balance,ยอดคงเหลือสต็อก
+DocType: Loan Security Pledge,Total Security Value,มูลค่าความปลอดภัยทั้งหมด
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ใบสั่งขายถึงการชำระเงิน
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,ผู้บริหารสูงสุด
 DocType: Purchase Invoice,With Payment of Tax,การชำระภาษี
@@ -3767,6 +3818,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,กรุณาเลือกบัญชีที่ถูกต้อง
 DocType: Salary Structure Assignment,Salary Structure Assignment,การกำหนดโครงสร้างเงินเดือน
 DocType: Purchase Invoice Item,Weight UOM,UOM น้ำหนัก
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},บัญชี {0} ไม่มีอยู่ในแผนภูมิแดชบอร์ด {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,แสดงแอ็ตทริบิวต์ Variant
@@ -3848,6 +3900,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,อัตราการประเมินมูลค่าปัจจุบัน
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,จำนวนบัญชี root ต้องไม่น้อยกว่า 4
 DocType: Training Event,Advance,ความก้าวหน้า
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,ต่อสินเชื่อ
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,การตั้งค่าเกตเวย์การชำระเงิน GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,กำไรจากอัตราแลกเปลี่ยน / ขาดทุน
 DocType: Opportunity,Lost Reason,เหตุผลที่สูญหาย
@@ -3932,8 +3985,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,เลือกแบทช์
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},ไม่ถูกต้อง {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,แถว {0}: วันเกิดพี่น้องไม่สามารถมากกว่าวันนี้ได้
 DocType: Fee Validity,Reference Inv,Inv อ้างอิง
 DocType: Sales Invoice Advance,Advance Amount,จำนวนล่วงหน้า
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,อัตราดอกเบี้ยค่าปรับ (%) ต่อวัน
 DocType: Manufacturing Settings,Capacity Planning,การวางแผนกำลังการผลิต
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,การปรับการปัดเศษ (สกุลเงินของ บริษัท
 DocType: Asset,Policy number,หมายเลขนโยบาย
@@ -3949,7 +4004,9 @@
 DocType: Normal Test Items,Require Result Value,ต้องมีค่าผลลัพธ์
 DocType: Purchase Invoice,Pricing Rules,กฎการกำหนดราคา
 DocType: Item,Show a slideshow at the top of the page,สไลด์โชว์ที่ด้านบนของหน้า
+DocType: Appointment Letter,Body,ร่างกาย
 DocType: Tax Withholding Rate,Tax Withholding Rate,อัตราการหักภาษี ณ ที่จ่าย
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,วันที่เริ่มต้นชำระคืนมีผลบังคับใช้กับสินเชื่อระยะยาว
 DocType: Pricing Rule,Max Amt,จำนวนสูงสุด
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,ร้านค้า
@@ -3969,7 +4026,7 @@
 DocType: Call Log,Received By,ที่ได้รับจาก
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),ระยะเวลานัดหมาย (เป็นนาที)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,รายละเอียดแม่แบบการร่างกระแสเงินสด
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,การจัดการสินเชื่อ
+DocType: Loan,Loan Management,การจัดการสินเชื่อ
 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,Update Cost,ปรับปรุง ค่าใช้จ่าย
@@ -3977,6 +4034,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B แบบฟอร์ม
 DocType: Sales Invoice,Mode of Transport,โหมดการขนส่ง
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,สลิปเงินเดือนที่ต้องการแสดง
+DocType: Loan,Is Term Loan,เป็นเงินกู้ระยะยาว
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,โอน วัสดุ
 DocType: Fees,Send Payment Request,ส่งคำขอการชำระเงิน
 DocType: Travel Request,Any other details,รายละเอียดอื่น ๆ
@@ -3994,6 +4052,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,กระแสเงินสดจากการจัดหาเงินทุน
 DocType: Budget Account,Budget Account,งบประมาณของบัญชี
 DocType: Quality Inspection,Verified By,ตรวจสอบโดย
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,เพิ่มความปลอดภัยสินเชื่อ
 DocType: Travel Request,Name of Organizer,ชื่อผู้จัดงาน
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,เป็นหนี้สินภาษีเงินได้
@@ -4044,6 +4103,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ต้องใช้ใน
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",หากทำเครื่องหมายให้ซ่อนและปิดใช้งานฟิลด์ผลรวมที่ปัดเศษในสลิปเงินเดือน
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,นี่คือการชดเชยเริ่มต้น (วัน) สำหรับวันที่ส่งมอบในใบสั่งขาย การชดเชยทางเลือกคือ 7 วันจากวันที่สั่งซื้อ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า&gt; ลำดับเลข
 DocType: Rename Tool,File to Rename,การเปลี่ยนชื่อไฟล์
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},กรุณาเลือก BOM สำหรับสินค้าในแถว {0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,เรียกข้อมูลอัปเดตการสมัครสมาชิก
@@ -4056,6 +4116,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,สร้างเลขที่ประจำผลิตภัณฑ์
 DocType: POS Profile,Applicable for Users,ใช้ได้สำหรับผู้ใช้
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,จากวันที่และวันที่เป็นข้อบังคับ
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,ตั้งค่าโปรเจ็กต์และภารกิจทั้งหมดเป็นสถานะ {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),ตั้งค่าความก้าวหน้าและจัดสรร (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,ไม่มีการสร้างใบสั่งงาน
@@ -4065,6 +4126,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,รายการโดย
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ค่าใช้จ่ายของรายการที่ซื้อ
 DocType: Employee Separation,Employee Separation Template,เทมเพลตการแบ่งแยกลูกจ้าง
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},จำนวนศูนย์ของ {0} จำนำกับเงินกู้ยืม {0}
 DocType: Selling Settings,Sales Order Required,สั่งซื้อยอดขายที่ต้องการ
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,มาเป็นผู้ขาย
 ,Procurement Tracker,ติดตามการจัดซื้อ
@@ -4163,11 +4225,12 @@
 ,Minutes to First Response for Opportunity,นาทีเพื่อตอบสนองแรกโอกาส
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,ขาดทั้งหมด
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,สินค้าหรือ โกดัง แถว {0} ไม่ตรงกับที่ ขอ วัสดุ
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,จำนวนเจ้าหนี้
+DocType: Loan Repayment,Payable Amount,จำนวนเจ้าหนี้
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,โอกาส
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,ความแข็งแรงสูงสุดต้องไม่น้อยกว่าศูนย์
 DocType: Options,Option,ตัวเลือก
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},คุณไม่สามารถสร้างรายการบัญชีในรอบบัญชีที่ปิด {0}
 DocType: Operation,Default Workstation,เวิร์คสเตชั่เริ่มต้น
@@ -4209,6 +4272,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,จำนวนดอกเบี้ยเป็นสิ่งจำเป็น
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ทิ้งไว้โดยไม่ต้องจ่ายไม่ตรงกับที่ได้รับอนุมัติบันทึกออกจากแอพลิเคชัน
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ขั้นตอนถัดไป
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,รายการที่บันทึกไว้
@@ -4280,8 +4344,6 @@
 DocType: Grant Application,Grant Application Details ,ให้รายละเอียดการสมัคร
 DocType: Employee Separation,Employee Separation,แยกพนักงาน
 DocType: BOM Item,Original Item,รายการต้นฉบับ
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","โปรดลบพนักงาน <a href=""#Form/Employee/{0}"">{0}</a> \ เพื่อยกเลิกเอกสารนี้"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ค่าธรรมเนียมระเบียนที่สร้าง - {0}
 DocType: Asset Category Account,Asset Category Account,บัญชีสินทรัพย์ประเภท
@@ -4317,6 +4379,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,มีรายการทดสอบในห้องทดลอง {0} อยู่แล้ว
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} เป็นวันหยุดของ บริษัท
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ชั่วโมงที่เรียกเก็บเงินได้
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,อัตราดอกเบี้ยจะถูกเรียกเก็บจากจำนวนดอกเบี้ยที่ค้างอยู่ทุกวันในกรณีที่มีการชำระคืนล่าช้า
+DocType: Appointment Letter content,Appointment Letter content,เนื้อหาจดหมายแต่งตั้ง
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ออกประกาศสถานะ
 DocType: Patient Appointment,Procedure Prescription,ขั้นตอนการกําหนด
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,เฟอร์นิเจอร์และติดตั้ง
@@ -4336,7 +4400,7 @@
 DocType: Opportunity,Customer / Lead Name,ลูกค้า / ชื่อ
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,โปรโมชั่น วันที่ ไม่ได้กล่าวถึง
 DocType: Payroll Period,Taxable Salary Slabs,แผ่นเงินเดือนที่ต้องเสียภาษี
-DocType: Job Card,Production,การผลิต
+DocType: Plaid Settings,Production,การผลิต
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN ไม่ถูกต้อง! ข้อมูลที่คุณป้อนไม่ตรงกับรูปแบบของ GSTIN
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,มูลค่าบัญชี
 DocType: Guardian,Occupation,อาชีพ
@@ -4482,6 +4546,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,การสะสมโปรแกรมความภักดี
 DocType: Stock Entry Detail,Subcontracted Item,รายการที่รับเหมาช่วง
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},นักเรียน {0} ไม่ได้อยู่ในกลุ่ม {1}
+DocType: Appointment Letter,Appointment Date,วันที่นัดหมาย
 DocType: Budget,Cost Center,ศูนย์ต้นทุน
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,บัตรกำนัล #
 DocType: Tax Rule,Shipping Country,การจัดส่งสินค้าประเทศ
@@ -4552,6 +4617,7 @@
 DocType: Accounting Dimension,Accounting Dimension,มิติทางการบัญชี
 ,Profit and Loss Statement,งบกำไรขาดทุน
 DocType: Bank Reconciliation Detail,Cheque Number,จำนวนเช็ค
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,จำนวนเงินที่ชำระต้องไม่เป็นศูนย์
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,รายการที่อ้างถึงโดย {0} - {1} มีการออกใบแจ้งหนี้อยู่แล้ว
 ,Sales Browser,ขาย เบราว์เซอร์
 DocType: Journal Entry,Total Credit,เครดิตรวม
@@ -4668,6 +4734,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,เพิ่ม / แก้ไขเงื่อนไขคูปอง
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ค่าใช้จ่ายบัญชี / แตกต่าง ({0}) จะต้องเป็นบัญชี 'กำไรหรือขาดทุน'
 DocType: Stock Entry Detail,Stock Entry Child,เด็กเข้าหุ้น
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,บริษัท จำนำประกันเงินกู้และ บริษัท เงินกู้ต้องเหมือนกัน
 DocType: Project,Copied From,คัดลอกจาก
 DocType: Project,Copied From,คัดลอกจาก
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,สร้างใบแจ้งหนี้สำหรับชั่วโมงการเรียกเก็บเงินแล้ว
@@ -4676,6 +4743,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,ค่าใช้จ่ายทางการเงิน
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,เข้าร่วม สำหรับพนักงาน {0} จะถูกทำเครื่องหมาย แล้ว
 DocType: Packing Slip,If more than one package of the same type (for print),หากมีมากกว่าหนึ่งแพคเกจประเภทเดียวกัน (พิมพ์)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา&gt; การตั้งค่าการศึกษา
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,โปรดตั้งค่าลูกค้าเริ่มต้นในการตั้งค่าร้านอาหาร
 ,Salary Register,เงินเดือนที่ต้องการสมัครสมาชิก
 DocType: Company,Default warehouse for Sales Return,คลังสินค้าเริ่มต้นสำหรับการคืนสินค้า
@@ -4720,7 +4788,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,หมายเลขซีเรียลปัจจุบัน
 DocType: Employee,Attendance and Leave Details,รายละเอียดการเข้าร่วมและออกจาก
 ,BOM Comparison Tool,เครื่องมือเปรียบเทียบ BOM
-,Requested,ร้องขอ
+DocType: Loan Security Pledge,Requested,ร้องขอ
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,หมายเหตุไม่มี
 DocType: Asset,In Maintenance,ในการบำรุงรักษา
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,คลิกที่ปุ่มนี้เพื่อดึงข้อมูลใบสั่งขายจาก Amazon MWS
@@ -4732,7 +4800,6 @@
 DocType: Drug Prescription,Drug Prescription,การกําหนดยา
 DocType: Service Level,Support and Resolution,การสนับสนุนและความละเอียด
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,ไม่ได้เลือกรหัสรายการฟรี
-DocType: Loan,Repaid/Closed,ชำระคืน / ปิด
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,รวมประมาณการจำนวน
 DocType: Monthly Distribution,Distribution Name,ชื่อการแจกจ่าย
@@ -4766,6 +4833,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,เข้าบัญชีสำหรับสต็อก
 DocType: Lab Test,LabTest Approver,ผู้ประเมิน LabTest
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,คุณได้รับการประเมินเกณฑ์การประเมินแล้ว {}
+DocType: Loan Security Shortfall,Shortfall Amount,จำนวนเงินที่ขาด
 DocType: Vehicle Service,Engine Oil,น้ำมันเครื่อง
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},สร้างคำสั่งงาน: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},โปรดตั้งรหัสอีเมลสำหรับลูกค้าเป้าหมาย {0}
@@ -4784,6 +4852,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},บัญชีไม่ถูกตั้งค่าสำหรับแผนภูมิแดชบอร์ด {0}
 DocType: Purchase Invoice,Apply Additional Discount On,สมัครสมาชิกเพิ่มเติมส่วนลด
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,เลือกประเภท ...
+DocType: Loan Interest Accrual,Amounts,จํานวนเงิน
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,ตั๋วของคุณ
 DocType: Account,Root Type,ประเภท ราก
 DocType: Item,FIFO,FIFO
@@ -4791,6 +4860,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},แถว # {0}: ไม่สามารถกลับมามากกว่า {1} สำหรับรายการ {2}
 DocType: Item Group,Show this slideshow at the top of the page,แสดงภาพสไลด์นี้ที่ด้านบนของหน้า
 DocType: BOM,Item UOM,UOM รายการ
+DocType: Loan Security Price,Loan Security Price,ราคาหลักประกัน
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),จํานวนเงินภาษีหลังจากที่จำนวนส่วนลด (บริษัท สกุลเงิน)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},คลังสินค้า เป้าหมาย จำเป็นสำหรับ แถว {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,การดำเนินงานค้าปลีก
@@ -4931,6 +5001,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},แบทช์มีผลบังคับในแถว {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},แบทช์มีผลบังคับในแถว {0}
 DocType: Company,Default Buying Terms,เงื่อนไขการซื้อเริ่มต้น
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,การเบิกจ่ายสินเชื่อ
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,รายการรับซื้อจำหน่าย
 DocType: Amazon MWS Settings,Enable Scheduled Synch,เปิดใช้งานซิงโครไนซ์ตามกำหนดการ
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,เพื่อ Datetime
@@ -4959,6 +5030,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ป้อนค่า betweeen {0} และ {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,ป้อนชื่อของแคมเปญหากแหล่งที่มาของการรณรงค์สอบถามรายละเอียดเพิ่มเติม
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,หนังสือพิมพ์ สำนักพิมพ์
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},ไม่พบ <b>ราคาความปลอดภัยของสินเชื่อที่</b> ถูกต้องสำหรับ {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,วันที่ในอนาคตไม่ได้รับอนุญาต
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,วันที่จัดส่งที่คาดว่าจะเป็นหลังจากวันที่ใบสั่งขาย
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,สั่งซื้อใหม่ระดับ
@@ -5025,6 +5097,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,ข้อเสนอราคา / ราคา
 DocType: Antibiotic,Healthcare,ดูแลสุขภาพ
 DocType: Target Detail,Target Detail,รายละเอียดเป้าหมาย
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,กระบวนการสินเชื่อ
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Single Variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,งานทั้งหมด
 DocType: Sales Order,% of materials billed against this Sales Order,% ของวัสดุที่เรียกเก็บเงินเทียบกับคำสั่งขายนี้
@@ -5088,7 +5161,7 @@
 DocType: Item,Reorder level based on Warehouse,ระดับสั่งซื้อใหม่บนพื้นฐานของคลังสินค้า
 DocType: Activity Cost,Billing Rate,อัตราการเรียกเก็บเงิน
 ,Qty to Deliver,จำนวนที่จะส่งมอบ
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,สร้างรายการการชำระเงิน
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,สร้างรายการการชำระเงิน
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,Amazon จะซิงค์ข้อมูลหลังจากวันที่นี้
 ,Stock Analytics,สต็อก Analytics
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,การดำเนินงานไม่สามารถเว้นว่าง
@@ -5122,6 +5195,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,ยกเลิกการรวมการเชื่อมโยงภายนอก
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,เลือกการชำระเงินที่สอดคล้องกัน
 DocType: Pricing Rule,Item Code,รหัสสินค้า
+DocType: Loan Disbursement,Pending Amount For Disbursal,จำนวนที่รออนุมัติสำหรับการจ่ายเงิน
 DocType: Student,EDU-STU-.YYYY.-,EDU ที่ STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,รายละเอียดการรับประกัน / AMC
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,เลือกนักเรียนด้วยตนเองสำหรับกลุ่มกิจกรรม
@@ -5147,6 +5221,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,จำนวนรวม
 DocType: Landed Cost Item,Receipt Document,เอกสารใบเสร็จรับเงิน
 DocType: Employee Education,School/University,โรงเรียน / มหาวิทยาลัย
+DocType: Loan Security Pledge,Loan  Details,รายละเอียดสินเชื่อ
 DocType: Sales Invoice Item,Available Qty at Warehouse,จำนวนที่คลังสินค้า
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,จำนวนเงินที่ เรียกเก็บเงิน
 DocType: Share Transfer,(including),(รวม)
@@ -5170,6 +5245,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,กลุ่ม
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,จัดกลุ่มตามบัญชี
 DocType: Purchase Invoice,Hold Invoice,ระงับใบแจ้งหนี้
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,สถานะการจำนำ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,โปรดเลือกพนักงาน
 DocType: Sales Order,Fully Delivered,จัดส่งอย่างเต็มที่
 DocType: Promotional Scheme Price Discount,Min Amount,จำนวนเงินขั้นต่ำ
@@ -5179,7 +5255,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},การเบิกจ่ายจำนวนเงินที่ไม่สามารถจะสูงกว่าจำนวนเงินกู้ {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},แถว {0} # จำนวนที่จัดสรรไว้ {1} จะต้องไม่เกินจำนวนที่ไม่มีการอ้างสิทธิ์ {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},จำนวน การสั่งซื้อ สินค้า ที่จำเป็นสำหรับ {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry ใบ Forwarded
@@ -5207,6 +5282,7 @@
 DocType: Pick List Item,Serial No and Batch,ไม่มี Serial และแบทช์
 DocType: Warranty Claim,From Company,จาก บริษัท
 DocType: GSTR 3B Report,January,มกราคม
+DocType: Loan Repayment,Principal Amount Paid,จำนวนเงินที่จ่าย
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ผลรวมของคะแนนของเกณฑ์การประเมินจะต้อง {0}
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,กรุณาตั้งค่าจำนวนค่าเสื่อมราคาจอง
 DocType: Supplier Scorecard Period,Calculations,การคำนวณ
@@ -5233,6 +5309,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,เกี่ยวกับ บริษัท ของคุณ
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,แสดงข้อมูลอายุของสต็อค
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,เครดิตไปยังบัญชีจะต้องเป็นบัญชีงบดุล
+DocType: Loan Repayment,Penalty Amount,จำนวนโทษ
 DocType: Donor,Donor,ผู้บริจาค
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,อัปเดตภาษีสำหรับรายการ
 DocType: Global Defaults,Disable In Words,ปิดการใช้งานในคำพูด
@@ -5263,6 +5340,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ศูนย์ต้นทุนและงบประมาณ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,เปิดทุนคงเหลือ
 DocType: Appointment,CRM,การจัดการลูกค้าสัมพันธ์
+DocType: Loan Repayment,Partial Paid Entry,รายการจ่ายบางส่วน
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,กรุณากำหนดตารางการชำระเงิน
 DocType: Pick List,Items under this warehouse will be suggested,แนะนำสินค้าภายใต้คลังสินค้านี้
 DocType: Purchase Invoice,N,ยังไม่มีข้อความ
@@ -5296,7 +5374,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},ไม่พบ {0} สำหรับรายการ {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ค่าต้องอยู่ระหว่าง {0} ถึง {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,แสดงภาษีแบบรวมในการพิมพ์
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",บัญชีธนาคารตั้งแต่วันที่และถึงวันที่บังคับ
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,ข้อความส่งแล้ว
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,บัญชีที่มีโหนดลูกไม่สามารถกำหนดให้เป็นบัญชีแยกประเภท
 DocType: C-Form,II,ครั้งที่สอง
@@ -5310,6 +5387,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,เปิดใช้งานการสั่งซื้ออัตโนมัติอีกครั้ง
 DocType: Stock Settings,Item Naming By,รายการการตั้งชื่อตาม
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},อีก รายการ ระยะเวลา ปิด {0} ได้รับการทำ หลังจาก {1}
+DocType: Proposed Pledge,Proposed Pledge,จำนำเสนอ
 DocType: Work Order,Material Transferred for Manufacturing,โอนวัสดุเพื่อไปผลิต
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,บัญชี {0} ไม่อยู่
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,เลือกโปรแกรมความภักดี
@@ -5320,7 +5398,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",การตั้งค่ากิจกรรมเพื่อ {0} เนื่องจากพนักงานที่แนบมาด้านล่างนี้พนักงานขายไม่ได้ User ID {1}
 DocType: Timesheet,Billing Details,รายละเอียดการเรียกเก็บเงิน
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,แหล่งที่มาและคลังสินค้าเป้าหมายต้องแตกต่าง
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์&gt; การตั้งค่าทรัพยากรบุคคล
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,การชำระเงินล้มเหลว โปรดตรวจสอบบัญชี GoCardless ของคุณเพื่อดูรายละเอียดเพิ่มเติม
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ไม่ได้รับอนุญาตในการปรับปรุงการทำธุรกรรมหุ้นเก่ากว่า {0}
 DocType: Stock Entry,Inspection Required,การตรวจสอบที่จำเป็น
@@ -5333,6 +5410,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,โครงการ
+DocType: Unpledge,Against Pledge,ต่อต้านจำนำ
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ผู้ใช้ที่มี บทบาทนี้ ได้รับอนุญาตให้ตั้ง บัญชีแช่แข็งและ สร้าง / แก้ไข รายการบัญชี ในบัญชีแช่แข็ง
 DocType: Plaid Settings,Plaid Environment,สภาพแวดล้อมลายสก๊อต
 ,Project Billing Summary,สรุปการเรียกเก็บเงินโครงการ
@@ -5385,6 +5463,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ชุด
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,จำนวนวันนัดหมายสามารถจองล่วงหน้า
 DocType: Article,LMS User,ผู้ใช้ LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,จำนำความปลอดภัยสินเชื่อมีผลบังคับใช้สำหรับสินเชื่อที่มีความปลอดภัย
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),สถานที่ของอุปทาน (รัฐ / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,UOM สต็อก
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,สั่งซื้อ {0} ไม่ได้ ส่ง
@@ -5460,6 +5539,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,สร้างการ์ดงาน
 DocType: Quotation,Referral Sales Partner,พันธมิตรการขายอ้างอิง
 DocType: Quality Procedure Process,Process Description,คำอธิบายกระบวนการ
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",ไม่สามารถถอดออกได้ค่าความปลอดภัยของสินเชื่อสูงกว่าจำนวนเงินที่ชำระคืน
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,สร้างลูกค้า {0} แล้ว
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ไม่มีคลังสินค้าในคลังสินค้าใด ๆ
 ,Payment Period Based On Invoice Date,ระยะเวลา ในการชำระเงิน ตาม ใบแจ้งหนี้ ใน วันที่
@@ -5480,7 +5560,7 @@
 DocType: Asset,Insurance Details,รายละเอียดการประกันภัย
 DocType: Account,Payable,ที่ต้องชำระ
 DocType: Share Balance,Share Type,Share Type
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,กรุณากรอกระยะเวลาการชำระคืน
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,กรุณากรอกระยะเวลาการชำระคืน
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ลูกหนี้ ({0})
 DocType: Pricing Rule,Margin,ขอบ
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,ลูกค้าใหม่
@@ -5489,6 +5569,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,โอกาสโดยนำแหล่งที่มา
 DocType: Appraisal Goal,Weightage (%),weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,เปลี่ยนโพรไฟล์ POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,จำนวนหรือจำนวนเงินคือ mandatroy สำหรับการรักษาความปลอดภัยสินเชื่อ
 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,Assessment Report,รายงานการประเมินผล
@@ -5524,6 +5605,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,บัญชีแยกประเภท
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,สร้างใบแจ้งหนี้การขาย {0} แล้ว
 DocType: Employee,Confirmation Date,ยืนยัน วันที่
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","โปรดลบพนักงาน <a href=""#Form/Employee/{0}"">{0}</a> \ เพื่อยกเลิกเอกสารนี้"
 DocType: Inpatient Occupancy,Check Out,เช็คเอาท์
 DocType: C-Form,Total Invoiced Amount,มูลค่าใบแจ้งหนี้รวม
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,นาที จำนวน ไม่สามารถ จะมากกว่า จำนวน สูงสุด
@@ -5537,7 +5620,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,รหัส บริษัท Quickbooks
 DocType: Travel Request,Travel Funding,Travel Funding
 DocType: Employee Skill,Proficiency,ความชำนาญ
-DocType: Loan Application,Required by Date,จำเป็นโดยวันที่
 DocType: Purchase Invoice Item,Purchase Receipt Detail,รายละเอียดการรับสินค้า
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ลิงก์ไปยังตำแหน่งที่ตั้งทั้งหมดที่พืชมีการเติบโต
 DocType: Lead,Lead Owner,เจ้าของช่องทาง
@@ -5556,7 +5638,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM ปัจจุบันและ ใหม่ BOM ไม่สามารถ จะเหมือนกัน
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,เงินเดือน ID สลิป
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,วันที่ ของ การเกษียณอายุ ต้องมากกว่า วันที่ เข้าร่วม
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ผู้ผลิต&gt; ประเภทผู้จำหน่าย
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,หลายรูปแบบ
 DocType: Sales Invoice,Against Income Account,กับบัญชีรายได้
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ส่งแล้ว
@@ -5589,7 +5670,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,ค่าใช้จ่ายประเภทการประเมินไม่สามารถทำเครื่องหมายเป็น Inclusive
 DocType: POS Profile,Update Stock,อัพเดทสต็อก
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,รายละเอียดการชำระเงิน
+DocType: Loan Repayment,Payment Details,รายละเอียดการชำระเงิน
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,อัตรา BOM
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,กำลังอ่านไฟล์ที่อัพโหลด
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",หยุดการทำงานสั่งซื้อสินค้าไม่สามารถยกเลิกได้ยกเลิกการยกเลิกก่อนจึงจะยกเลิก
@@ -5625,6 +5706,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,มูลค่าสินเชื่อสูงสุด
 ,Stock Ledger,บัญชีแยกประเภทสินค้า
 DocType: Company,Exchange Gain / Loss Account,กำไรจากอัตราแลกเปลี่ยน / บัญชีการสูญเสีย
 DocType: Amazon MWS Settings,MWS Credentials,ข้อมูลรับรอง MWS
@@ -5632,6 +5714,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},จุดประสงค์ ต้องเป็นหนึ่งใน {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,กรอกแบบฟอร์ม และบันทึกไว้
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,ฟอรั่มชุมชน
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},ไม่มีใบที่จัดสรรให้แก่พนักงาน: {0} สำหรับประเภทการลา: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,จำนวนจริงในสต็อก
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,จำนวนจริงในสต็อก
 DocType: Homepage,"URL for ""All Products""",URL สำหรับ &quot;สินค้าทั้งหมด&quot;
@@ -5734,7 +5817,6 @@
 DocType: Fee Schedule,Fee Schedule,ตารางอัตราค่าธรรมเนียม
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,ป้ายกำกับคอลัมน์:
 DocType: Bank Transaction,Settled,ปึกแผ่น
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,วันที่จ่ายเงินไม่สามารถเกิดขึ้นหลังจากวันที่เริ่มต้นการชำระคืนเงินกู้
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,เงินอุดหนุน
 DocType: Quality Feedback,Parameters,พารามิเตอร์
 DocType: Company,Create Chart Of Accounts Based On,สร้างผังบัญชีอยู่บนพื้นฐานของ
@@ -5754,6 +5836,7 @@
 DocType: Customer,Credit Limit and Payment Terms,เงื่อนไขการชำระเงินและเงื่อนไขการชำระเงิน
 DocType: Loyalty Program,Collection Rules,กฎการรวบรวม
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,วาระที่ 3
+DocType: Loan Security Shortfall,Shortfall Time,เวลาที่สั้น
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,รายการสั่งซื้อ
 DocType: Purchase Order,Customer Contact Email,อีเมล์ที่ใช้ติดต่อลูกค้า
 DocType: Warranty Claim,Item and Warranty Details,รายการและรายละเอียดการรับประกัน
@@ -5773,12 +5856,14 @@
 DocType: Sales Person,Sales Person Name,ชื่อคนขาย
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,กรุณากรอก atleast 1 ใบแจ้งหนี้ ในตาราง
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ไม่มีการทดสอบ Lab สร้างขึ้น
+DocType: Loan Security Shortfall,Security Value ,ค่าความปลอดภัย
 DocType: POS Item Group,Item Group,กลุ่มสินค้า
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,กลุ่มนักเรียน:
 DocType: Depreciation Schedule,Finance Book Id,รหัสหนังสือทางการเงิน
 DocType: Item,Safety Stock,หุ้นที่ปลอดภัย
 DocType: Healthcare Settings,Healthcare Settings,การตั้งค่าการดูแลสุขภาพ
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,ยอดรวมใบ
+DocType: Appointment Letter,Appointment Letter,จดหมายนัด
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},ไปที่ {0}
@@ -5834,6 +5919,7 @@
 DocType: Stock Entry,From BOM,จาก BOM
 DocType: Assessment Code,Assessment Code,รหัสการประเมิน
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ขั้นพื้นฐาน
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,การขอสินเชื่อจากลูกค้าและพนักงาน
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ก่อนที่จะทำธุรกรรมหุ้น {0} ถูกแช่แข็ง
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',กรุณา คลิกที่ 'สร้าง ตาราง '
 DocType: Job Card,Current Time,เวลาปัจจุบัน
@@ -5860,7 +5946,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,แกรนท์
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ไม่มีกลุ่มนักศึกษาสร้าง
 DocType: Purchase Invoice Item,Serial No,อนุกรมไม่มี
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,จำนวนเงินที่ชำระหนี้รายเดือนไม่สามารถจะสูงกว่าจำนวนเงินกู้
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,จำนวนเงินที่ชำระหนี้รายเดือนไม่สามารถจะสูงกว่าจำนวนเงินกู้
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,กรุณากรอก รายละเอียด Maintaince แรก
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,แถว # {0}: คาดว่าวันที่จัดส่งต้องไม่ถึงวันสั่งซื้อ
 DocType: Purchase Invoice,Print Language,ภาษาที่ใช้ในการพิมพ์
@@ -5874,6 +5960,7 @@
 DocType: Asset,Finance Books,หนังสือทางการเงิน
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,หมวดหมู่การประกาศยกเว้นภาษีของพนักงาน
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,ดินแดน ทั้งหมด
+DocType: Plaid Settings,development,พัฒนาการ
 DocType: Lost Reason Detail,Lost Reason Detail,รายละเอียดเหตุผลที่หายไป
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,โปรดตั้งค่านโยบายสำหรับพนักงาน {0} ในระเบียน Employee / Grade
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,คำสั่งซื้อผ้าห่มไม่ถูกต้องสำหรับลูกค้าและสินค้าที่เลือก
@@ -5938,12 +6025,14 @@
 DocType: Staffing Plan Detail,Current Openings,ช่องว่างปัจจุบัน
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,กระแสเงินสดจากการดำเนินงาน
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Amount
+DocType: Vehicle Log,Current Odometer value ,ค่ามาตรวัดระยะทางปัจจุบัน
 apps/erpnext/erpnext/utilities/activation.py,Create Student,สร้างนักศึกษา
 DocType: Asset Movement Item,Asset Movement Item,รายการการเคลื่อนไหวของสินทรัพย์
 DocType: Purchase Invoice,Shipping Rule,กฎการจัดส่งสินค้า
 DocType: Patient Relation,Spouse,คู่สมรส
 DocType: Lab Test Groups,Add Test,เพิ่มการทดสอบ
 DocType: Manufacturer,Limited to 12 characters,จำกัด 12 ตัวอักษร
+DocType: Appointment Letter,Closing Notes,หมายเหตุการปิด
 DocType: Journal Entry,Print Heading,พิมพ์หัวเรื่อง
 DocType: Quality Action Table,Quality Action Table,ตารางการกระทำที่มีคุณภาพ
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,รวม ไม่ สามารถเป็นศูนย์
@@ -6010,6 +6099,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),รวม (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},โปรดระบุ / สร้างบัญชี (กลุ่ม) สำหรับประเภท - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,บันเทิงและ การพักผ่อน
+DocType: Loan Security,Loan Security,ความปลอดภัยของสินเชื่อ
 ,Item Variant Details,รายละเอียดรายละเอียดของรายการ
 DocType: Quality Inspection,Item Serial No,รายการ Serial No.
 DocType: Payment Request,Is a Subscription,เป็นการสมัครสมาชิก
@@ -6022,7 +6112,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,อายุล่าสุด
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,วันที่กำหนดและยอมรับไม่น้อยกว่าวันนี้
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,โอนวัสดุที่จะผลิต
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,อีเอ็มไอ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ใหม่ หมายเลขเครื่อง ไม่สามารถมี คลังสินค้า คลังสินค้า จะต้องตั้งค่า โดย สต็อก รายการ หรือ รับซื้อ
 DocType: Lead,Lead Type,ชนิดช่องทาง
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,สร้าง ใบเสนอราคา
@@ -6040,7 +6129,6 @@
 DocType: Leave Allocation,Leave Period,ปล่อยช่วงเวลา
 DocType: Item,Default Material Request Type,เริ่มต้นขอประเภทวัสดุ
 DocType: Supplier Scorecard,Evaluation Period,ระยะเวลาการประเมินผล
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ลูกค้า&gt; กลุ่มลูกค้า&gt; อาณาเขต
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ไม่ทราบ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ไม่ได้สร้างใบสั่งงาน
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6126,7 +6214,8 @@
 ,Customer-wise Item Price,ราคารายการลูกค้าฉลาด
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,งบกระแสเงินสด
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ไม่ได้สร้างคำขอเนื้อหา
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},วงเงินกู้ไม่เกินจำนวนเงินกู้สูงสุดของ {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},วงเงินกู้ไม่เกินจำนวนเงินกู้สูงสุดของ {0}
+DocType: Loan,Loan Security Pledge,จำนำหลักประกันสินเชื่อ
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,การอนุญาต
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,เลือกดำเนินการต่อถ้าคุณยังต้องการที่จะรวมถึงความสมดุลในปีงบประมาณก่อนหน้านี้ออกไปในปีงบการเงิน
@@ -6144,6 +6233,7 @@
 DocType: Pricing Rule,Price Discount Scheme,โครงการส่วนลดราคา
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,สถานะการบำรุงรักษาต้องถูกยกเลิกหรือเสร็จสมบูรณ์เพื่อส่ง
 DocType: Amazon MWS Settings,US,เรา
+DocType: Loan Security Pledge,Pledged,ให้คำมั่นสัญญา
 DocType: Holiday List,Add Weekly Holidays,เพิ่มวันหยุดประจำสัปดาห์
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,รายการรายงาน
 DocType: Staffing Plan Detail,Vacancies,ตำแหน่งงานว่าง
@@ -6162,7 +6252,6 @@
 DocType: Production Plan Item,Planned Start Date,เริ่มต้นการวางแผนวันที่สมัคร
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,โปรดเลือก BOM
 DocType: Purchase Invoice,Availed ITC Integrated Tax,มีภาษี ITC Integrated Tax
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,สร้างรายการชำระคืน
 DocType: Purchase Order Item,Blanket Order Rate,อัตราการสั่งซื้อผ้าห่ม
 ,Customer Ledger Summary,สรุปบัญชีแยกประเภทลูกค้า
 apps/erpnext/erpnext/hooks.py,Certification,การรับรอง
@@ -6183,6 +6272,7 @@
 DocType: Appraisal Template,Appraisal Template Title,หัวข้อแม่แบบประเมิน
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,เชิงพาณิชย์
 DocType: Patient,Alcohol Current Use,การใช้แอลกอฮอล์ในปัจจุบัน
+DocType: Loan,Loan Closure Requested,ขอปิดสินเชื่อ
 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,ประเภทยกเว้นภาษี
@@ -6206,6 +6296,7 @@
 DocType: Opening Invoice Creation Tool,Sales,ขาย
 DocType: Stock Entry Detail,Basic Amount,จํานวนเงินขั้นพื้นฐาน
 DocType: Training Event,Exam,การสอบ
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,ความล้มเหลวของความปลอดภัยสินเชื่อกระบวนการ
 DocType: Email Campaign,Email Campaign,แคมเปญอีเมล
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,ข้อผิดพลาดในตลาด
 DocType: Complaint,Complaint,การร้องเรียน
@@ -6285,6 +6376,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,ส่งสิ่งนี้เพื่อสร้างเรคคอร์ด Employee
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},ราคาความปลอดภัยสินเชื่อทับซ้อนกับ {0}
 DocType: Item Default,Item Default,ค่าเริ่มต้นของรายการ
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,วัสดุภายในรัฐ
 DocType: Chapter Member,Leave Reason,ปล่อยเหตุผล
@@ -6312,6 +6404,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} คูปองที่ใช้คือ {1} ปริมาณที่อนุญาตหมดแล้ว
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,คุณต้องการส่งคำขอวัสดุหรือไม่
 DocType: Job Offer,Awaiting Response,รอการตอบสนอง
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,สินเชื่อมีผลบังคับใช้
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,สูงกว่า
 DocType: Support Search Source,Link Options,ตัวเลือกลิงก์
@@ -6324,6 +6417,7 @@
 DocType: Training Event Employee,Optional,ไม่จำเป็น
 DocType: Salary Slip,Earning & Deduction,รายได้และการหัก
 DocType: Agriculture Analysis Criteria,Water Analysis,การวิเคราะห์น้ำ
+DocType: Pledge,Post Haircut Amount,จำนวนเงินที่โพสต์ตัดผม
 DocType: Sales Order,Skip Delivery Note,ข้ามหมายเหตุการส่งมอบ
 DocType: Price List,Price Not UOM Dependent,ราคาไม่ขึ้นอยู่กับ UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} ตัวแปรที่สร้างขึ้น
@@ -6350,6 +6444,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,รับรายการจาก Bundle สินค้า
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,วิธีการชำระคืนมีผลบังคับใช้สำหรับสินเชื่อระยะยาว
 DocType: Asset,Straight Line,เส้นตรง
 DocType: Project User,Project User,ผู้ใช้โครงการ
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,แยก
@@ -6398,7 +6493,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,บทบาทที่ได้รับอนุญาตให้ตั้ง บัญชีแช่แข็ง และแก้ไขรายการแช่แข็ง
 DocType: Supplier Scorecard Scoring Variable,Path,เส้นทาง
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ไม่สามารถแปลง ศูนย์ต้นทุน ไปยัง บัญชีแยกประเภท ที่มี ต่อมน้ำเด็ก
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},ไม่พบปัจจัยการแปลง UOM ({0} -&gt; {1}) สำหรับรายการ: {2}
 DocType: Production Plan,Total Planned Qty,จำนวนตามแผนทั้งหมด
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ธุรกรรมได้รับมาจากคำสั่งนี้แล้ว
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ราคาเปิด
@@ -6407,11 +6501,8 @@
 DocType: Material Request Plan Item,Required Quantity,ปริมาณที่ต้องการ
 DocType: Lab Test Template,Lab Test Template,เทมเพลตการทดสอบ Lab
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},รอบระยะเวลาบัญชีทับซ้อนกับ {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,ผู้ผลิต&gt; ประเภทผู้จำหน่าย
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,บัญชีขาย
 DocType: Purchase Invoice Item,Total Weight,น้ำหนักรวม
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","โปรดลบพนักงาน <a href=""#Form/Employee/{0}"">{0}</a> \ เพื่อยกเลิกเอกสารนี้"
 DocType: Pick List Item,Pick List Item,เลือกรายการ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,สำนักงานคณะกรรมการกำกับ การขาย
 DocType: Job Offer Term,Value / Description,ค่า / รายละเอียด
@@ -6458,6 +6549,7 @@
 DocType: Patient Encounter,Encounter Date,พบวันที่
 DocType: Work Order,Update Consumed Material Cost In Project,อัพเดทต้นทุนวัสดุสิ้นเปลืองในโครงการ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,บัญชี: {0} กับสกุลเงิน: {1} ไม่สามารถเลือกได้
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,เงินให้กู้ยืมแก่ลูกค้าและพนักงาน
 DocType: Bank Statement Transaction Settings Item,Bank Data,ข้อมูลธนาคาร
 DocType: Purchase Receipt Item,Sample Quantity,ตัวอย่างปริมาณ
 DocType: Bank Guarantee,Name of Beneficiary,ชื่อผู้รับประโยชน์
@@ -6526,7 +6618,6 @@
 DocType: Contract,Signed On,ลงนาม
 DocType: Bank Account,Party Type,ประเภท บุคคล
 DocType: Discounted Invoice,Discounted Invoice,ส่วนลดใบแจ้งหนี้
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ทำเครื่องหมายการเข้าร่วมประชุมเป็น <b></b>
 DocType: Payment Schedule,Payment Schedule,ตารางการชำระเงิน
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ไม่พบพนักงานสำหรับค่าฟิลด์พนักงานที่ระบุ &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,ตัวย่อ
@@ -6598,6 +6689,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,เจ้าหนี้
 DocType: Assessment Plan,Assessment Name,ชื่อการประเมิน
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,แถว # {0}: ไม่มีอนุกรมมีผลบังคับใช้
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,ต้องมีจำนวน {0} สำหรับการปิดสินเชื่อ
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,รายการ ฉลาด รายละเอียด ภาษี
 DocType: Employee Onboarding,Job Offer,เสนองาน
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,สถาบันชื่อย่อ
@@ -6622,7 +6714,6 @@
 DocType: Purchase Order,To Receive,ที่จะได้รับ
 DocType: Leave Period,Holiday List for Optional Leave,รายการวันหยุดสำหรับการลาตัวเลือก
 DocType: Item Tax Template,Tax Rates,อัตราภาษี
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,รหัสรายการ&gt; กลุ่มรายการ&gt; แบรนด์
 DocType: Asset,Asset Owner,เจ้าของสินทรัพย์
 DocType: Item,Website Content,เนื้อหาเว็บไซต์
 DocType: Bank Account,Integration ID,ID การรวม
@@ -6638,6 +6729,7 @@
 DocType: Amazon MWS Settings,Synch Orders,สั่งซื้อซิงโคร
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,คำสั่งปล่อยให้การผลิต
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,เลือกปีงบประมาณ ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},โปรดเลือกประเภทสินเชื่อสำหรับ บริษัท {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,รายละเอียด จุดขาย จำเป็นต้องทำให้ จุดขาย บันทึกได้
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",คะแนนความภักดีจะคำนวณจากการใช้จ่ายที่ทำ (ผ่านทางใบแจ้งหนี้การขาย) ตามปัจจัยการเรียกเก็บเงินที่กล่าวถึง
 DocType: Program Enrollment Tool,Enroll Students,รับสมัครนักเรียน
@@ -6666,6 +6758,7 @@
 DocType: Customer,Mention if non-standard receivable account,ถ้าพูดถึงไม่ได้มาตรฐานบัญชีลูกหนี้
 DocType: Bank,Plaid Access Token,โทเค็นการเข้าถึง Plaid
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,โปรดเพิ่มผลประโยชน์ที่เหลือ {0} ให้กับคอมโพเนนต์ใด ๆ ที่มีอยู่
+DocType: Bank Account,Is Default Account,เป็นบัญชีเริ่มต้น
 DocType: Journal Entry Account,If Income or Expense,ถ้ารายได้หรือค่าใช้จ่าย
 DocType: Course Topic,Course Topic,หัวข้อหลักสูตร
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Alosing Voucher alreday มีอยู่สำหรับ {0} ระหว่างวันที่ {1} และ {2}
@@ -6678,7 +6771,7 @@
 DocType: Disease,Treatment Task,งานบำบัด
 DocType: Payment Order Reference,Bank Account Details,รายละเอียดบัญชีธนาคาร
 DocType: Purchase Order Item,Blanket Order,คำสั่งซื้อแบบครอบคลุม
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,จำนวนเงินที่ชำระคืนต้องมากกว่า
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,จำนวนเงินที่ชำระคืนต้องมากกว่า
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,สินทรัพย์ ภาษี
 DocType: BOM Item,BOM No,BOM ไม่มี
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ปรับปรุงรายละเอียด
@@ -6735,6 +6828,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,ผลิตภัณฑ์ WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},ไวยากรณ์ผิดพลาดในสูตรหรือเงื่อนไข: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,รายการที่ {0} ไม่สนใจ เพราะมัน ไม่ได้เป็น รายการที่ สต็อก
+,Loan Security Status,สถานะความปลอดภัยสินเชื่อ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",ที่จะไม่ใช้กฎการกำหนดราคาในการทำธุรกรรมโดยเฉพาะอย่างยิ่งกฎการกำหนดราคาทั้งหมดสามารถใช้งานควรจะปิดการใช้งาน
 DocType: Payment Term,Day(s) after the end of the invoice month,วันหลังจากสิ้นเดือนใบแจ้งหนี้
 DocType: Assessment Group,Parent Assessment Group,ผู้ปกครองกลุ่มประเมิน
@@ -6749,7 +6843,6 @@
 DocType: Stock Entry Detail,Additional Cost,ค่าใช้จ่ายเพิ่มเติม
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",ไม่สามารถกรอง ตาม คูปอง ไม่ ถ้า จัดกลุ่มตาม คูปอง
 DocType: Quality Inspection,Incoming,ขาเข้า
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า&gt; ลำดับเลข
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,เทมเพลตภาษีที่เป็นค่าเริ่มต้นสำหรับการขายและซื้อจะสร้างขึ้น
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,บันทึกผลลัพธ์การประเมิน {0} มีอยู่แล้ว
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",ตัวอย่าง: ABCD ##### ถ้ามีชุดชุดและเลขที่แบทช์ไม่ได้กล่าวถึงในธุรกรรมระบบจะสร้างเลขที่แบทช์อัตโนมัติตามชุดข้อมูลนี้ หากคุณต้องการระบุอย่างชัดแจ้งถึงแบทช์สำหรับรายการนี้ให้เว้นว่างไว้ หมายเหตุ: การตั้งค่านี้จะมีความสำคัญเหนือคำนำหน้าแบบตั้งชื่อในการตั้งค่าสต็อก
@@ -6760,8 +6853,10 @@
 DocType: Contract,Party User,ผู้ใช้พรรค
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,ไม่ได้สร้างเนื้อหาสำหรับ <b>{0}</b> คุณจะต้องสร้างเนื้อหาด้วยตนเอง
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',โปรดตั้งค่าตัวกรอง บริษัท หาก Group By เป็น &#39;Company&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ลูกค้า&gt; กลุ่มลูกค้า&gt; อาณาเขต
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,โพสต์วันที่ไม่สามารถเป็นวันที่ในอนาคต
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},แถว # {0}: ไม่มี Serial {1} ไม่ตรงกับ {2} {3}
+DocType: Loan Repayment,Interest Payable,ดอกเบี้ยค้างจ่าย
 DocType: Stock Entry,Target Warehouse Address,ที่อยู่คลังเป้าหมาย
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,สบาย ๆ ออก
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,เวลาก่อนเวลาเริ่มต้นกะในระหว่างที่การเช็คอินของพนักงานได้รับการพิจารณาสำหรับการเข้าร่วม
@@ -6890,6 +6985,7 @@
 DocType: Issue,Reset Service Level Agreement,รีเซ็ตข้อตกลงระดับการให้บริการ
 ,Sales Person-wise Transaction Summary,การขายอย่างย่อรายการคนฉลาด
 DocType: Training Event,Contact Number,เบอร์ติดต่อ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,จำนวนเงินกู้เป็นสิ่งจำเป็น
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ไม่พบคลังสินค้า {0} ในระบบ
 DocType: Cashier Closing,Custody,การดูแล
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,รายละเอียดการส่งหลักฐานการยกเว้นภาษีพนักงาน
@@ -6938,6 +7034,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,คงเหลือ จำนวน
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,เงื่อนไขจะถูกนำไปใช้กับรายการที่เลือกทั้งหมดรวมกัน
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,เป้าหมายต้องไม่ว่างเปล่า
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,คลังสินค้าไม่ถูกต้อง
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,การลงทะเบียนนักเรียน
 DocType: Item Group,Parent Item Group,กลุ่มสินค้าหลัก
 DocType: Appointment Type,Appointment Type,ประเภทนัดหมาย
@@ -6993,10 +7090,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,อัตราเฉลี่ย
 DocType: Appointment,Appointment With,นัดหมายกับ
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,จำนวนเงินที่ชำระในตารางการชำระเงินต้องเท่ากับยอดรวม / ยอดรวม
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ทำเครื่องหมายการเข้าร่วมประชุมเป็น <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;รายการที่ลูกค้าให้ไว้&quot; ไม่สามารถมีอัตราการประเมินค่าได้
 DocType: Subscription Plan Detail,Plan,วางแผน
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,ยอดเงินบัญชีธนาคารตามบัญชีแยกประเภททั่วไป
-DocType: Job Applicant,Applicant Name,ชื่อผู้ยื่นคำขอ
+DocType: Appointment Letter,Applicant Name,ชื่อผู้ยื่นคำขอ
 DocType: Authorization Rule,Customer / Item Name,ชื่อลูกค้า / รายการ
 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**. 
 
@@ -7040,11 +7138,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,คลังสินค้า ไม่สามารถลบได้ เนื่องจากรายการบัญชีแยกประเภท มีไว้สำหรับคลังสินค้านี้
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,การกระจาย
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,ไม่สามารถตั้งค่าสถานะพนักงานเป็น &#39;ซ้าย&#39; ได้เนื่องจากพนักงานต่อไปนี้กำลังรายงานต่อพนักงานนี้:
-DocType: Journal Entry Account,Loan,เงินกู้
+DocType: Loan Repayment,Amount Paid,จำนวนเงินที่ชำระ
+DocType: Loan Security Shortfall,Loan,เงินกู้
 DocType: Expense Claim Advance,Expense Claim Advance,การเรียกร้องค่าสินไหมทดแทนล่วงหน้า
 DocType: Lab Test,Report Preference,การตั้งค่ารายงาน
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ข้อมูลอาสาสมัคร
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,ผู้จัดการโครงการ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,จัดกลุ่มตามลูกค้า
 ,Quoted Item Comparison,เปรียบเทียบรายการที่ยกมา
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},ซ้อนกันระหว่างการให้คะแนนระหว่าง {0} ถึง {1}
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,ส่งไป
@@ -7064,6 +7164,7 @@
 DocType: Material Request Plan Item,Material Issue,บันทึกการใช้วัสดุ
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ไม่ได้ตั้งค่ารายการฟรีในกฎการกำหนดราคา {0}
 DocType: Employee Education,Qualification,คุณสมบัติ
+DocType: Loan Security Shortfall,Loan Security Shortfall,ความไม่มั่นคงของสินเชื่อ
 DocType: Item Price,Item Price,ราคาสินค้า
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,สบู่ และ ผงซักฟอก
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},พนักงาน {0} ไม่ได้เป็นของ บริษัท {1}
@@ -7086,6 +7187,7 @@
 DocType: Appointment Booking Settings,Appointment Details,รายละเอียดการนัดหมาย
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ผลิตภัณฑ์สำเร็จรูป
 DocType: Warehouse,Warehouse Name,ชื่อคลังสินค้า
+DocType: Loan Security Pledge,Pledge Time,เวลาจำนำ
 DocType: Naming Series,Select Transaction,เลือกรายการ
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,กรุณากรอก บทบาท การอนุมัติ หรือ ให้ความเห็นชอบ ผู้ใช้
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,ข้อตกลงระดับการให้บริการที่มีประเภทเอนทิตี {0} และเอนทิตี {1} มีอยู่แล้ว
@@ -7093,7 +7195,6 @@
 DocType: BOM,Rate Of Materials Based On,อัตราวัสดุตาม
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",หากเปิดใช้งานระยะเวลาการศึกษาภาคสนามจะเป็นข้อบังคับในเครื่องมือการลงทะเบียนโปรแกรม
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",ค่าของวัสดุที่ได้รับการยกเว้นไม่ได้รับการจัดอันดับไม่มีและไม่มี GST
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,ลูกค้า&gt; กลุ่มลูกค้า&gt; อาณาเขต
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>บริษัท</b> เป็นตัวกรองที่จำเป็น
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ยกเลิกการเลือกทั้งหมด
 DocType: Purchase Taxes and Charges,On Item Quantity,ในปริมาณรายการ
@@ -7139,7 +7240,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ปัญหาการขาดแคลนจำนวน
 DocType: Purchase Invoice,Input Service Distributor,จำหน่ายบริการป้อนข้อมูล
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ตัวแปรรายการ {0} อยู่ที่มีลักษณะเดียวกัน
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา&gt; การตั้งค่าการศึกษา
 DocType: Loan,Repay from Salary,ชำระคืนจากเงินเดือน
 DocType: Exotel Settings,API Token,API Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ร้องขอการชำระเงินจาก {0} {1} สำหรับจำนวนเงิน {2}
@@ -7159,6 +7259,7 @@
 DocType: Salary Slip,Total Interest Amount,จำนวนดอกเบี้ยทั้งหมด
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,โกดังกับโหนดลูกไม่สามารถแปลงบัญชีแยกประเภท
 DocType: BOM,Manage cost of operations,จัดการค่าใช้จ่ายในการดำเนินงาน
+DocType: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,มาถึง Datetime
 DocType: Tax Rule,Billing Zipcode,รหัสไปรษณีย์
@@ -7345,6 +7446,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ชั่วโมง
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},สร้างการนัดหมายใหม่ให้คุณด้วย {0}
 DocType: Project,Expected Start Date,วันที่เริ่มต้นคาดว่า
+DocType: Work Order,This is a location where raw materials are available.,นี่คือสถานที่ที่มีวัตถุดิบ
 DocType: Purchase Invoice,04-Correction in Invoice,04- แก้ไขในใบแจ้งหนี้
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,สั่งซื้องานที่สร้างไว้แล้วสำหรับทุกรายการที่มี BOM
 DocType: Bank Account,Party Details,รายละเอียดของบุคคลที่
@@ -7363,6 +7465,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,ใบเสนอราคา:
 DocType: Contract,Partially Fulfilled,ปฏิบัติตามบางส่วน
 DocType: Maintenance Visit,Fully Completed,เสร็จสมบูรณ์
+DocType: Loan Security,Loan Security Name,ชื่อหลักประกันสินเชื่อ
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","ห้ามใช้อักขระพิเศษยกเว้น &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; และ &quot;}&quot; ในซีรี่ส์"
 DocType: Purchase Invoice Item,Is nil rated or exempted,ไม่มีการจัดอันดับหรือยกเว้น
 DocType: Employee,Educational Qualification,วุฒิการศึกษา
@@ -7420,6 +7523,7 @@
 DocType: Program,Is Featured,เป็นจุดเด่น
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,การดึงข้อมูล ...
 DocType: Agriculture Analysis Criteria,Agriculture User,ผู้ใช้เกษตร
+DocType: Loan Security Shortfall,America/New_York,อเมริกา / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,วันที่ที่ถูกต้องจนกว่าจะถึงวันที่ทำรายการ
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,หมวดหมู่นักศึกษา
@@ -7497,8 +7601,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,คุณยังไม่ได้ รับอนุญาตให้ กำหนดค่า แช่แข็ง
 DocType: Payment Reconciliation,Get Unreconciled Entries,คอมเมนต์ได้รับ Unreconciled
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},พนักงาน {0} อยู่ในสถานะ Leave on {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,ไม่มีการชำระคืนที่เลือกสำหรับรายการบันทึก
 DocType: Purchase Invoice,GST Category,หมวดหมู่ GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,คำมั่นสัญญาที่เสนอมีผลบังคับใช้สำหรับสินเชื่อที่มีความปลอดภัย
 DocType: Payment Reconciliation,From Invoice Date,จากวันที่ใบแจ้งหนี้
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,งบประมาณ
 DocType: Invoice Discounting,Disbursed,การเบิกจ่าย
@@ -7556,14 +7660,13 @@
 DocType: Restaurant,Active Menu,เมนูที่ใช้งานอยู่
 DocType: Accounting Dimension Detail,Default Dimension,มิติข้อมูลเริ่มต้น
 DocType: Target Detail,Target Qty,จำนวนเป้าหมาย
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},กับสินเชื่อ: {0}
 DocType: Shopping Cart Settings,Checkout Settings,การตั้งค่าเช็คเอาต์
 DocType: Student Attendance,Present,นำเสนอ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,หมายเหตุ การจัดส่ง {0} จะต้องไม่ถูก ส่งมา
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",สลิปเงินเดือนที่ส่งไปยังพนักงานจะได้รับการป้องกันด้วยรหัสผ่านรหัสผ่านจะถูกสร้างขึ้นตามนโยบายรหัสผ่าน
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,บัญชีปิด {0} ต้องเป็นชนิดรับผิด / ผู้ถือหุ้น
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับแผ่นเวลา {1}
-DocType: Vehicle Log,Odometer,วัดระยะทาง
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,วัดระยะทาง
 DocType: Production Plan Item,Ordered Qty,สั่งซื้อ จำนวน
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,รายการ {0} ถูกปิดใช้งาน
 DocType: Stock Settings,Stock Frozen Upto,สต็อกไม่เกิน Frozen
@@ -7622,7 +7725,6 @@
 DocType: Serial No,Delivery Document Type,ประเภทเอกสารการจัดส่งสินค้า
 DocType: Sales Order,Partly Delivered,ส่งบางส่วน
 DocType: Item Variant Settings,Do not update variants on save,อย่าอัปเดตตัวแปรในการบันทึก
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,กลุ่ม Custmer
 DocType: Email Digest,Receivables,ลูกหนี้
 DocType: Lead Source,Lead Source,ที่มาของช่องทาง
 DocType: Customer,Additional information regarding the customer.,ข้อมูลเพิ่มเติมเกี่ยวกับลูกค้า
@@ -7721,6 +7823,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ตามความเป็นจริง
 DocType: Appointment,Skype ID,ไอดีสไกป์
 DocType: Restaurant Menu,Restaurant Manager,ผู้จัดการร้านอาหาร
+DocType: Loan,Penalty Income Account,บัญชีรายรับค่าปรับ
 DocType: Call Log,Call Log,บันทึกการโทร
 DocType: Authorization Rule,Customerwise Discount,ส่วนลด Customerwise
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet สำหรับงาน
@@ -7809,6 +7912,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,โครงการส่วนลดสินค้า
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,ไม่มีการหยิบยกปัญหาโดยผู้โทร
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,จัดกลุ่มตามซัพพลายเออร์
 DocType: Restaurant Reservation,Waitlisted,waitlisted
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,หมวดการยกเว้น
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,สกุลเงินไม่สามารถเปลี่ยนแปลงได้หลังจากการทำรายการโดยใช้เงินสกุลอื่น
@@ -7819,7 +7923,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,การให้คำปรึกษา
 DocType: Subscription Plan,Based on price list,ขึ้นอยู่กับราคา
 DocType: Customer Group,Parent Customer Group,กลุ่มลูกค้าผู้ปกครอง
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON สามารถสร้างได้จากใบแจ้งหนี้การขายเท่านั้น
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ถึงความพยายามสูงสุดสำหรับการตอบคำถามนี้!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,การสมัครสมาชิก
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,การสร้างค่าธรรมเนียมที่รอดำเนินการ
@@ -7837,6 +7940,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,บำรุงรักษาเชิงป้องกัน
 DocType: Delivery Note Item,Against Sales Invoice,กับขายใบแจ้งหนี้
 DocType: Purchase Invoice,07-Others,07 อื่น ๆ
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,จำนวนใบเสนอราคา
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,โปรดป้อนหมายเลขซีเรียลสำหรับรายการต่อเนื่อง
 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. ,ปล่อยให้ไม่ทำเครื่องหมายหากคุณไม่ต้องการพิจารณาชุดในขณะที่สร้างกลุ่มตามหลักสูตร
@@ -7948,6 +8052,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ใบเสร็จรับเงินการชำระเงินหมายเหตุ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,นี้ขึ้นอยู่กับการทำธุรกรรมกับลูกค้านี้ ดูระยะเวลารายละเอียดด้านล่าง
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,สร้างคำขอวัสดุ
+DocType: Loan Interest Accrual,Pending Principal Amount,จำนวนเงินต้นที่รออนุมัติ
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",วันที่เริ่มต้นและวันที่สิ้นสุดไม่อยู่ในระยะเวลาบัญชีเงินเดือนที่ถูกต้องไม่สามารถคำนวณ {0}
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,ระยะเวลาการศึกษาใหม่
@@ -7991,6 +8096,7 @@
 											to fullfill Sales Order {2}",ไม่สามารถส่ง Serial No {0} ของสินค้า {1} ได้ตามที่จองไว้ \ to fullfill Sales Order {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,ใบเสนอราคาผู้ผลิต {0} สร้าง
+DocType: Loan Security Unpledge,Unpledge Type,ประเภทการจำนำ
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,ปีที่จบการไม่สามารถก่อนที่จะเริ่มปี
 DocType: Employee Benefit Application,Employee Benefits,ผลประโยชน์ของพนักงาน
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,รหัสพนักงาน
@@ -8073,6 +8179,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,รหัสรายวิชา:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,กรุณากรอกบัญชีค่าใช้จ่าย
 DocType: Quality Action Resolution,Problem,ปัญหา
+DocType: Loan Security Type,Loan To Value Ratio,อัตราส่วนสินเชื่อต่อมูลค่า
 DocType: Account,Stock,คลังสินค้า
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อ, ซื้อใบแจ้งหนี้หรือวารสารรายการ"
 DocType: Employee,Current Address,ที่อยู่ปัจจุบัน
@@ -8090,6 +8197,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,รายการธุรกรรมทางการเงินของธนาคาร
 DocType: Sales Invoice Item,Discount and Margin,ส่วนลดและหลักประกัน
 DocType: Lab Test,Prescription,ใบสั่งยา
+DocType: Process Loan Security Shortfall,Update Time,อัปเดตเวลา
 DocType: Import Supplier Invoice,Upload XML Invoices,อัปโหลดใบแจ้งหนี้ XML
 DocType: Company,Default Deferred Revenue Account,บัญชีรายได้รอตัดบัญชีเริ่มต้น
 DocType: Project,Second Email,อีเมลฉบับที่สอง
@@ -8103,7 +8211,7 @@
 DocType: Quality Action,Preventive,ป้องกัน
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,พัสดุที่ทำกับบุคคลที่ไม่ได้ลงทะเบียน
 DocType: Company,Date of Incorporation,วันที่จดทะเบียน
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ภาษีทั้งหมด
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,ภาษีทั้งหมด
 DocType: Manufacturing Settings,Default Scrap Warehouse,คลังสินค้าเศษเริ่มต้น
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,ราคาซื้อครั้งสุดท้าย
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,สำหรับปริมาณ (ผลิตจำนวน) มีผลบังคับใช้
@@ -8122,6 +8230,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ตั้งค่าโหมดการชำระเงินเริ่มต้น
 DocType: Stock Entry Detail,Against Stock Entry,กับการเข้าสต็อก
 DocType: Grant Application,Withdrawn,การถอดถอน
+DocType: Loan Repayment,Regular Payment,ชำระเงินปกติ
 DocType: Support Search Source,Support Search Source,แหล่งการค้นหาการสนับสนุน
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,กำไรขั้นต้น %
@@ -8135,8 +8244,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,โดยไม่ต้องเสียภาษี
 DocType: BOM Operation,BOM Operation,การดำเนินงาน BOM
 DocType: Purchase Taxes and Charges,On Previous Row Amount,เกี่ยวกับจำนวนเงินแถวก่อนหน้า
+DocType: Student,Home Address,ที่อยู่บ้าน
 DocType: Options,Is Correct,ถูกต้อง
 DocType: Item,Has Expiry Date,มีวันหมดอายุ
+DocType: Loan Repayment,Paid Accrual Entries,รายการค้างชำระ
+DocType: Loan Security,Loan Security Type,ประเภทหลักประกัน
 apps/erpnext/erpnext/config/support.py,Issue Type.,ประเภทของปัญหา
 DocType: POS Profile,POS Profile,รายละเอียด จุดขาย
 DocType: Training Event,Event Name,ชื่องาน
@@ -8148,6 +8260,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",ฤดูกาลสำหรับงบประมาณการตั้งค่าเป้าหมาย ฯลฯ
 apps/erpnext/erpnext/www/all-products/index.html,No values,ไม่มีค่า
 DocType: Supplier Scorecard Scoring Variable,Variable Name,ชื่อตัวแปร
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,เลือกบัญชีธนาคารที่จะกระทบยอด
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",รายการ {0} เป็นแม่แบบโปรดเลือกหนึ่งในตัวแปรของมัน
 DocType: Purchase Invoice Item,Deferred Expense,ค่าใช้จ่ายรอตัดบัญชี
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,กลับไปที่ข้อความ
@@ -8199,7 +8312,6 @@
 DocType: GL Entry,To Rename,เพื่อเปลี่ยนชื่อ
 DocType: Stock Entry,Repack,หีบห่ออีกครั้ง
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,เลือกเพื่อเพิ่มหมายเลขซีเรียล
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา&gt; การตั้งค่าการศึกษา
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',โปรดตั้งรหัสทางการเงินสำหรับลูกค้า &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,โปรดเลือก บริษัท ก่อน
 DocType: Item Attribute,Numeric Values,ค่าที่เป็นตัวเลข
@@ -8223,6 +8335,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,ดึงข้อมูลตาม FIFO
 DocType: Soil Texture,Clay Loam,ดินเหนียว
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,ราก ไม่สามารถแก้ไขได้
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,มูลค่าหลักประกัน
 DocType: Item,Units of Measure,หน่วยวัด
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,เช่าในเมโทรซิตี้
 DocType: Supplier,Default Tax Withholding Config,การหักภาษี ณ ที่จ่ายเริ่มต้น
@@ -8269,6 +8382,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,กรุณาเลือก หมวดหมู่ แรก
 apps/erpnext/erpnext/config/projects.py,Project master.,ต้นแบบโครงการ
 DocType: Contract,Contract Terms,ข้อกำหนดในสัญญา
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,วงเงินจำนวนที่ถูกลงโทษ
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,ดำเนินการกำหนดค่าต่อไป
 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,Maximum benefit amount of component {0} exceeds {1},จำนวนเงินที่ได้รับประโยชน์สูงสุดของคอมโพเนนต์ {0} เกินกว่า {1}
@@ -8301,6 +8415,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,ดูบันทึกการโทร
 DocType: BOM Operation,Operating Cost(Company Currency),ต้นทุนการดำเนินงาน ( บริษัท สกุล)
 DocType: Loan Application,Rate of Interest,อัตราดอกเบี้ย
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},จำนำความปลอดภัยของสินเชื่อจำนำเงินกู้ {0} แล้ว
 DocType: Expense Claim Detail,Sanctioned Amount,จำนวนตามทำนองคลองธรรม
 DocType: Item,Shelf Life In Days,อายุการเก็บรักษาในวัน
 DocType: GL Entry,Is Opening,คือการเปิด
@@ -8314,3 +8429,4 @@
 DocType: Account,Cash,เงินสด
 DocType: Sales Invoice,Unpaid and Discounted,ยังไม่ได้ชำระและลดราคา
 DocType: Employee,Short biography for website and other publications.,ชีวประวัติสั้นสำหรับเว็บไซต์และสิ่งพิมพ์อื่น ๆ
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,แถว # {0}: ไม่สามารถเลือกคลังสินค้าซัพพลายเออร์ในขณะที่ป้อนวัตถุดิบให้กับผู้รับเหมาช่วง
diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv
index d8458bc..f7421a6 100644
--- a/erpnext/translations/tr.csv
+++ b/erpnext/translations/tr.csv
@@ -54,7 +54,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Fırsat Kayıp Sebep
 DocType: Patient Appointment,Check availability,Uygunluğu kontrol et
 DocType: Retention Bonus,Bonus Payment Date,Bonus Ödeme Tarihi
-DocType: Employee,Job Applicant,İş Başvuru Sahiibi
+DocType: Appointment Letter,Job Applicant,İş Başvuru Sahiibi
 DocType: Job Card,Total Time in Mins,Dakikada Toplam Süre
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -202,6 +202,7 @@
 DocType: Delivery Stop,Contact Information,İletişim bilgileri
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Bir şey arayın ...
 ,Stock and Account Value Comparison,Stok ve Hesap Değeri Karşılaştırması
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,"Ödenen Tutar, kredi tutarından fazla olamaz"
 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
@@ -315,6 +316,7 @@
 DocType: Lead,Interested,İlgili
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Açılış
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programı:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,"Geçerlilik Süresi, Geçerlilik Süresi&#39;nden daha az olmalıdır."
 DocType: Item,Copy From Item Group,Ürün Grubundan kopyalayın
 DocType: Journal Entry,Opening Entry,Açılış Girdisi
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Hesabı yalnızca öde
@@ -366,6 +368,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,sınıf
 DocType: Restaurant Table,No of Seats,Koltuk Sayısı
+DocType: Loan Type,Grace Period in Days,Gün İçi Ödemesiz Dönem
 DocType: Sales Invoice,Overdue and Discounted,Gecikmiş ve İndirimli
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},"{0} varlık, {1} saklama kuruluşuna ait değil"
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Çağrı kesildi
@@ -420,7 +423,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Öngörülen Prosedürler
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Sadece POS göster
 DocType: Supplier Group,Supplier Group Name,Tedarikçi Grubu Adı
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Katılımı olarak işaretle <b></b>
 DocType: Driver,Driving License Categories,Sürücü Belgesi Kategorileri
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Lütfen Teslimat Tarihini Giriniz
 DocType: Depreciation Schedule,Make Depreciation Entry,Amortisman kaydı yap
@@ -441,10 +443,12 @@
 DocType: Asset Maintenance Log,Maintenance Status,Bakım Durumu
 DocType: Asset Maintenance Log,Maintenance Status,Bakım Durumu
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Değere Dahil Edilen Öğe Vergisi Tutarı
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Kredi Güvenliği Bilgisizliği
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Üyelik Detayları
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Borç hesabı {2} için tedarikçi tanımlanmalıdır
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Öğeler ve Fiyatlandırma
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Toplam saat: {0}
+DocType: Loan,Loan Manager,Kredi Müdürü
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Tarihten itibaren Mali yıl içinde olmalıdır Tarihten itibaren  = {0} varsayılır
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-FTR-.YYYY.-
 DocType: Drug Prescription,Interval,Aralık
@@ -509,6 +513,7 @@
 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,Select the customer or supplier.,Müşteri veya tedarikçiyi seçin.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Dosyadaki Ülke Kodu, sistemde ayarlanan ülke koduyla eşleşmiyor"
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Hesap {0} Şirkete ait değil {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Varsayılan olarak sadece bir Öncelik seçin.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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"
@@ -588,7 +593,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,İzin engellendi
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Banka Girişleri
-DocType: Customer,Is Internal Customer,İç Müşteri mi
+DocType: Sales Invoice,Is Internal Customer,İç Müşteri mi
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -615,6 +620,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Malzeme Talebi
 DocType: Bank Reconciliation,Update Clearance Date,Güncelleme Alma Tarihi
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Paket Adet
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Başvuru onaylanana kadar kredi oluşturulamaz
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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ı
@@ -622,6 +628,7 @@
 DocType: Quiz Result,Correct,Doğru
 DocType: Student Guardian,Mother,Anne
 DocType: Restaurant Reservation,Reservation End Time,Rezervasyon Bitiş Saati
+DocType: Salary Slip Loan,Loan Repayment Entry,Kredi Geri Ödeme Girişi
 DocType: Crop,Biennial,iki yıllık
 ,BOM Variance Report,BOM Varyans Raporu
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Müşteriler Siparişi Onaylandı.
@@ -645,6 +652,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Karşı Ödeme {0} {1} Üstün Tutar daha büyük olamaz {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Tüm Sağlık Hizmeti Birimleri
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Fırsat Dönüştürme Üzerine
+DocType: Loan,Total Principal Paid,Ödenen Toplam Anapara
 DocType: Bank Account,Address HTML,Adres HTML
 DocType: Lead,Mobile No.,Cep No
 DocType: Lead,Mobile No.,Cep No
@@ -665,12 +673,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Temel Para Birimi Dengesi
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Maksimum Sınıf
 DocType: Email Digest,New Quotations,Yeni Fiyat Teklifleri
+DocType: Loan Interest Accrual,Loan Interest Accrual,Kredi Faiz Tahakkuku
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Katılım, {0} için ayrılmadan önce {1} olarak gönderilmedi."
 DocType: Journal Entry,Payment Order,Ödeme talimatı
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,E-mail&#39;i doğrula
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Diğer Kaynaklardan Gelir
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Boş ise, ana Depo Hesabı veya şirket varsayılanı dikkate alınacaktır"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Çalışan seçilen tercih edilen e-posta dayalı çalışana e-postalar maaş kayma
+DocType: Work Order,This is a location where operations are executed.,"Bu, işlemlerin yürütüldüğü bir konumdur."
 DocType: Tax Rule,Shipping County,Kargo İlçe
 DocType: Currency Exchange,For Selling,Satmak için
 apps/erpnext/erpnext/config/desktop.py,Learn,Öğrenin
@@ -679,6 +689,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Uygulamalı Kupon Kodu
 DocType: Asset,Next Depreciation Date,Bir sonraki değer kaybı tarihi
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Çalışan başına Etkinlik Maliyeti
+DocType: Loan Security,Haircut %,Saç kesimi%
 DocType: Accounts Settings,Settings for Accounts,Hesaplar için Ayarlar
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},"Tedarikçi Fatura Numarası, {0} nolu Satınalma Faturasında bulunuyor."
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Satış Elemanı Ağacını Yönetin.
@@ -718,6 +729,7 @@
 DocType: Journal Entry,Multi Currency,Çoklu Para Birimi
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fatura Türü
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fatura Türü
+DocType: Loan,Loan Security Details,Kredi Güvenliği Detayları
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Tarihten itibaren geçerli olan tarih geçerli olandan az olmalıdır
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},{0} uzlaştırırken kural dışı durum oluştu
 DocType: Purchase Invoice,Set Accepted Warehouse,Kabul Edilen Depoyu Ayarla
@@ -836,7 +848,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Laboratuvar Testi Onayı Gerektirir
 DocType: Attendance,Working Hours,Iş saatleri
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Toplam Üstün
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},{2} öğesi için UOM Dönüşüm faktörü ({0} -&gt; {1}) bulunamadı.
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Varolan bir serinin başlangıç / geçerli sıra numarasını değiştirin.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Yüzde, sipariş edilen miktara karşı daha fazla fatura kesmenize izin verir. Örneğin: Bir öğe için sipariş değeri 100 ABD dolarıysa ve tolerans% 10 olarak ayarlandıysa, 110 ABD doları faturalandırmanıza izin verilir."
 DocType: Dosage Strength,Strength,kuvvet
@@ -856,6 +867,7 @@
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampanya E-posta Programı
 DocType: Student Log,Medical,Tıbbi
 DocType: Student Log,Medical,Tıbbi
+DocType: Work Order,This is a location where scraped materials are stored.,"Bu, kazınmış malzemelerin depolandığı bir yerdir."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Lütfen Uyuşturucu Seçiniz
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,Müşteri Aday Kaydı Sahibi Müşteri Adayı olamaz
 DocType: Announcement,Receiver,Alıcı
@@ -963,7 +975,7 @@
 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: BOM,Total Cost (Company Currency),Toplam Maliyet (Şirket Para Birimi)
-DocType: Loan,Total Payment,Toplam ödeme
+DocType: Repayment Schedule,Total Payment,Toplam ödeme
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,"PO, tüm satış siparişi öğeleri için zaten oluşturuldu"
@@ -989,6 +1001,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Satınalma Siparişlerini Uyarın
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Tarihten Kiralanmış
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Yeter Parçaları Build
+DocType: Loan Security,Loan Security Code,Kredi Güvenlik Kodu
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Lütfen önce kaydet
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Maddelerin kendisiyle ilişkili hammaddeleri çekmesi gerekir.
 DocType: POS Profile User,POS Profile User,POS Profil Kullanıcıları
@@ -1054,6 +1067,7 @@
 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,Stock Entries already created for Work Order ,İş Emri için önceden hazırlanmış Stok Girişleri
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Ürün Kodu&gt; Ürün Grubu&gt; Marka
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Geçmiş siparişlere bakın
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ileti dizisi
 DocType: Vital Signs,Respiratory rate,Solunum hızı
@@ -1087,7 +1101,6 @@
 DocType: Company,Delete Company Transactions,Şirket İşlemleri sil
 DocType: Production Plan Item,Quantity and Description,Miktar ve Açıklama
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referans No ve Referans Tarih Banka işlem için zorunludur
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Lütfen Kurulum&gt; Ayarlar&gt; Adlandırma Serisi aracılığıyla {0} için Adlandırma Serisini ayarlayın
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ekle / Düzenle Vergi ve Harçlar
 DocType: Payment Entry Reference,Supplier Invoice No,Tedarikçi Fatura No
 DocType: Payment Entry Reference,Supplier Invoice No,Tedarikçi Fatura No
@@ -1125,6 +1138,8 @@
 DocType: Pricing Rule,Sales Partner,Satış Ortağı
 DocType: Pricing Rule,Sales Partner,Satış Ortağı
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tüm Tedarikçi puan kartları.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Sipariş miktarı
+DocType: Loan,Disbursed Amount,Ödeme Tutarı
 DocType: Buying Settings,Purchase Receipt Required,Gerekli Satın alma makbuzu
 DocType: Sales Invoice,Rail,Demiryolu
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Asıl maliyet
@@ -1168,6 +1183,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks’a bağlandı
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Lütfen tür - {0} türü için Hesap (Muhasebe) tanımlayın / oluşturun
 DocType: Bank Statement Transaction Entry,Payable Account,Ödenecek Hesap
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Ödeme girişleri almak için hesap zorunludur
 DocType: Payment Entry,Type of Payment,Ödeme Türü
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Yarım Gün Tarih zorunludur
 DocType: Sales Order,Billing and Delivery Status,Fatura ve Teslimat Durumu
@@ -1210,7 +1226,7 @@
 DocType: Purchase Order Item,Billed Amt,Faturalı Tutarı
 DocType: Training Result Employee,Training Result Employee,Eğitim Sonucu Çalışan
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Stok girişleri mantıksal Depoya karşı yapıldı
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Anapara tutarı
+DocType: Repayment Schedule,Principal Amount,Anapara tutarı
 DocType: Loan Application,Total Payable Interest,Toplam Ödenecek faiz
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Toplam Üstün: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Kişiyi Aç
@@ -1224,6 +1240,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Öğeleriniz
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Tedarikçi&gt; Tedarikçi Türü
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Teklifi Yazma
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Teklifi Yazma
 DocType: Payment Entry Deduction,Payment Entry Deduction,Ödeme Giriş Kesintisi
@@ -1259,6 +1276,7 @@
 DocType: Batch,Batch Description,Parti Açıklaması
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Öğrenci grupları oluşturma
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Ödeme Gateway Hesabı oluşturulmaz, el bir tane oluşturun lütfen."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Grup Depoları işlemlerde kullanılamaz. Lütfen {0} değerini değiştirin
 DocType: Supplier Scorecard,Per Year,Yıl başına
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Bu programda DOB&#39;a göre kabul edilmemek
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Satır # {0}: Müşterinin satınalma siparişine atanan {1} öğesi silinemiyor.
@@ -1395,7 +1413,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","{0} alt şirketi için hesap oluşturulurken, {1} üst hesabı bulunamadı. Lütfen ilgili COA’da ana hesap oluşturun"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Bölünmüş Sorun
 DocType: Student Attendance,Student Attendance,Öğrenci Seyirci
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Verilecek veri yok
 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
@@ -1409,6 +1426,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Gerçek teslim tarihi
 DocType: Lab Test,Test Template,Test Şablonu
+DocType: Loan Security Pledge,Securities,senetler
 DocType: Restaurant Order Entry Item,Served,sunulan
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Bölüm bilgileri.
 DocType: Account,Accounts,Hesaplar
@@ -1512,6 +1530,7 @@
 DocType: Inpatient Record,O Negative,O Negatif
 DocType: Work Order Operation,Planned End Time,Planlanan Bitiş Zamanı
 DocType: POS Profile,Only show Items from these Item Groups,Sadece bu Öğe Gruplarındaki Öğeleri göster
+DocType: Loan,Is Secured Loan,Teminatlı Kredi
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Memebership Type Details,Memebership Türü Ayrıntılar
 DocType: Delivery Note,Customer's Purchase Order No,Müşterinin Sipariş numarası
@@ -1551,6 +1570,7 @@
 DocType: Asset,Maintenance,Bakım
 DocType: Asset,Maintenance,Bakım
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,Hasta Envanterinden Alın
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},{2} öğesi için UOM Dönüşüm faktörü ({0} -&gt; {1}) bulunamadı.
 DocType: Subscriber,Subscriber,Abone
 DocType: Item Attribute Value,Item Attribute Value,Ürün Özellik Değeri
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Döviz Alış Alış veya Satış için geçerli olmalıdır.
@@ -1652,6 +1672,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,İzin yok
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Sözleşme Yerine Getirilmesi Kontrol Listesi
 DocType: Vital Signs,Heart Rate / Pulse,Nabız / Darbe
+DocType: Customer,Default Company Bank Account,Varsayılan Şirket Banka Hesabı
 DocType: Supplier,Default Bank Account,Varsayılan Banka Hesabı
 DocType: Supplier,Default Bank Account,Varsayılan Banka Hesabı
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",Partiye dayalı seçim için önce Parti Tipi seçiniz
@@ -1779,7 +1800,6 @@
 DocType: Sales Team,Incentives,Teşvikler
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Senkronizasyon Dışı Değerler
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Fark Değeri
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Lütfen Katılım&gt; Numaralandırma Serisi aracılığıyla Katılım için numaralandırma serilerini ayarlayın
 DocType: SMS Log,Requested Numbers,Talep Sayılar
 DocType: Volunteer,Evening,Akşam
 DocType: Quiz,Quiz Configuration,Sınav Yapılandırması
@@ -1799,6 +1819,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Önceki satır toplamı
 DocType: Purchase Invoice Item,Rejected Qty,reddedilen Adet
 DocType: Setup Progress Action,Action Field,Eylem Alanı
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Faiz ve ceza oranları için Kredi Türü
 DocType: Healthcare Settings,Manage Customer,Müşteriyi Yönetin
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Siparişlerinizi senkronize etmeden önce ürünlerinizi daima Amazon MWS&#39;den senkronize edin
 DocType: Delivery Trip,Delivery Stops,Teslimat Durakları
@@ -1812,6 +1833,7 @@
 ,Final Assessment Grades,Final Değerlendirme Notları
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Bu sistemi kurduğunu şirketinizin adı
 DocType: HR Settings,Include holidays in Total no. of Working Days,Çalışma günlerinin toplam sayısı ile tatilleri dahil edin
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,Genel Toplamın% &#39;si
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Enstitünüzü ERPNext&#39;de Kurun
 DocType: Agriculture Analysis Criteria,Plant Analysis,Bitki Analizi
 DocType: Task,Timeline,Zaman çizelgesi
@@ -1820,9 +1842,11 @@
 DocType: Shopify Log,Request Data,Veri İste
 DocType: Employee,Date of Joining,Katılma Tarihi
 DocType: Employee,Date of Joining,Katılma Tarihi
+DocType: Delivery Note,Inter Company Reference,Şirketler Arası Referans
 DocType: Naming Series,Update Series,Seriyi Güncelle
 DocType: Supplier Quotation,Is Subcontracted,Taşerona verilmiş
 DocType: Restaurant Table,Minimum Seating,Minimum Oturma
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Soru kopyalanamaz
 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,Purchase Receipt,Satın Alma İrsaliyesi
@@ -1929,6 +1953,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Senkronizasyon Çevrimdışı Faturalar
 DocType: Payment Request,Paid,Ücretli
 DocType: Service Level,Default Priority,Varsayılan Öncelik
+DocType: Pledge,Pledge,Rehin
 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."
@@ -1942,6 +1967,7 @@
 DocType: Guardian,Guardian Name,Muhafız adı
 DocType: Cheque Print Template,Has Print Format,Baskı Biçimi vardır
 DocType: Support Settings,Get Started Sections,Başlarken Bölümleri
+,Loan Repayment and Closure,Kredi Geri Ödeme ve Kapanışı
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-KURŞUN-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,onaylanmış
 ,Base Amount,Baz Miktarı
@@ -1952,10 +1978,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Yerden
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Kredi tutarı {0} &#39;dan fazla olamaz
 DocType: Student Admission,Publish on website,Web sitesinde yayımlamak
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Tedarikçi Fatura Tarihi, postalama tarihinden büyük olamaz"
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Ürün Kodu&gt; Ürün Grubu&gt; Marka
 DocType: Subscription,Cancelation Date,İptal Tarihi
 DocType: Purchase Invoice Item,Purchase Order Item,Satınalma Siparişi Ürünleri
 DocType: Agriculture Task,Agriculture Task,Tarım Görevi
@@ -1976,7 +2002,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Ek iskonto yüzdesi
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Tüm yardım videoların bir listesini görüntüleyin
 DocType: Agriculture Analysis Criteria,Soil Texture,Toprak dokusu
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Çekin yatırıldığı bankadaki hesap başlığını seçiniz
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Kullanıcıya işlemlerdeki Fiyat Listesi Oranını düzenlemek için izin ver
 DocType: Pricing Rule,Max Qty,En fazla miktar
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Rapor Kartı Yazdır
@@ -2118,7 +2143,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Ayarlandıktan sonra, bu fatura belirlenen tarihe kadar beklemeye alınır."
 DocType: Cashier Closing,POS-CLO-,POS-ClO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Satış Tutarı
-DocType: Repayment Schedule,Interest Amount,Faiz Tutarı
+DocType: Loan Interest Accrual,Interest Amount,Faiz Tutarı
 DocType: Job Card,Time Logs,Zaman Günlükleri
 DocType: Sales Invoice,Loyalty Amount,Bağlılık Tutarı
 DocType: Employee Transfer,Employee Transfer Detail,Çalışan Transfer Detayı
@@ -2133,6 +2158,7 @@
 DocType: Cashier Closing,Returns,İade
 DocType: Job Card,WIP Warehouse,WIP Depo
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Seri No {0} Bakım sözleşmesi {1} uyarınca bakımda
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},{0} {1} için Onaylanan Tutar sınırı aşıldı
 apps/erpnext/erpnext/config/hr.py,Recruitment,İşe Alım
 DocType: Lead,Organization Name,Kuruluş Adı
 DocType: Lead,Organization Name,Kuruluş Adı
@@ -2163,7 +2189,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Satın alınan siparişler gecikmiş ürünler
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Posta Kodu
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Satış Sipariş {0} {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Stok Girişleri Yapımı
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Çalışan durumu solda tanıtılamaz
@@ -2254,7 +2279,6 @@
 DocType: Salary Slip,Deductions,Kesintiler
 DocType: Setup Progress Action,Action Name,İşlem Adı
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Başlangıç yılı
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Kredi Yarat
 DocType: Purchase Invoice,Start date of current invoice's period,Cari fatura döneminin Başlangıç tarihi
 DocType: Shift Type,Process Attendance After,İşlem Sonrasına Devam Etme
 ,IRS 1099,IRS 1099
@@ -2276,6 +2300,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Çalışma alanlarınızı seçin
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Tedarikçi
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ödeme Faturası Öğeleri
+DocType: Repayment Schedule,Is Accrued,Tahakkuk Edildi
 DocType: Payroll Entry,Employee Details,Çalışan Bilgileri
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML Dosyalarını İşleme
 DocType: Amazon MWS Settings,CN,CN
@@ -2309,6 +2334,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Bağlılık Noktası Girişi
 DocType: Employee Checkin,Shift End,Vardiya sonu
 DocType: Stock Settings,Default Item Group,Standart Ürün Grubu
+DocType: Loan,Partially Disbursed,Kısmen dönemlerde toplanan
 DocType: Job Card Time Log,Time In Mins,Dakikalarda Zaman
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Bilgi verin.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Bu işlem, bu hesabın, ERPNext&#39;i banka hesaplarınızla entegre eden herhangi bir harici hizmetle bağlantısını kesecektir. Geri alınamaz. Emin misin ?"
@@ -2325,6 +2351,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Aynı madde birden çok kez girilemez.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Kredi Kapanışı
 DocType: Call Log,Lead,Potansiyel Müşteri
 DocType: Email Digest,Payables,Borçlar
 DocType: Email Digest,Payables,Borçlar
@@ -2360,6 +2387,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Çalışan Vergi ve Yardımları
 DocType: Bank Guarantee,Validity in Days,Gün İçinde Geçerlilik
 DocType: Bank Guarantee,Validity in Days,Gün İçinde Geçerlilik
+DocType: Unpledge,Haircut,saç kesimi
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-Formu bu fatura için uygulanamaz: {0}
 DocType: Certified Consultant,Name of Consultant,Danışmanın adı
 DocType: Payment Reconciliation,Unreconciled Payment Details,Mutabakatı Yapılmamış Ödeme Ayrıntıları
@@ -2419,7 +2447,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Dünyanın geri kalanı
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Öğe {0} Toplu olamaz
 DocType: Crop,Yield UOM,Verim UOM
+DocType: Loan Security Pledge,Partially Pledged,Kısmen Rehin Verildi
 ,Budget Variance Report,Bütçe Fark Raporu
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Onaylanan Kredi Tutarı
 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,Get Items from Healthcare Services,Sağlık Hizmetlerinden Ürün Alın
@@ -2455,6 +2485,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Hesap {0} her zaman dengede olmalı {1}
 DocType: Patient Appointment,More Info,Daha Fazla Bilgi
 DocType: Patient Appointment,More Info,Daha Fazla Bilgi
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,"Doğum Tarihi, Giriş Tarihinden daha büyük olamaz."
 DocType: Supplier Scorecard,Scorecard Actions,Kart Kartı İşlemleri
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Tedarikçi {0} {1} konumunda bulunamadı
 DocType: Purchase Invoice,Rejected Warehouse,Reddedilen Depo
@@ -2562,6 +2593,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Lütfen Önce Öğe Kodunu ayarlayın
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doküman Türü
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Kredi Güvenliği Rehin Yaratıldı: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,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ı
@@ -2621,6 +2653,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Eşzamanlı Randevu Sayısı
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Başlamak
 DocType: Purchase Invoice,Taxes and Charges Calculation,Vergiler ve Ücretleri Hesaplama
+DocType: Loan Interest Accrual,Payable Principal Amount,Ödenecek Anapara Tutarı
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Varlık Amortisman Kayıtını Otomatik Olarak Kaydedin
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Varlık Amortisman Kayıtını Otomatik Olarak Kaydedin
 DocType: BOM Operation,Workstation,İş İstasyonu
@@ -2664,7 +2697,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Yiyecek Grupları
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Yaşlanma Aralığı 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Kapanış Makbuzu Detayları
-DocType: Bank Account,Is the Default Account,Varsayılan Hesap
 DocType: Shopify Log,Shopify Log,Shopify Günlüğü
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,İletişim bulunamadı.
 DocType: Inpatient Occupancy,Check In,Giriş
@@ -2730,12 +2762,14 @@
 DocType: Sales Order Item,Planned Quantity,Planlanan Miktar
 DocType: Water Analysis,Water Analysis Criteria,Su Analiz Kriterleri
 DocType: Item,Maintain Stock,Stok koruyun
+DocType: Loan Security Unpledge,Unpledge Time,Unpledge Zamanı
 DocType: Terms and Conditions,Applicable Modules,Uygulanabilir modülleri
 DocType: Employee,Prefered Email,Tercih edilen e-posta
 DocType: Student Admission,Eligibility and Details,Uygunluk ve Ayrıntılar
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Brüt Kâr Dahil
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Sabit Varlık Net Değişim
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Adet
+DocType: Work Order,This is a location where final product stored.,"Bu, nihai ürünün depolandığı bir konumdur."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Max: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,DateTime Gönderen
@@ -2780,8 +2814,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Garanti / AMC Durum
 ,Accounts Browser,Hesap Tarayıcı
 DocType: Procedure Prescription,Referral,Referans
+,Territory-wise Sales,Bölge Satışları
 DocType: Payment Entry Reference,Payment Entry Reference,Ödeme giriş Referans
 DocType: GL Entry,GL Entry,GL Girdisi
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Satır # {0}: Kabul Edilen Depo ve Tedarikçi Deposu aynı olamaz
 DocType: Support Search Source,Response Options,Yanıt Seçenekleri
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Birden Çok Fiyatlandırma Kuralı Uygula
 DocType: HR Settings,Employee Settings,Çalışan Ayarları
@@ -2848,6 +2884,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Tarım (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Ambalaj Makbuzu
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Lütfen Kurulum&gt; Ayarlar&gt; Adlandırma Serisi aracılığıyla {0} için Adlandırma Serisini ayarlayın
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Ofis Kiraları
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Ofis Kiraları
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Kurulum SMS ağ geçidi ayarları
@@ -2867,6 +2904,7 @@
 DocType: Item,Sales Details,Satış Ayrıntılar
 DocType: Coupon Code,Used,Kullanılmış
 DocType: Opportunity,With Items,Öğeler ile
+DocType: Vehicle Log,last Odometer Value ,son Kilometre Sayacı Değeri
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',"&#39;{0}&#39; Kampanyası, {1} &#39;{2}&#39; için zaten var"
 DocType: Asset Maintenance,Maintenance Team,Bakım ekibi
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Hangi bölümlerin görünmesi gerektiğini sıralayın. 0 birinci, 1 ikinci ve benzeri."
@@ -2878,7 +2916,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Gider Talep {0} zaten Araç giriş için var
 DocType: Asset Movement Item,Source Location,Kaynak Konum
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Kurum İsmi
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,geri ödeme miktarı giriniz
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,geri ödeme miktarı giriniz
 DocType: Shift Type,Working Hours Threshold for Absent,Devamsızlık için Çalışma Saatleri Eşiği
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,"Toplam harcanan toplamı baz alarak çok katmanlı toplama faktörü olabilir. Ancak, itfa için dönüşüm faktörü, tüm katmanlar için her zaman aynı olacaktır."
 apps/erpnext/erpnext/config/help.py,Item Variants,Öğe Türevleri
@@ -2904,6 +2942,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} {2} &#39;den küçük olmalı
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Lütfen önce Başvuru Türü&#39;nü seçin
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Malzeme Listesini, Miktarı ve Depoyu Seçin"
 DocType: GST HSN Code,GST HSN Code,GST HSN Kodu
 DocType: Employee External Work History,Total Experience,Toplam Deneyim
@@ -2999,7 +3038,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",{0} öğesi için aktif BOM bulunamadı. Teslimat \ Seri No ile sağlanamaz
 DocType: Sales Partner,Sales Partner Target,Satış Ortağı Hedefi
-DocType: Loan Type,Maximum Loan Amount,Maksimum Kredi Miktarı
+DocType: Loan Application,Maximum Loan Amount,Maksimum Kredi Miktarı
 DocType: Coupon Code,Pricing Rule,Fiyatlandırma Kuralı
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},{0} öğrencisi için yinelenen rulo numarası
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},{0} öğrencisi için yinelenen rulo numarası
@@ -3025,6 +3064,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},İzinler {0} için başarıyla tahsis edildi
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,Ambalajlanacak Ürün Yok
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Şu anda yalnızca .csv ve .xlsx dosyaları desteklenmektedir
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Lütfen İnsan Kaynakları&gt; İK Ayarları bölümünde Çalışan Adlandırma Sistemini kurun
 DocType: Shipping Rule Condition,From Value,Değerden
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
@@ -3112,6 +3152,7 @@
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,{0} e-posta adresine sahip öğrenci mevcut değil
 DocType: Account,Account Name,Hesap adı
 DocType: Account,Account Name,Hesap adı
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},{1} şirketine karşı {0} için Onaylanan Kredi Tutarı zaten var
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Tarihten itibaren tarihe kadardan ileride olamaz
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Seri No {0} miktar {1} kesir olamaz
 DocType: Pricing Rule,Apply Discount on Rate,Fiyatına İndirim Uygula
@@ -3186,6 +3227,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Net kazanç
 DocType: Purchase Invoice,Eligibility For ITC,ITC için uygunluk
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Unpledged
 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,Net Change in Accounts Payable,Borç Hesapları Net Değişim
@@ -3198,6 +3240,7 @@
 DocType: Quotation,Term Details,Dönem Ayrıntıları
 DocType: Quotation,Term Details,Dönem Ayrıntıları
 DocType: Item,Over Delivery/Receipt Allowance (%),Fazla Teslimat / Makbuz Ödeneği (%)
+DocType: Appointment Letter,Appointment Letter Template,Randevu Mektubu Şablonu
 DocType: Employee Incentive,Employee Incentive,Çalışan Teşviki
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,Bu öğrenci grubu için {0} öğrencilere göre daha kayıt olamaz.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),Toplam (Vergisiz)
@@ -3222,6 +3265,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.","Serial No ile teslim edilemedi \ Item {0}, \ Serial No."
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Fatura İptaline İlişkin Ödeme bağlantısını kaldır
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Süreç Kredisi Faiz Tahakkuku
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Girilen Güncel Yolölçer okuma başlangıç Araç Odometrenin daha fazla olmalıdır {0}
 ,Purchase Order Items To Be Received or Billed,Alınacak veya Faturalandırılacak Sipariş Öğelerini Satın Alın
 DocType: Restaurant Reservation,No Show,Gösterim Yok
@@ -3315,6 +3359,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kar/zarar hesabı {2} için Masraf Merkezi tanımlanmalıdır. Lütfen aktif şirket için varsayılan bir Masraf Merkezi tanımlayın.
 DocType: Payment Schedule,Payment Term,Ödeme koşulu
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Aynı adda bir Müşteri Grubu bulunmaktadır. Lütfen Müşteri Grubu ismini değiştirin.
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,"Giriş Bitiş Tarihi, Giriş Başlangıç Tarihinden büyük olmalıdır."
 DocType: Location,Area,alan
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Yeni bağlantı
 DocType: Company,Company Description,Şirket tanımı
@@ -3398,6 +3443,7 @@
 DocType: Purchase Order Item,Warehouse and Reference,Depo ve Referans
 DocType: Purchase Order Item,Warehouse and Reference,Depo ve Referans
 DocType: Payroll Period Date,Payroll Period Date,Bordro Dönemi Tarihi
+DocType: Loan Disbursement,Against Loan,Krediye Karşı
 DocType: Supplier,Statutory info and other general information about your Supplier,Tedarikçiniz hakkında yasal bilgiler ve diğer genel bilgiler
 DocType: Item,Serial Nos and Batches,Seri No ve Katlar
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Öğrenci Grubu Gücü
@@ -3468,6 +3514,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Bir şirket seçin
 DocType: Delivery Settings,Delivery Settings,Teslimat Ayarları
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Veriyi getir
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},{0} dan fazla miktar {0} miktarını kaldıramazsınız
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},{0} izin türünde izin verilen maksimum izin {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 Öğe Yayınla
 DocType: SMS Center,Create Receiver List,Alıcı listesi oluşturma
@@ -3627,6 +3674,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Esas Tutar (Şirket Para Birimi)
 DocType: Purchase Invoice,Registered Regular,Kayıtlı Düzenli
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,İşlenmemiş içerikler
+DocType: Plaid Settings,sandbox,kum havuzu
 DocType: Payment Reconciliation Payment,Reference Row,referans Satır
 DocType: Installation Note,Installation Time,Kurulum Zaman
 DocType: Installation Note,Installation Time,Kurulum Zaman
@@ -3642,12 +3690,11 @@
 DocType: Leave Ledger Entry,Transaction Type,işlem tipi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kabul Kriterleri
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Yukarıdaki tabloda Malzeme İstekleri giriniz
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Toplam Ödenecek Tutar
 DocType: Task,Expected Time (in hours),(Saat) Beklenen Zaman
 DocType: Item Reorder,Check in (group),(Grup) kontrol
 DocType: Soil Texture,Silt,alüvyon
@@ -3681,6 +3728,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Gönderilmemiş Vergi İstisnası Kanıtı için Vergi İndirimi
 DocType: Volunteer,Anytime,İstediğin zaman
 DocType: Bank Account,Bank Account No,Banka hesap numarası
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Ödeme ve Geri Ödeme
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Çalışan Vergi Muafiyeti Proof Sunumu
 DocType: Patient,Surgical History,Cerrahi Tarih
 DocType: Bank Statement Settings Item,Mapped Header,Eşlenen Üstbilgi
@@ -3749,6 +3797,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Satış Faturası Gönderiminde Lab Testleri Oluşturun
 DocType: Serial No,Invoice Details,Fatura detayları
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Vergi İstisnası Beyannamesi sunulmadan önce Maaş Yapısı ibraz edilmelidir
+DocType: Loan Application,Proposed Pledges,Önerilen Rehinler
 DocType: Grant Application,Show on Website,Web sitesinde göster
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Başla
 DocType: Hub Tracked Item,Hub Category,Hub Kategorisi
@@ -3760,7 +3809,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tedarikçi Puan Kartı Daimi
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Satır {0}: Malzeme Listesi Öğe için bulunamadı {1}
 DocType: Contract Fulfilment Checklist,Requirement,gereklilik
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Lütfen İnsan Kaynakları&gt; İK Ayarları bölümünde Çalışan Adlandırma Sistemini kurun
 DocType: Journal Entry,Accounts Receivable,Alacak hesapları
 DocType: Journal Entry,Accounts Receivable,Alacak hesapları
 DocType: Quality Goal,Objectives,Hedefler
@@ -3774,6 +3822,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Mutabık girdileri dahil edin
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,"Tahsis edilen toplam tutar ({0}), ödenen tutardan ({1}) elde edilir."
 DocType: Landed Cost Voucher,Distribute Charges Based On,Dağıt Masraflar Dayalı
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Ücretli tutar {0} &#39;dan az olamaz
 DocType: Projects Settings,Timesheets,Mesai kartları
 DocType: HR Settings,HR Settings,İK Ayarları
 DocType: HR Settings,HR Settings,İK Ayarları
@@ -3932,6 +3981,7 @@
 DocType: Employee,Health Insurance,Sağlık Sigortası
 DocType: Asset Repair,Manufacturing Manager,Üretim Müdürü
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Seri No {0} {1} uyarınca garantide
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,"Kredi Tutarı, önerilen menkul kıymetlere göre maksimum {0} kredi tutarını aşıyor"
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimum İzin Verilebilir Değer
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,{0} kullanıcısı zaten mevcut
 apps/erpnext/erpnext/hooks.py,Shipments,Gönderiler
@@ -3980,7 +4030,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,İş türü
 DocType: Sales Invoice,Consumer,Tüketici
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","En az bir satırda Tahsis Tutar, Fatura Türü ve Fatura Numarası seçiniz"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Lütfen Kurulum&gt; Ayarlar&gt; Adlandırma Serisi aracılığıyla {0} için Adlandırma Serisini ayarlayın
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Yeni Satın Alma Maliyeti
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ürün {0}için Satış Sipariş  gerekli
 DocType: Grant Application,Grant Description,Grant Açıklama
@@ -3991,6 +4040,7 @@
 DocType: Subscription,Discounts,İndirimler
 DocType: Bank Transaction,Unallocated Amount,ayrılmamış Tutar
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Lütfen Satın Alma Siparişinde Uygulanabilirliği Etkinleştirin ve Gerçekleşen Rezervasyonlara Uygulanabilir
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} bir şirket banka hesabı değil
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Eşleşen bir öğe bulunamıyor. Için {0} diğer bazı değer seçiniz.
 DocType: POS Profile,Taxes and Charges,Vergi ve Harçlar
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Bir Ürün veya satın alınan, satılan veya stokta tutulan bir hizmet."
@@ -4042,6 +4092,7 @@
 DocType: Employee Skill,Evaluation Date,Değerlendirme tarihi
 DocType: Quotation Item,Stock Balance,Stok Bakiye
 DocType: Quotation Item,Stock Balance,Stok Bakiye
+DocType: Loan Security Pledge,Total Security Value,Toplam Güvenlik Değeri
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ödeme Satış Sipariş
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Vergi Ödeme İle
@@ -4054,6 +4105,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},"{0} hesabı, {1} gösterge tablosunda yok"
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Varyant Özelliklerini Göster
@@ -4140,6 +4192,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Güncel Değerleme Oranı
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Kök hesap sayısı 4&#39;ten az olamaz
 DocType: Training Event,Advance,İlerlemek
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Krediye Karşı:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless ödeme ağ geçidi ayarları
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Kambiyo Kâr / Zarar
 DocType: Opportunity,Lost Reason,Kayıp Nedeni
@@ -4229,9 +4282,11 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Toplu İş Numarayı Seç
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Geçersiz {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Satır {0}: Kardeş Doğum Tarihi bugünden daha büyük olamaz.
 DocType: Fee Validity,Reference Inv,Referans Inv
 DocType: Sales Invoice Advance,Advance Amount,Avans miktarı
 DocType: Sales Invoice Advance,Advance Amount,Avans Tutarı
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Günlük Ceza Faiz Oranı (%)
 DocType: Manufacturing Settings,Capacity Planning,Kapasite Planlama
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Yuvarlama Ayarı (Şirket Kuru
 DocType: Asset,Policy number,Poliçe numarası
@@ -4248,7 +4303,9 @@
 DocType: Normal Test Items,Require Result Value,Sonuç Değerini Gerektir
 DocType: Purchase Invoice,Pricing Rules,Fiyatlandırma Kuralları
 DocType: Item,Show a slideshow at the top of the page,Sayfanın üstünde bir slayt gösterisi göster
+DocType: Appointment Letter,Body,Vücut
 DocType: Tax Withholding Rate,Tax Withholding Rate,Vergi Stopaj Oranı
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Vadeli krediler için geri ödeme başlangıç tarihi zorunludur
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Ürün Ağaçları
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Mağazalar
@@ -4271,7 +4328,7 @@
 DocType: Call Log,Received By,Tarafından alındı
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Randevu Süresi (Dakika)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Nakit Akışı Eşleme Şablonu Ayrıntıları
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Kredi Yönetimi
+DocType: Loan,Loan Management,Kredi Yönetimi
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Ayrı Gelir izlemek ve ürün dikey veya bölümler için Gider.
 DocType: Rename Tool,Rename Tool,yeniden adlandırma aracı
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Güncelleme Maliyeti
@@ -4280,6 +4337,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Formu
 DocType: Sales Invoice,Mode of Transport,Ulaşım modu
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Göster Maaş Kayma
+DocType: Loan,Is Term Loan,Vadeli Kredi
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfer Malzemesi
 DocType: Fees,Send Payment Request,Ödeme Talebi Gönderme
 DocType: Travel Request,Any other details,Diğer detaylar
@@ -4299,6 +4357,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Finansman Nakit Akışı
 DocType: Budget Account,Budget Account,Bütçe Hesabı
 DocType: Quality Inspection,Verified By,Onaylayan Kişi
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Kredi Güvenliği Ekleme
 DocType: Travel Request,Name of Organizer,Organizatörün Adı
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Mevcut işlemler olduğundan, şirketin varsayılan para birimini değiştiremezsiniz. İşlemler Varsayılan para birimini değiştirmek için iptal edilmelidir."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Gelir Vergisi Yükümlülüğü Var mı
@@ -4352,6 +4411,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Gerekli Açık
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","İşaretlenirse, Maaş Fişlerindeki Yuvarlatılmış Toplam alanını gizler ve devre dışı bırakır"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,"Bu, Müşteri Siparişlerindeki Teslim Tarihi için varsayılan ofsettir (gün). Yedek ofset, sipariş yerleşim tarihinden itibaren 7 gündür."
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Lütfen Katılım&gt; Numaralandırma Serisi aracılığıyla Katılım için numaralandırma serilerini ayarlayın
 DocType: Rename Tool,File to Rename,Rename Dosya
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Abonelik Güncellemeleri Al
@@ -4364,6 +4424,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Oluşturulan Seri Numaraları
 DocType: POS Profile,Applicable for Users,Kullanıcılar için geçerlidir
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Başlangıç Tarihi ve Bitiş Tarihi Zorunludur
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Proje ve Tüm Görevler {0} durumuna ayarlansın mı?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Avansları ve Tahsisleri Ayarla (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,İş emri oluşturulmadı
@@ -4373,6 +4434,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Tarafından öğeleri
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Satın Öğeler Maliyeti
 DocType: Employee Separation,Employee Separation Template,Çalışan Ayırma Şablonu
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},{0} sıfır adet kredi {0} almayı taahhüt etti
 DocType: Selling Settings,Sales Order Required,Satış Sipariş Gerekli
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Satıcı Olun
 ,Procurement Tracker,Tedarik Takibi
@@ -4475,7 +4537,7 @@
 ,Minutes to First Response for Opportunity,Fırsat İlk Tepki Dakika
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Toplam Yok
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Ödenebilir miktar
+DocType: Loan Repayment,Payable Amount,Ödenebilir miktar
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Ölçü Birimi
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Ölçü Birimi
 DocType: Fiscal Year,Year End Date,Yıl Bitiş Tarihi
@@ -4483,6 +4545,7 @@
 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,Opportunity,Fırsat
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Fırsat
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maksimum güç sıfırdan az olamaz.
 DocType: Options,Option,seçenek
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},{0} kapalı muhasebe döneminde muhasebe girişi oluşturamazsınız.
 DocType: Operation,Default Workstation,Standart İstasyonu
@@ -4527,6 +4590,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Faiz Tutarı zorunludur
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Sonraki adımlar
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Kaydedilen Öğeler
@@ -4598,8 +4662,6 @@
 DocType: Grant Application,Grant Application Details ,Hibe Başvurusu Ayrıntıları
 DocType: Employee Separation,Employee Separation,Çalışan Ayrılığı
 DocType: BOM Item,Original Item,Orijinal öğe
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Bu dokümanı iptal etmek için lütfen Çalışan <a href=""#Form/Employee/{0}"">{0}</a> \ &#39;yı silin"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doküman Tarihi
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Ücret Kayıtları düzenlendi - {0}
 DocType: Asset Category Account,Asset Category Account,Varlık Tipi Hesabı
@@ -4639,6 +4701,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Laboratuar Test Öğesi {0} zaten var
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} şirket tatilidir
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Faturalandırılabilir Saatler
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,"Gecikmeli geri ödeme durumunda, günlük olarak askıya alınan faiz oranı üzerinden tahakkuk eden faiz oranı alınır."
+DocType: Appointment Letter content,Appointment Letter content,Randevu Mektubu içeriği
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Durum Bildirimini Bırak
 DocType: Patient Appointment,Procedure Prescription,Prosedür Reçete
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Döşeme ve demirbaşlar
@@ -4659,8 +4723,8 @@
 DocType: Opportunity,Customer / Lead Name,Müşteri/ İlk isim
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Gümrükleme Tarih belirtilmeyen
 DocType: Payroll Period,Taxable Salary Slabs,Vergilendirilebilir Maaş Levhaları
-DocType: Job Card,Production,Üretim
-DocType: Job Card,Production,Üretim
+DocType: Plaid Settings,Production,Üretim
+DocType: Plaid Settings,Production,Üretim
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Geçersiz GSTIN! Girdiğiniz giriş GSTIN biçimiyle eşleşmiyor.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Hesap değeri
 DocType: Guardian,Occupation,Meslek
@@ -4817,6 +4881,7 @@
 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,Student {0} does not belong to group {1},{0} öğrencisi {1} grubuna ait değil
+DocType: Appointment Letter,Appointment Date,Randevu Tarihi
 DocType: Budget,Cost Center,Maliyet Merkezi
 DocType: Budget,Cost Center,Maliyet Merkezi
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Föy #
@@ -4896,6 +4961,7 @@
 ,Profit and Loss Statement,Kar ve Zarar Tablosu
 DocType: Bank Reconciliation Detail,Cheque Number,Çek Numarası
 DocType: Bank Reconciliation Detail,Cheque Number,Çek Numarası
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Ödenen tutar sıfır olamaz
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} ile referans verilen öğe faturalandırıldı
 ,Sales Browser,Satış Tarayıcı
 DocType: Journal Entry,Total Credit,Toplam Kredi
@@ -5017,6 +5083,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Kupon Koşulları Ekle / Düzenle
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Gider / Fark hesabı({0}), bir 'Kar veya Zarar' hesabı olmalıdır"
 DocType: Stock Entry Detail,Stock Entry Child,Stok girişi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Kredi Güvenliği Rehin Şirketi ve Kredi Şirketi aynı olmalıdır
 DocType: Project,Copied From,Kopyalanacak
 DocType: Project,Copied From,Kopyalanacak
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,"Fatura, tüm faturalandırma saatleri için zaten oluşturuldu"
@@ -5026,6 +5093,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Mali Maliyet mi
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Çalışan {0} için devam zaten işaretlenmiştir
 DocType: Packing Slip,If more than one package of the same type (for print),(Baskı için) aynı ambalajdan birden fazla varsa
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Lütfen Eğitim&gt; Eğitim Ayarları bölümünde Eğitmen Adlandırma Sistemini kurun
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,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: Company,Default warehouse for Sales Return,Satış İadesi için varsayılan depo
@@ -5071,8 +5139,8 @@
 DocType: Stock Reconciliation Item,Current Serial No,Geçerli Seri No
 DocType: Employee,Attendance and Leave Details,Katılım ve Ayrıntı Ayrıntıları
 ,BOM Comparison Tool,BOM Karşılaştırma Aracı
-,Requested,Talep
-,Requested,Talep
+DocType: Loan Security Pledge,Requested,Talep
+DocType: Loan Security Pledge,Requested,Talep
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -5084,7 +5152,6 @@
 DocType: Drug Prescription,Drug Prescription,İlaç Reçetesi
 DocType: Service Level,Support and Resolution,Destek ve Çözünürlük
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Ücretsiz ürün kodu seçilmedi
-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ı
@@ -5120,6 +5187,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Zaten değerlendirme kriteri {} için değerlendirdiniz.
+DocType: Loan Security Shortfall,Shortfall Amount,Eksiklik Tutarı
 DocType: Vehicle Service,Engine Oil,Motor yağı
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Oluşturulan İş Emirleri: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Lütfen Lider {0} için bir e-posta kimliği belirleyin
@@ -5140,6 +5208,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},{0} gösterge tablosu grafiği için hesap ayarlanmadı
 DocType: Purchase Invoice,Apply Additional Discount On,Ek İndirim On Uygula
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Türü seçin ...
+DocType: Loan Interest Accrual,Amounts,tutarlar
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Biletleriniz
 DocType: Account,Root Type,Kök Tipi
 DocType: Account,Root Type,Kök Tipi
@@ -5148,6 +5217,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Satır # {0}: daha geri olamaz {1} Öğe için {2}
 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: Loan Security Price,Loan Security Price,Kredi Güvenliği Fiyatı
 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,Target warehouse is mandatory for row {0},Satır {0} için hedef depo zorunludur
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Perakende İşlemleri
@@ -5302,6 +5372,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Parti {0}. satırda zorunludur
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Parti {0}. satırda zorunludur
 DocType: Company,Default Buying Terms,Varsayılan Satın Alma Koşulları
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Kredi kullanımı
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Tedarik edilen satın alma makbuzu ürünü
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Zamanlanmış Senkronizasyonu Etkinleştir
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,DateTime için
@@ -5330,6 +5401,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0} ve {1} arasındaki bahis değerini girin
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Sorgu kaynağı kampanya ise kampanya adı girin
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Gazete Yayıncıları
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},{0} için geçerli bir <b>Kredi Güvenlik Fiyatı</b> bulunamadı
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Gelecek tarihlere izin verilmiyor
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,"Beklenen Teslim Tarihi, Satış Sipariş Tarihinden sonra olmalıdır"
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Yeniden Sipariş Seviyesi
@@ -5407,6 +5479,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Teklif / Fiyat Teklifi
 DocType: Antibiotic,Healthcare,Sağlık hizmeti
 DocType: Target Detail,Target Detail,Hedef Detayı
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Kredi Süreçleri
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Tek Çeşit
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Tüm İşler
 DocType: Sales Order,% of materials billed against this Sales Order,% malzemenin faturası bu Satış Emri karşılığında oluşturuldu
@@ -5471,7 +5544,7 @@
 DocType: Item,Reorder level based on Warehouse,Depo dayalı Yeniden Sipariş seviyeli
 DocType: Activity Cost,Billing Rate,Fatura Oranı
 ,Qty to Deliver,Teslim Edilecek Miktar
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Ödeme Girişi Oluştur
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Ödeme Girişi Oluştur
 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,Operations cannot be left blank,Operasyon boş bırakılamaz
@@ -5509,6 +5582,7 @@
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Uygun bir ödeme seçin
 DocType: Pricing Rule,Item Code,Ürün Kodu
 DocType: Pricing Rule,Item Code,Ürün Kodu
+DocType: Loan Disbursement,Pending Amount For Disbursal,Ödeme için Bekleyen Tutar
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detayları
 DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detayları
@@ -5535,6 +5609,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Adet Toplam
 DocType: Landed Cost Item,Receipt Document,makbuz Belgesi
 DocType: Employee Education,School/University,Okul / Üniversite
+DocType: Loan Security Pledge,Loan  Details,Kredi Detayları
 DocType: Sales Invoice Item,Available Qty at Warehouse,Depodaki mevcut miktar
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Faturalı Tutar
 DocType: Share Transfer,(including),(dahildir)
@@ -5560,6 +5635,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Gruplar
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Hesap Grubu
 DocType: Purchase Invoice,Hold Invoice,Faturayı Tut
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Rehin Durumu
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Lütfen Çalışan seçin
 DocType: Sales Order,Fully Delivered,Tamamen Teslim Edilmiş
 DocType: Promotional Scheme Price Discount,Min Amount,Min Miktarı
@@ -5570,7 +5646,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Bir Kullanım Tutarı Kredi Miktarı daha büyük olamaz {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Satır {0} # Tahsis edilen tutar {1}, talep edilmeyen tutardan {2} daha büyük olamaz"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Ürüni {0} için Satınalma Siparişi numarası gerekli
 DocType: Leave Allocation,Carry Forwarded Leaves,Yönlendirilen Yapraklar Carry
@@ -5598,6 +5673,7 @@
 DocType: Pick List Item,Serial No and Batch,Seri No ve Toplu
 DocType: Warranty Claim,From Company,Şirketten
 DocType: GSTR 3B Report,January,Ocak
+DocType: Loan Repayment,Principal Amount Paid,Ödenen Anapara Tutarı
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Değerlendirme Kriterleri Puanlarının Toplamı {0} olması gerekir.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Amortisman Sayısı rezervasyonu ayarlayın
 DocType: Supplier Scorecard Period,Calculations,Hesaplamalar
@@ -5625,6 +5701,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Şirketiniz hakkında
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Stok Yaşlanma Verilerini Göster
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Hesabın için Kredi bir bilanço hesabı olmalıdır
+DocType: Loan Repayment,Penalty Amount,Ceza Miktarı
 DocType: Donor,Donor,verici
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Öğeler için Vergileri Güncelle
 DocType: Global Defaults,Disable In Words,Words devre dışı bırak
@@ -5657,6 +5734,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Maliyet Merkezi ve Bütçeleme
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Açılış Bakiyesi Hisse
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Kısmi Ücretli Giriş
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Lütfen Ödeme Planını ayarlayın
 DocType: Pick List,Items under this warehouse will be suggested,Bu depo altındaki ürünler önerilecektir
 DocType: Purchase Invoice,N,N-
@@ -5690,7 +5768,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} öğesi için {0} bulunamadı
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Değer {0} ve {1} arasında olmalıdır
 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,"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,Message Sent,Gönderilen Mesaj
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Gönderilen Mesaj
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,Alt düğümleri olan hesaplar Hesap Defteri olarak ayarlanamaz
@@ -5706,6 +5783,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Otomatik Yeniden Siparişi Etkinleştir
 DocType: Stock Settings,Item Naming By,Ürün adlandırma
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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: Proposed Pledge,Proposed Pledge,Önerilen Rehin
 DocType: Work Order,Material Transferred for Manufacturing,Üretim için Transfer edilen Materyal
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Hesap {0} yok
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Bağlılık Programı Seç
@@ -5717,7 +5795,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Olaylar ayarlanması {0}, Satış Kişilerin altına bağlı çalışan bir kullanıcı kimliğine sahip olmadığından {1}"
 DocType: Timesheet,Billing Details,Fatura Detayları
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kaynak ve hedef depo farklı olmalıdır
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Lütfen İnsan Kaynakları&gt; İK Ayarları bölümünde Çalışan Adlandırma Sistemini kurun
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Ödeme başarısız. Daha fazla bilgi için lütfen GoCardless Hesabınızı kontrol edin
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} dan eski stok işlemlerini güncellemeye izin yok
 DocType: Stock Entry,Inspection Required,Muayene Gerekli
@@ -5730,6 +5807,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Teslim depo stok kalemi için gerekli {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Paketin brüt ağırlığı. Genellikle net ağırlığı + ambalaj Ürünü ağırlığı. (Baskı için)
 DocType: Assessment Plan,Program,program
+DocType: Unpledge,Against Pledge,Rehin Karşısında
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Bu role sahip kullanıcıların dondurulmuş hesapları ayarlama ve dondurulmuş hesaplara karşı muhasebe girdileri oluşturma/düzenleme yetkileri vardır
 DocType: Plaid Settings,Plaid Environment,Ekose Çevre
 ,Project Billing Summary,Proje Fatura Özeti
@@ -5784,6 +5862,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partiler
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Randevuların önceden alınabileceği gün sayısı
 DocType: Article,LMS User,LMS Kullanıcısı
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Teminatlı kredi için Kredi Güvencesi Rehni zorunludur
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Tedarik Yeri (Devlet / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Stok Ölçü Birimi
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Satınalma Siparişi {0} teslim edilmedi
@@ -5863,6 +5942,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,İş kartı oluştur
 DocType: Quotation,Referral Sales Partner,Tavsiye Satış Ortağı
 DocType: Quality Procedure Process,Process Description,Süreç açıklaması
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Taahhüt Edilemiyor, kredi güvenlik değeri geri ödenen tutardan yüksek"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Müşteri {0} oluşturuldu.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5883,7 +5963,7 @@
 DocType: Asset,Insurance Details,Sigorta Detayları
 DocType: Account,Payable,Borç
 DocType: Share Balance,Share Type,Paylaşım Türü
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Geri Ödeme Süreleri giriniz
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Geri Ödeme Süreleri giriniz
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Borçlular ({0})
 DocType: Pricing Rule,Margin,Kar Marjı
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Yeni Müşteriler
@@ -5892,6 +5972,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,POS Profilini Değiştir
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Miktar veya Miktar kredi güvenliği için mandatroy
 DocType: Bank Reconciliation Detail,Clearance Date,Gümrükleme Tarih
 DocType: Delivery Settings,Dispatch Notification Template,Sevk Bildirim Şablonu
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Değerlendirme raporu
@@ -5930,6 +6011,8 @@
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Satış Fatura {0} oluşturuldu
 DocType: Employee,Confirmation Date,Onay Tarihi
 DocType: Employee,Confirmation Date,Onay Tarihi
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Bu dokümanı iptal etmek için lütfen Çalışan <a href=""#Form/Employee/{0}"">{0}</a> \ &#39;yı silin"
 DocType: Inpatient Occupancy,Check Out,Çıkış yapmak
 DocType: C-Form,Total Invoiced Amount,Toplam Faturalanmış Tutar
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Minimum Miktar Maksimum Miktardan Fazla olamaz
@@ -5943,7 +6026,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Şirket Kimliği
 DocType: Travel Request,Travel Funding,Seyahat Fonu
 DocType: Employee Skill,Proficiency,yeterlik
-DocType: Loan Application,Required by Date,Tarihe Göre Gerekli
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Satın Alma Makbuzu Ayrıntısı
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Mahsulün büyüdüğü tüm Yerlerin bağlantısı
 DocType: Lead,Lead Owner,Potansiyel Müşteri Sahibi
@@ -5964,7 +6046,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Cari BOM ve Yeni BOM aynı olamaz
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Maaş Kayma kimliği
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Emeklilik Tarihi katılım tarihinden büyük olmalıdır
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Tedarikçi&gt; Tedarikçi Türü
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Çoklu Varyantlar
 DocType: Sales Invoice,Against Income Account,Karşılık Gelir Hesabı
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Teslim Edildi
@@ -5998,7 +6079,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Değerleme tipi ücretleri dahil olarak işaretlenmiş olamaz
 DocType: POS Profile,Update Stock,Stok güncelle
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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ı
+DocType: Loan Repayment,Payment Details,Ödeme detayları
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Ürün Ağacı Oranı
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Yüklenen Dosyayı Okumak
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Durdurulan İş Emri iptal edilemez, İptal etmeden önce kaldır"
@@ -6035,6 +6116,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Maksimum Kredi Değeri
 ,Stock Ledger,Stok defteri
 DocType: Company,Exchange Gain / Loss Account,Kambiyo Kâr / Zarar Hesabı
 DocType: Amazon MWS Settings,MWS Credentials,MWS Kimlik Bilgileri
@@ -6042,6 +6124,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Amaç şunlardan biri olmalıdır: {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Formu doldurun ve kaydedin
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Forum
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Çalışana Ayrılan Yaprak Yok: {0} İzin Türü için: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Güncel stok miktarı
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Güncel stok miktarı
 DocType: Homepage,"URL for ""All Products""",&quot;Tüm Ürünler&quot; URL
@@ -6150,7 +6233,6 @@
 DocType: Fee Schedule,Fee Schedule,Ücret tarifesi
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Sütun Etiketleri:
 DocType: Bank Transaction,Settled,yerleşik
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,"Ödeme Tarihi, Kredi Geri Ödeme Başlangıç Tarihinden Sonra olamaz"
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Parametreler
 DocType: Company,Create Chart Of Accounts Based On,Hesaplar Tabanlı On Of grafik oluşturma
@@ -6170,6 +6252,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kredi Limiti ve Ödeme Koşulları
 DocType: Loyalty Program,Collection Rules,Koleksiyon Kuralları
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Madde 3
+DocType: Loan Security Shortfall,Shortfall Time,Eksik Zaman
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Sipariş girişi
 DocType: Purchase Order,Customer Contact Email,Müşteri İletişim E-mail
 DocType: Warranty Claim,Item and Warranty Details,Ürün ve Garanti Detayları
@@ -6190,6 +6273,7 @@
 DocType: Sales Person,Sales Person Name,Satış Personeli Adı
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Tabloya en az 1 fatura girin
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Laboratuvar Testi oluşturulmadı
+DocType: Loan Security Shortfall,Security Value ,Güvenlik Değeri
 DocType: POS Item Group,Item Group,Ürün Grubu
 DocType: POS Item Group,Item Group,Ürün Grubu
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Öğrenci Grubu:
@@ -6197,6 +6281,7 @@
 DocType: Item,Safety Stock,Emniyet Stoğu
 DocType: Healthcare Settings,Healthcare Settings,Sağlık Ayarları
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Toplam Tahsis Edilen Yapraklar
+DocType: Appointment Letter,Appointment Letter,Randevu mektubu
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Bir görev için ilerleme% 100&#39;den fazla olamaz.
 DocType: Stock Reconciliation Item,Before reconciliation,Mutabakat öncesinde
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Şu kişiye {0}
@@ -6256,6 +6341,7 @@
 DocType: Assessment Code,Assessment Code,Değerlendirme Kodu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Temel
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Temel
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Müşterilerden ve çalışanlardan kredi uygulamaları.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} dan önceki stok işlemleri dondurulmuştur
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','Takvim Oluştura' tıklayınız
 DocType: Job Card,Current Time,Şimdiki zaman
@@ -6288,7 +6374,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Hiçbir Öğrenci Grupları oluşturuldu.
 DocType: Purchase Invoice Item,Serial No,Seri No
 DocType: Purchase Invoice Item,Serial No,Seri No
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Aylık Geri Ödeme Tutarı Kredi Miktarı daha büyük olamaz
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Aylık Geri Ödeme Tutarı Kredi Miktarı daha büyük olamaz
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Lütfen ilk önce Bakım Detayını girin
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,"Sıra # {0}: Beklenen Teslim Tarihi, Satın Alma Siparişi Tarihinden önce olamaz"
 DocType: Purchase Invoice,Print Language,baskı Dili
@@ -6302,6 +6388,7 @@
 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,All Territories,Bütün Bölgeler
+DocType: Plaid Settings,development,gelişme
 DocType: Lost Reason Detail,Lost Reason Detail,Sebep Ayrıntısı
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Seçilen Müşteri ve Öğe için Geçersiz Battaniye Siparişi
@@ -6371,12 +6458,14 @@
 DocType: Staffing Plan Detail,Current Openings,Mevcut Açıklıklar
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Faaliyetlerden Nakit Akışı
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Tutarı
+DocType: Vehicle Log,Current Odometer value ,Geçerli Kilometre Sayacı değeri
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Öğrenci Yarat
 DocType: Asset Movement Item,Asset Movement Item,Varlık Hareketi Öğesi
 DocType: Purchase Invoice,Shipping Rule,Sevkiyat Kuralı
 DocType: Patient Relation,Spouse,eş
 DocType: Lab Test Groups,Add Test,Test Ekle
 DocType: Manufacturer,Limited to 12 characters,12 karakter ile sınırlıdır
+DocType: Appointment Letter,Closing Notes,Kapanış Notları
 DocType: Journal Entry,Print Heading,Baskı Başlığı
 DocType: Quality Action Table,Quality Action Table,Kalite Eylem Masası
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Toplam sıfır olamaz
@@ -6453,6 +6542,7 @@
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Lütfen tür - {0} türü için Hesap (Grup) tanımlayın / oluşturun
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Eğlence ve Boş Zaman
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Eğlence ve Boş Zaman
+DocType: Loan Security,Loan Security,Kredi Güvenliği
 ,Item Variant Details,Öğe Varyant Detayları
 DocType: Quality Inspection,Item Serial No,Ürün Seri No
 DocType: Quality Inspection,Item Serial No,Ürün Seri No
@@ -6467,7 +6557,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Son yaş
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planlanan ve Kabul edilen tarihler bugünden daha az olamaz
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Tedarikçi Malzeme Transferi
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Yeni Seri No Warehouse olamaz. Depo Stok girişiyle veya alım makbuzuyla ayarlanmalıdır
 DocType: Lead,Lead Type,Potansiyel Müşteri Tipi
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Teklif oluşturma
@@ -6485,7 +6574,6 @@
 DocType: Leave Allocation,Leave Period,Dönme Süresi
 DocType: Item,Default Material Request Type,Standart Malzeme Talebi Tipi
 DocType: Supplier Scorecard,Evaluation Period,Değerlendirme Süresi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Müşteri&gt; Müşteri Grubu&gt; Bölge
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Bilinmeyen
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,İş Emri oluşturulmadı
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6576,7 +6664,8 @@
 ,Customer-wise Item Price,Müşteri-bilge Öğe Fiyat
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Nakit Akım Tablosu
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Malzeme isteği oluşturulmadı
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredi Miktarı Maksimum Kredi Tutarı geçemez {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredi Miktarı Maksimum Kredi Tutarı geçemez {0}
+DocType: Loan,Loan Security Pledge,Kredi Güvenliği Taahhüdü
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Lisans
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6594,6 +6683,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Fiyat İndirim Şeması
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Bakım Durumu İptal Edildi veya Gönderilmesi Tamamlandı
 DocType: Amazon MWS Settings,US,BİZE
+DocType: Loan Security Pledge,Pledged,Rehin
 DocType: Holiday List,Add Weekly Holidays,Haftalık Tatilleri Ekle
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Öğe Bildir
 DocType: Staffing Plan Detail,Vacancies,Açık İşler
@@ -6613,7 +6703,6 @@
 DocType: Production Plan Item,Planned Start Date,Planlanan Başlangıç Tarihi
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,Lütfen bir BOM seçin
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Bilinen ITC Entegre Vergi
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Geri Ödeme Girişi Oluştur
 DocType: Purchase Order Item,Blanket Order Rate,Battaniye Sipariş Hızı
 ,Customer Ledger Summary,Müşteri Muhasebe Özeti
 apps/erpnext/erpnext/hooks.py,Certification,belgeleme
@@ -6636,6 +6725,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Ticari
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Ticari
 DocType: Patient,Alcohol Current Use,Alkol Kullanımı
+DocType: Loan,Loan Closure Requested,Kredi Kapanışı İstendi
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Ev Kira Ödeme Tutarı
 DocType: Student Admission Program,Student Admission Program,Öğrenci Kabul Programı
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Vergi Muafiyet Kategorisi
@@ -6662,6 +6752,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Satışlar
 DocType: Stock Entry Detail,Basic Amount,Temel Tutar
 DocType: Training Event,Exam,sınav
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Süreç Kredisi Güvenlik Açığı
 DocType: Email Campaign,Email Campaign,E-posta Kampanyası
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Marketplace Hatası
 DocType: Complaint,Complaint,şikâyet
@@ -6745,6 +6836,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Çalışan kaydını oluşturmak için bunu gönderin
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},{0} ile örtüşen Kredi Güvenliği Fiyatı
 DocType: Item Default,Item Default,Öğe varsayılan
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Devlet İçi Malzemeleri
 DocType: Chapter Member,Leave Reason,Nedenini Bırak
@@ -6772,6 +6864,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Kullanılan kupon {1}. İzin verilen miktar tükendi
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Malzeme talebini göndermek ister misiniz
 DocType: Job Offer,Awaiting Response,Cevap Bekliyor
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Kredi zorunludur
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Yukarıdaki
 DocType: Support Search Source,Link Options,Bağlantı Seçenekleri
@@ -6784,6 +6877,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
+DocType: Pledge,Post Haircut Amount,Post Saç Kesimi Miktarı
 DocType: Sales Order,Skip Delivery Note,Teslim Notunu Atla
 DocType: Price List,Price Not UOM Dependent,Fiyat UOM Bağımlı Değil
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} varyant oluşturuldu.
@@ -6813,6 +6907,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Ürün Bundle Öğeleri alın
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Vadeli krediler için geri ödeme yöntemi zorunludur
 DocType: Asset,Straight Line,Düz Çizgi
 DocType: Project User,Project User,Proje Kullanıcısı
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Bölünmüş
@@ -6861,7 +6956,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol Dondurulmuş Hesaplar ve Düzenleme Dondurulmuş Girişleri Set İzin
 DocType: Supplier Scorecard Scoring Variable,Path,yol
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Çocuk nodları olduğundan Maliyet Merkezi ana deftere dönüştürülemez
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},{2} öğesi için UOM Dönüşüm faktörü ({0} -&gt; {1}) bulunamadı.
 DocType: Production Plan,Total Planned Qty,Toplam Planlanan Adet
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,İşlemler zaten ifadeden alındı
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,açılış Değeri
@@ -6870,11 +6964,8 @@
 DocType: Material Request Plan Item,Required Quantity,Gerekli miktar
 DocType: Lab Test Template,Lab Test Template,Lab Test Şablonu
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Muhasebe Dönemi {0} ile örtüşüyor
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Tedarikçi&gt; Tedarikçi Türü
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Satış hesabı
 DocType: Purchase Invoice Item,Total Weight,Toplam ağırlık
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Bu dokümanı iptal etmek için lütfen Çalışan <a href=""#Form/Employee/{0}"">{0}</a> \ &#39;yı silin"
 DocType: Pick List Item,Pick List Item,Liste Öğesini Seç
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Satış Komisyonu
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Satış Komisyonu
@@ -6931,6 +7022,7 @@
 DocType: Patient Encounter,Encounter Date,Karşılaşma Tarihi
 DocType: Work Order,Update Consumed Material Cost In Project,Projede Tüketilen Malzeme Maliyetini Güncelle
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Hesap: {0} para ile: {1} seçilemez
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Müşterilere ve çalışanlara verilen krediler.
 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ı
@@ -7004,7 +7096,6 @@
 DocType: Contract,Signed On,İmzalandı
 DocType: Bank Account,Party Type,Taraf Türü
 DocType: Discounted Invoice,Discounted Invoice,İndirimli Fatura
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Katılımı olarak işaretle <b></b>
 DocType: Payment Schedule,Payment Schedule,Ödeme PLANI
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Verilen çalışanın saha değeri için çalışan bulunamadı. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Kısaltma
@@ -7079,6 +7170,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Alacaklılar
 DocType: Assessment Plan,Assessment Name,Değerlendirme Adı
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Satır # {0}: Seri No zorunludur
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Kredi kapanması için {0} tutarı gerekli
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Ürün Vergi Detayları
 DocType: Employee Onboarding,Job Offer,İş teklifi
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Enstitü Kısaltma
@@ -7104,7 +7196,6 @@
 DocType: Purchase Order,To Receive,Almak
 DocType: Leave Period,Holiday List for Optional Leave,İsteğe Bağlı İzin İçin Tatil Listesi
 DocType: Item Tax Template,Tax Rates,Vergi oranları
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Ürün Kodu&gt; Ürün Grubu&gt; Marka
 DocType: Asset,Asset Owner,Varlık Sahibi
 DocType: Item,Website Content,Web sitesi içeriği
 DocType: Bank Account,Integration ID,Entegrasyon kimliği
@@ -7124,6 +7215,7 @@
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Üretim için verilen emirler.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Mali Yıl Seçin ...
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Mali Yıl Seçin ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Lütfen {0} şirketi için Kredi Türü&#39;nü seçin
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -7156,6 +7248,7 @@
 DocType: Customer,Mention if non-standard receivable account,Mansiyon standart dışı alacak hesabı varsa
 DocType: Bank,Plaid Access Token,Ekose Erişim Simgesi
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Lütfen mevcut bileşenlerden herhangi birine {0} kalan faydaları ekleyin
+DocType: Bank Account,Is Default Account,Varsayılan Hesap
 DocType: Journal Entry Account,If Income or Expense,Gelir veya Gider ise
 DocType: Course Topic,Course Topic,Ders Konusu
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},"POS Kapanış Kuponu, {1} ve {2} tarihleri arasında {0} için zaten var."
@@ -7169,7 +7262,7 @@
 DocType: Disease,Treatment Task,Tedavi Görevi
 DocType: Payment Order Reference,Bank Account Details,Banka hesabı detayları
 DocType: Purchase Order Item,Blanket Order,Battaniye siparişi
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Geri Ödeme Tutarı şundan büyük olmalıdır
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Geri Ödeme Tutarı şundan büyük olmalıdır
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Vergi Varlıkları
 DocType: BOM Item,BOM No,BOM numarası
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Güncelleme Ayrıntıları
@@ -7232,6 +7325,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce Ürünleri
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Formül ya da durumun söz dizimi hatası: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Stok ürünü olmadığından Ürün {0} yok sayıldı
+,Loan Security Status,Kredi Güvenlik Durumu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",Belli bir işlemde Fiyatlandırma kuralını uygulamamak için bütün mevcut Fiyatlandırma Kuralları devre dışı bırakılmalıdır.
 DocType: Payment Term,Day(s) after the end of the invoice month,Fatura ayının bitiminden sonraki gün (leri)
 DocType: Assessment Group,Parent Assessment Group,Veli Değerlendirme Grubu
@@ -7247,7 +7341,6 @@
 DocType: Stock Entry Detail,Additional Cost,Ek maliyet
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Dekont, olarak gruplandırıldı ise Makbuz numarasına dayalı filtreleme yapamaz"
 DocType: Quality Inspection,Incoming,Alınan
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Lütfen Katılım&gt; Numaralandırma Serisi aracılığıyla Katılım için numaralandırma serilerini ayarlayın
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Satışlar ve satın alımlar için varsayılan vergi şablonları oluşturulmuştur.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Değerlendirme Sonuç kaydı {0} zaten var.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Örnek: ABCD. #####. İşlemler için seri ayarlanmış ve Parti Numarası belirtilmediyse, bu seriye göre otomatik parti numarası oluşturulacaktır. Bu öğe için her zaman Batch No&#39;dan açıkça bahsetmek isterseniz, bunu boş bırakın. Not: Bu ayar, Stok Ayarları&#39;nda Adlandırma Serisi Önekine göre öncelikli olacaktır."
@@ -7258,8 +7351,10 @@
 DocType: Contract,Party User,Parti Kullanıcısı
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b> için varlıklar oluşturulmadı. Varlığı manuel olarak oluşturmanız gerekir.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Gruplandırılmış &#39;Şirket&#39; ise lütfen şirket filtresini boş olarak ayarlayın.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Müşteri&gt; Müşteri Grubu&gt; Bölge
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Gönderme Tarihi gelecek tarih olamaz
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Satır # {0}: Seri No {1} ile eşleşmiyor {2} {3}
+DocType: Loan Repayment,Interest Payable,Ödenecek faiz
 DocType: Stock Entry,Target Warehouse Address,Hedef Depo Adresi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Mazeret İzni
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Çalışan Check-in&#39;in katılım için dikkate alındığı vardiya başlama saatinden önceki zaman.
@@ -7391,6 +7486,7 @@
 DocType: Issue,Reset Service Level Agreement,Servis Seviyesi Sözleşmesini Sıfırla
 ,Sales Person-wise Transaction Summary,Satış Personeli bilgisi İşlem Özeti
 DocType: Training Event,Contact Number,İletişim numarası
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Kredi Tutarı zorunludur
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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ı
@@ -7443,6 +7539,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Denge Adet
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Seçilen tüm öğelere birleştirilmiş koşullar uygulanacaktır.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Hedefleri boş olamaz
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Yanlış Depo
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Öğrencileri kaydettirme
 DocType: Item Group,Parent Item Group,Ana Kalem Grubu
 DocType: Appointment Type,Appointment Type,Randevu Türü
@@ -7502,10 +7599,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Ortalama Oran
 DocType: Appointment,Appointment With,İle randevu
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ödeme Planındaki Toplam Ödeme Tutarı Grand / Rounded Total&#39;e eşit olmalıdır.
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Katılımı olarak işaretle <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Müşterinin tedarik ettiği kalem"" Değerleme oranına sahip olamaz."
 DocType: Subscription Plan Detail,Plan,Plan
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Genel Muhasebe uyarınca Banka Hesap bakiyesi
-DocType: Job Applicant,Applicant Name,Başvuru sahibinin adı
+DocType: Appointment Letter,Applicant Name,Başvuru sahibinin adı
 DocType: Authorization Rule,Customer / Item Name,Müşteri / Ürün İsmi
 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**. 
 
@@ -7554,12 +7652,14 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Dağıtım
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Dağıtım
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Aşağıdaki statüdeki çalışanlar şu anda bu çalışana rapor veren çalışanların durumu &#39;Sol&#39; olarak ayarlanamaz:
-DocType: Journal Entry Account,Loan,borç
+DocType: Loan Repayment,Amount Paid,Ödenen Tutar;
+DocType: Loan Security Shortfall,Loan,borç
 DocType: Expense Claim Advance,Expense Claim Advance,Gider Talep İlerlemesi
 DocType: Lab Test,Report Preference,Rapor Tercihi
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Gönüllü bilgi.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Proje Müdürü
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Proje Müdürü
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Müşteriye Göre Grupla
 ,Quoted Item Comparison,Kote Ürün Karşılaştırma
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Sevk
@@ -7581,6 +7681,7 @@
 DocType: Material Request Plan Item,Material Issue,Malzeme Verilişi
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},{0} fiyatlandırma kuralında ayarlanmamış ücretsiz öğe
 DocType: Employee Education,Qualification,{0}Yeterlilik{/0} {1} {/1}
+DocType: Loan Security Shortfall,Loan Security Shortfall,Kredi Güvenliği Eksikliği
 DocType: Item Price,Item Price,Ürün Fiyatı
 DocType: Item Price,Item Price,Ürün Fiyatı
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabun ve Deterjan
@@ -7608,6 +7709,7 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Tamamlanmış ürün
 DocType: Warehouse,Warehouse Name,Depo Adı
 DocType: Warehouse,Warehouse Name,Depo Adı
+DocType: Loan Security Pledge,Pledge Time,Rehin Zamanı
 DocType: Naming Series,Select Transaction,İşlem Seçin
 DocType: Naming Series,Select Transaction,İşlem Seçin
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Onaylayıcı Rol veya Onaylayıcı Kullanıcı Giriniz
@@ -7616,7 +7718,6 @@
 DocType: BOM,Rate Of Materials Based On,Dayalı Ürün Br. Fiyatı
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Etkinleştirilmişse, Program Kayıt Aracı&#39;nda alan Akademik Şartı Zorunlu olacaktır."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Muaf, sıfır değer ve GST dışı iç arz değerleri"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Müşteri&gt; Müşteri Grubu&gt; Bölge
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Şirket</b> zorunlu bir filtredir.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Tümünü işaretleme
 DocType: Purchase Taxes and Charges,On Item Quantity,Öğe Miktarı
@@ -7665,7 +7766,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Yetersizlik adeti
 DocType: Purchase Invoice,Input Service Distributor,Giriş Servis Dağıtıcısı
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Ürün çeşidi {0} aynı özelliklere sahip bulunmaktadır
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Lütfen Eğitim&gt; Eğitim Ayarları bölümünde Eğitmen Adlandırma Sistemini kurun
 DocType: Loan,Repay from Salary,Maaş dan ödemek
 DocType: Exotel Settings,API Token,API Simgesi
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},"karşı ödeme talep {0}, {1} miktarda {2}"
@@ -7685,6 +7785,7 @@
 DocType: Salary Slip,Total Interest Amount,Toplam Faiz Tutarı
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Bayat günler
 DocType: Travel Itinerary,Arrival Datetime,Varış Datetime
 DocType: Tax Rule,Billing Zipcode,Fatura posta kodu
@@ -7888,6 +7989,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Saat
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0} ile sizin için yeni bir randevu oluşturuldu
 DocType: Project,Expected Start Date,Beklenen BaşlangıçTarihi
+DocType: Work Order,This is a location where raw materials are available.,Burası hammaddelerin bulunduğu bir yer.
 DocType: Purchase Invoice,04-Correction in Invoice,04-Faturada Düzeltme
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM ile tüm öğeler için önceden oluşturulmuş olan İş Emri
 DocType: Bank Account,Party Details,Parti Detayları
@@ -7906,6 +8008,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Fiyat Teklifleri
 DocType: Contract,Partially Fulfilled,Kısmen Yerine Getirildi
 DocType: Maintenance Visit,Fully Completed,Tamamen Tamamlanmış
+DocType: Loan Security,Loan Security Name,Kredi Güvenlik Adı
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Ve &quot;}&quot; dışındaki Özel Karakterler, seri dizisine izin verilmez"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Sıfır puan veya muaf
 DocType: Employee,Educational Qualification,Eğitim Yeterliliği
@@ -7970,6 +8073,7 @@
 DocType: Program,Is Featured,Özellikli
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Getiriliyor ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Tarım Kullanıcı
+DocType: Loan Security Shortfall,America/New_York,Amerika / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Geçerli tarihe kadar işlem tarihi öncesi olamaz
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -8051,8 +8155,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,Employee {0} is on Leave on {1},"{0} çalışanı, {1} tarihinde devam ediyor"
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Dergi Girişi için herhangi bir geri ödeme seçilmedi
 DocType: Purchase Invoice,GST Category,GST Kategorisi
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Teminatlı Krediler için önerilen rehinlerin verilmesi zorunludur
 DocType: Payment Reconciliation,From Invoice Date,Fatura Tarihinden İtibaren
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Bütçeler
 DocType: Invoice Discounting,Disbursed,Önceki dönemlerde toplanan
@@ -8117,7 +8221,6 @@
 DocType: Restaurant,Active Menu,Aktif Menü
 DocType: Accounting Dimension Detail,Default Dimension,Varsayılan Boyut
 DocType: Target Detail,Target Qty,Hedef Miktarı
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Krediye Karşı: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Ödeme Ayarları
 DocType: Student Attendance,Present,Mevcut
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,İrsaliye {0} teslim edilmemelidir
@@ -8125,7 +8228,7 @@
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Çalışana gönderilecek maaş bordrosu şifre korumalı olacak, şifre şifre politikasına göre üretilecektir."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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ı
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,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,Item {0} is disabled,Öğe {0} devre dışı
@@ -8188,7 +8291,6 @@
 DocType: Serial No,Delivery Document Type,Teslim Belge Türü
 DocType: Sales Order,Partly Delivered,Kısmen Teslim Edildi
 DocType: Item Variant Settings,Do not update variants on save,Kaydetme türevlerini güncelleme
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Grubu
 DocType: Email Digest,Receivables,Alacaklar
 DocType: Email Digest,Receivables,Alacaklar
 DocType: Lead Source,Lead Source,Potansiyel Müşteri Kaynağı
@@ -8296,6 +8398,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Gerçek
 DocType: Appointment,Skype ID,Skype kullanıcı adı
 DocType: Restaurant Menu,Restaurant Manager,Restaurant yöneticisi
+DocType: Loan,Penalty Income Account,Penaltı Gelir Hesabı
 DocType: Call Log,Call Log,Çağrı geçmişi
 DocType: Authorization Rule,Customerwise Discount,Müşteri İndirimi
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Görevler için mesai kartı.
@@ -8395,6 +8498,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Ürün İndirim Şeması
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Arayan tarafından herhangi bir sorun gündeme gelmedi.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Tedarikçiye Göre Grupla
 DocType: Restaurant Reservation,Waitlisted,Bekleme listesindeki
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Muafiyet Kategorisi
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -8407,7 +8511,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Danışmanlık
 DocType: Subscription Plan,Based on price list,Fiyat listesine göre
 DocType: Customer Group,Parent Customer Group,Ana Müşteri Grubu
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON yalnızca Satış Faturasından oluşturulabilir
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Bu sınav için maksimum deneme yapıldı!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,abone
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Ücret Oluşturma Bekliyor
@@ -8425,6 +8528,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Koruyucu Bakım
 DocType: Delivery Note Item,Against Sales Invoice,Satış Faturası Karşılığı
 DocType: Purchase Invoice,07-Others,07-Diğerleri
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Teklif Tutarı
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Lütfen seri hale getirilmiş öğe için seri numaralarını girin
 DocType: Bin,Reserved Qty for Production,Üretim için Miktar saklıdır
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Kurs temelli gruplar yaparken toplu düşünmeyi istemiyorsanız, işaretlemeyin."
@@ -8539,6 +8643,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Ödeme Makbuzu Not
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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"
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Malzeme Talebi Yaratın
+DocType: Loan Interest Accrual,Pending Principal Amount,Bekleyen Anapara Tutarı
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"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} hesaplayamıyor"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -8585,6 +8690,7 @@
 											to fullfill Sales Order {2}",{0} Seri Numaralı {1} kalemi \ Satış Emri {2} için rezerve olduğundan teslim edilemez.
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Tedarikçi Fiyat Teklifi {0} oluşturuldu
+DocType: Loan Security Unpledge,Unpledge Type,Unpledge Türü
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Yıl Sonu Başlangıç Yıl önce olamaz
 DocType: Employee Benefit Application,Employee Benefits,Çalışanlara Sağlanan Faydalar
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Çalışan kimliği
@@ -8673,6 +8779,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Gider Hesabı girin
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Gider Hesabı girin
 DocType: Quality Action Resolution,Problem,Sorun
+DocType: Loan Security Type,Loan To Value Ratio,Kredi / Değer Oranı
 DocType: Account,Stock,Stok
 DocType: Account,Stock,Stok
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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"
@@ -8692,6 +8799,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Banka ekstresi işlem girişi
 DocType: Sales Invoice Item,Discount and Margin,İndirim ve Kar
 DocType: Lab Test,Prescription,reçete
+DocType: Process Loan Security Shortfall,Update Time,Güncelleme zamanı
 DocType: Import Supplier Invoice,Upload XML Invoices,XML Faturalarını Yükle
 DocType: Company,Default Deferred Revenue Account,Varsayılan Ertelenmiş Gelir Hesabı
 DocType: Project,Second Email,İkinci e-posta
@@ -8708,7 +8816,7 @@
 DocType: Quality Action,Preventive,önleyici
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Kayıt Dışı Kişilere Yapılan Malzemeler
 DocType: Company,Date of Incorporation,Kuruluş tarihi
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Toplam Vergi
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Toplam Vergi
 DocType: Manufacturing Settings,Default Scrap Warehouse,Varsayılan Hurda Deposu
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Son satın alma fiyatı
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Miktar (Adet Üretilen) zorunludur
@@ -8728,6 +8836,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Varsayılan ödeme şeklini ayarla
 DocType: Stock Entry Detail,Against Stock Entry,Stok girişine karşı
 DocType: Grant Application,Withdrawn,çekilmiş
+DocType: Loan Repayment,Regular Payment,Düzenli ödeme
 DocType: Support Search Source,Support Search Source,Arama Kaynağı Desteği
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,chargeble
 DocType: Project,Gross Margin %,Brüt Kar Marjı%
@@ -8743,8 +8852,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Vergi Ödemesi olmadan
 DocType: BOM Operation,BOM Operation,BOM Operasyonu
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Önceki satır toplamı
+DocType: Student,Home Address,Ev adresi
 DocType: Options,Is Correct,Doğru
 DocType: Item,Has Expiry Date,Vade Sonu Var
+DocType: Loan Repayment,Paid Accrual Entries,Ücretli Tahakkuk Girişleri
+DocType: Loan Security,Loan Security Type,Kredi Güvenlik Türü
 apps/erpnext/erpnext/config/support.py,Issue Type.,Sorun Tipi.
 DocType: POS Profile,POS Profile,POS Profili
 DocType: Training Event,Event Name,Etkinlik Adı
@@ -8756,6 +8868,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Ayar bütçeler, hedefler vb Mevsimselliği"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Değer yok
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Değişken Adı
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Mutabakata varılacak Banka Hesabını seçin.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} Öğe bir şablon, türevleri birini seçiniz"
 DocType: Purchase Invoice Item,Deferred Expense,Ertelenmiş Gider
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Mesajlara Geri Dön
@@ -8809,7 +8922,6 @@
 DocType: GL Entry,To Rename,Yeniden adlandırmak için
 DocType: Stock Entry,Repack,Yeniden paketlemek
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seri Numarası eklemek için seçin.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Lütfen Eğitim&gt; Eğitim Ayarları bölümünde Eğitmen Adlandırma Sistemini kurun
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Lütfen müşterinin Mali Kodunu &#39;% s&#39; olarak ayarlayın
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Lütfen önce Şirketi seçin
 DocType: Item Attribute,Numeric Values,Sayısal Değerler
@@ -8834,6 +8946,7 @@
 DocType: Soil Texture,Clay Loam,Killi toprak
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Kök düzenlenemez.
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Kök düzenlenemez.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Kredi Güvenliği Değeri
 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ı
@@ -8884,6 +8997,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,İlk Kategori seçiniz
 apps/erpnext/erpnext/config/projects.py,Project master.,Proje alanı.
 DocType: Contract,Contract Terms,Anlaşma koşulları
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Onaylanan Tutar Sınırı
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Yapılandırmaya Devam Et
 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,Maximum benefit amount of component {0} exceeds {1},{0} bileşeninin maksimum fayda miktarı {1} değerini aşıyor
@@ -8917,6 +9031,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Arama günlüğünü görüntüle
 DocType: BOM Operation,Operating Cost(Company Currency),İşletme Maliyeti (Şirket Para Birimi)
 DocType: Loan Application,Rate of Interest,Faiz oranı
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Kredi Güvenliği Rehberi krediye karşı zaten taahhütte bulundu {0}
 DocType: Expense Claim Detail,Sanctioned Amount,tasdik edilmiş tutar
 DocType: Item,Shelf Life In Days,Gün Raf Ömrü
 DocType: GL Entry,Is Opening,Açılır
@@ -8932,3 +9047,4 @@
 DocType: Sales Invoice,Unpaid and Discounted,Ödenmemiş ve İndirimli
 DocType: Employee,Short biography for website and other publications.,Web sitesi ve diğer yayınlar için kısa biyografi.
 DocType: Employee,Short biography for website and other publications.,Web sitesi ve diğer yayınlar için kısa biyografi.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Satır # {0}: Taşerona hammadde tedarik ederken Tedarikçi Deposu seçilemiyor
diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv
index 9616c8a..5a1b68a 100644
--- a/erpnext/translations/uk.csv
+++ b/erpnext/translations/uk.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Можливість втрачена причина
 DocType: Patient Appointment,Check availability,Перевірте наявність
 DocType: Retention Bonus,Bonus Payment Date,Бонусна дата оплати
-DocType: Employee,Job Applicant,Робота Заявник
+DocType: Appointment Letter,Job Applicant,Робота Заявник
 DocType: Job Card,Total Time in Mins,Загальний час у хвилинах
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Це засновано на операціях проти цього постачальника. Див графік нижче для отримання докладної інформації
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,Відсоток перевиробництва для робочого замовлення
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Контактна інформація
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Шукайте що-небудь ...
 ,Stock and Account Value Comparison,Порівняння вартості запасів та рахунків
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Сума сплаченої суми не може перевищувати суму позики
 DocType: Company,Phone No,№ Телефону
 DocType: Delivery Trip,Initial Email Notification Sent,Початкове сповіщення електронною поштою надіслано
 DocType: Bank Statement Settings,Statement Header Mapping,Заголовок картки
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Зацікавлений
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Відкриття/На початок
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Програма:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,"Дійсний з часом повинен бути меншим, ніж Дійсний час оновлення."
 DocType: Item,Copy From Item Group,Копіювати з групи товарів
 DocType: Journal Entry,Opening Entry,Операція введення залишків
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Рахунок Оплатити тільки
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,клас
 DocType: Restaurant Table,No of Seats,Кількість місць
+DocType: Loan Type,Grace Period in Days,Пільговий період у днях
 DocType: Sales Invoice,Overdue and Discounted,Прострочена та знижена
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Актив {0} не належить до зберігача {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Виклик відключений
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Прописані процедури
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Показати тільки POS
 DocType: Supplier Group,Supplier Group Name,Назва групи постачальників
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Позначити відвідуваність як <b></b>
 DocType: Driver,Driving License Categories,Категорії авторизації
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Будь ласка, введіть дату доставки"
 DocType: Depreciation Schedule,Make Depreciation Entry,Створити операцію амортизації
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Детальна інформація про виконані операції.
 DocType: Asset Maintenance Log,Maintenance Status,Стан Технічного обслуговування
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Сума податку на предмет, включена у вартість"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Поповнення застави
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Інформація про членство
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Постачальник повинен мати Платіжний рахунок {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Товари та ціни
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Загальна кількість годин: {0}
+DocType: Loan,Loan Manager,Кредитний менеджер
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"""Від дати"" має бути в межах бюджетного періоду. Припускаючи, що ""Від дати"" = {0}"
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Інтервал
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',Оновлене допомогою &#39;Час Вхід &quot;
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Виберіть клієнта або постачальника.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Код країни у файлі не збігається з кодом країни, встановленим у системі"
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Рахунок {0} не належать компанії {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Виберіть лише один пріоритет як за замовчуванням.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},"Сума авансу не може бути більше, ніж {0} {1}"
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Часовий проміжок пропущений, слот {0} - {1} перекриває існуючий слот {2} - {3}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Залишити Заблоковані
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Товар {0} досяг кінцевої дати роботи з ним {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банківські записи
-DocType: Customer,Is Internal Customer,Є внутрішнім замовником
+DocType: Sales Invoice,Is Internal Customer,Є внутрішнім замовником
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,Номер вихідного рахунку-фактури
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Замовлення матеріалів
 DocType: Bank Reconciliation,Update Clearance Date,Оновити Clearance дату
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Кол-во пакет
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,"Неможливо створити позику, поки заява не буде схвалена"
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Товар {0} не знайдений у таблиці ""поставлена давальницька сировина"" у Замовленні на придбання {1}"
 DocType: Salary Slip,Total Principal Amount,Загальна сума основної суми
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Правильно
 DocType: Student Guardian,Mother,мати
 DocType: Restaurant Reservation,Reservation End Time,Час закінчення бронювання
+DocType: Salary Slip Loan,Loan Repayment Entry,Повернення позики
 DocType: Crop,Biennial,Бієнале
 ,BOM Variance Report,Звіт про відхилення BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Підтверджені замовлення від клієнтів.
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Оплата по {0} {1} не може бути більше, ніж сума до оплати {2}"
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Усі служби охорони здоров&#39;я
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Про можливості перетворення
+DocType: Loan,Total Principal Paid,Загальна сума сплаченої основної суми
 DocType: Bank Account,Address HTML,Адреса HTML
 DocType: Lead,Mobile No.,Номер мобільного.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Спосіб оплати
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Баланс у базовій валюті
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Макс. Оцінка
 DocType: Email Digest,New Quotations,Нова пропозиція
+DocType: Loan Interest Accrual,Loan Interest Accrual,Нарахування процентних позик
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Учасники, які не подали за {0} як {1} на відпустку."
 DocType: Journal Entry,Payment Order,Платіжне доручення
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Підтвердьте електронну пошту
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Дохід від інших джерел
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Якщо порожній, буде враховано обліковий запис батьківського складу або дефолт компанії"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Електронні листи зарплати ковзання співробітнику на основі кращого електронної пошти, обраного в Employee"
+DocType: Work Order,This is a location where operations are executed.,"Це місце, де виконуються операції."
 DocType: Tax Rule,Shipping County,Область доставки
 DocType: Currency Exchange,For Selling,Для продажу
 apps/erpnext/erpnext/config/desktop.py,Learn,Навчитися
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Прикладний купонний код
 DocType: Asset,Next Depreciation Date,Наступна дата амортизації
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Діяльність Вартість одного працівника
+DocType: Loan Security,Haircut %,Стрижка%
 DocType: Accounts Settings,Settings for Accounts,Налаштування для рахунків
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Номер рахунку постачальника існує у вхідному рахунку {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Управління деревом Відповідальних з продажу.
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Будь ласка, встановіть вартість номера готелю на {}"
 DocType: Journal Entry,Multi Currency,Мультивалютна
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип рахунку-фактури
+DocType: Loan,Loan Security Details,Деталі забезпечення позики
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Дійсна з дати повинна бути меншою за дійсну дату
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Виняток стався під час узгодження {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Встановити Прийнятий склад
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Потрібне підтвердження випробування на випробування
 DocType: Attendance,Working Hours,Робочі години
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Усього видатних
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Коефіцієнт конверсії UOM ({0} -&gt; {1}) не знайдено для елемента: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Змінити стартову / поточний порядковий номер існуючого ряду.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Відсоток, який вам дозволяється нараховувати більше, ніж замовлена сума. Наприклад: Якщо вартість товару для товару становить 100 доларів, а допуск встановлено як 10%, то вам дозволяється виставити рахунок за 110 доларів."
 DocType: Dosage Strength,Strength,Сила
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,Дата
 DocType: Campaign Email Schedule,Campaign Email Schedule,Розклад електронної пошти кампанії
 DocType: Student Log,Medical,Медична
+DocType: Work Order,This is a location where scraped materials are stored.,"Це місце, де зберігаються подрібнені матеріали."
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,"Будь ласка, виберіть препарат"
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,"Ведучий власник не може бути такою ж, як свинець"
 DocType: Announcement,Receiver,приймач
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,Застосовується для зовнішнього драйвера
 DocType: Sales Order Item,Used for Production Plan,Використовується для виробничого плану
 DocType: BOM,Total Cost (Company Currency),Загальна вартість (валюта компанії)
-DocType: Loan,Total Payment,Загальна оплата
+DocType: Repayment Schedule,Total Payment,Загальна оплата
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO вже створено для всіх елементів замовлення клієнта
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Попереджати замовлення на купівлю
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Знятий з дат
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Досить частини для зборки
+DocType: Loan Security,Loan Security Code,Кодекс забезпечення позики
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Збережіть спочатку
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Елементи необхідні для витягання сировини, яка з нею пов&#39;язана."
 DocType: POS Profile User,POS Profile User,Користувач POS Профіль
@@ -976,6 +989,7 @@
 DocType: Patient,Risk Factors,Фактори ризику
 DocType: Patient,Occupational Hazards and Environmental Factors,Професійні небезпеки та фактори навколишнього середовища
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Запаси стовпців вже створені для замовлення роботи
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код товару&gt; Група предметів&gt; Бренд
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Дивіться минулі замовлення
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} бесіди
 DocType: Vital Signs,Respiratory rate,Частота дихання
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,Видалити операції компанії
 DocType: Production Plan Item,Quantity and Description,Кількість та опис
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Посилання № та дата Reference є обов&#39;язковим для операції банку
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Будь ласка, встановіть назву серії на {0} за допомогою пункту Налаштування&gt; Налаштування&gt; Іменування серії"
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додати / редагувати податки та збори
 DocType: Payment Entry Reference,Supplier Invoice No,Номер рахунку постачальника
 DocType: Territory,For reference,Для довідки
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Податковий рахунок утримання
 DocType: Pricing Rule,Sales Partner,Торговий партнер
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Усі постачальники показників.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Сума замовлення
+DocType: Loan,Disbursed Amount,Виплачена сума
 DocType: Buying Settings,Purchase Receipt Required,Потрібна прихідна накладна
 DocType: Sales Invoice,Rail,Залізниця
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Фактична вартість
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Підключено до QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Будь-ласка, ідентифікуйте / створіть обліковий запис (книга) для типу - {0}"
 DocType: Bank Statement Transaction Entry,Payable Account,Оплачується аккаунт
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Рахунок обов&#39;язковий для отримання платіжних записів
 DocType: Payment Entry,Type of Payment,Тип платежу
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Дата півдня - обов&#39;язкова
 DocType: Sales Order,Billing and Delivery Status,Стан біллінгу і доставки
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,Сума виставлених рахунків
 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,Principal Amount,Основна сума
+DocType: Repayment Schedule,Principal Amount,Основна сума
 DocType: Loan Application,Total Payable Interest,Загальна заборгованість за відсотками
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Усього видатних: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Відкрити контакт
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Під час процесу оновлення сталася помилка
 DocType: Restaurant Reservation,Restaurant Reservation,Бронювання ресторану
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Ваші предмети
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Постачальник&gt; Тип постачальника
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Пропозиція Написання
 DocType: Payment Entry Deduction,Payment Entry Deduction,Відрахування з Оплати
 DocType: Service Level Priority,Service Level Priority,Пріоритет рівня обслуговування
@@ -1164,6 +1181,7 @@
 DocType: Batch,Batch Description,Опис партії
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Створення студентських груп
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Обліковий запис платіжного шлюзу не створено, створіть його вручну будь-ласка."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},"Групові склади не можна використовувати в операціях. Будь ласка, змініть значення {0}"
 DocType: Supplier Scorecard,Per Year,В рік
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Недоступно для вступу в цю програму згідно з DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Рядок № {0}: Неможливо видалити товар {1}, який призначений замовнику на покупку."
@@ -1287,7 +1305,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",Під час створення облікового запису дочірньої компанії {0} батьківський рахунок {1} не знайдено. Створіть батьківський обліковий запис у відповідному сертифікаті сертифікації
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Спліт випуск
 DocType: Student Attendance,Student Attendance,Student Учасники
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Немає даних для експорту
 DocType: Sales Invoice Timesheet,Time Sheet,Розклад
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,З зворотним промиванням Сировина матеріали на основі
 DocType: Sales Invoice,Port Code,Код порту
@@ -1300,6 +1317,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Фактична дата доставки
 DocType: Lab Test,Test Template,Тестовий шаблон
+DocType: Loan Security Pledge,Securities,Цінні папери
 DocType: Restaurant Order Entry Item,Served,Подається
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Інформація про розділ.
 DocType: Account,Accounts,Бухгалтерські рахунки
@@ -1394,6 +1412,7 @@
 DocType: Inpatient Record,O Negative,O негативний
 DocType: Work Order Operation,Planned End Time,Плановані Час закінчення
 DocType: POS Profile,Only show Items from these Item Groups,Показуйте лише елементи з цих груп предметів
+DocType: Loan,Is Secured Loan,Позика під заставу
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,Рахунок з існуючою транзакції не можуть бути перетворені в бухгалтерській книзі
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Метод типу деталі
 DocType: Delivery Note,Customer's Purchase Order No,Номер оригінала замовлення клієнта
@@ -1430,6 +1449,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,"Будь ласка, виберіть компанію та дату публікації, щоб отримувати записи"
 DocType: Asset,Maintenance,Технічне обслуговування
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,Отримайте від зустрічі з пацієнтом
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Коефіцієнт конверсії UOM ({0} -&gt; {1}) не знайдено для елемента: {2}
 DocType: Subscriber,Subscriber,Абонент
 DocType: Item Attribute Value,Item Attribute Value,Стан Значення атрибуту
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Валютна біржа повинна бути застосована для покупки чи продажу.
@@ -1509,6 +1529,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Немає доступу
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Контрольний перелік виконання контракту
 DocType: Vital Signs,Heart Rate / Pulse,Серцевий ритм / імпульс
+DocType: Customer,Default Company Bank Account,Банківський рахунок компанії за замовчуванням
 DocType: Supplier,Default Bank Account,Банківський рахунок за замовчуванням
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Щоб відфільтрувати на основі партії, виберіть партія першого типу"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Оновити Інвентар"" не може бути позначено, тому що об’єкти не доставляються через {0}"
@@ -1627,7 +1648,6 @@
 DocType: Sales Team,Incentives,Стимули
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Значення не синхронізовані
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Значення різниці
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Установіть серію нумерації для відвідування за допомогою параметра Налаштування&gt; Серія нумерації
 DocType: SMS Log,Requested Numbers,Необхідні Номери
 DocType: Volunteer,Evening,Вечір
 DocType: Quiz,Quiz Configuration,Конфігурація вікторини
@@ -1647,6 +1667,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,На попередньому рядку Total
 DocType: Purchase Invoice Item,Rejected Qty,Відхилена к-сть
 DocType: Setup Progress Action,Action Field,Поле дії
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Тип позики під відсотки та штрафні ставки
 DocType: Healthcare Settings,Manage Customer,Керувати замовником
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,Завжди синхронізуйте свої продукти з Amazon MWS перед синхронізацією деталей замовлень
 DocType: Delivery Trip,Delivery Stops,Доставка зупиняється
@@ -1658,6 +1679,7 @@
 ,Final Assessment Grades,Остаточні оцінки
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,"Назва вашої компанії, для якої ви налаштовуєте цю систему."
 DocType: HR Settings,Include holidays in Total no. of Working Days,Включити вихідні в загальну кількість робочих днів
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,% Від загальної суми
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Налаштуйте свій інститут в ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Аналіз рослин
 DocType: Task,Timeline,Хронологія
@@ -1665,9 +1687,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Альтернативний елемент
 DocType: Shopify Log,Request Data,Запит даних
 DocType: Employee,Date of Joining,Дата влаштування
+DocType: Delivery Note,Inter Company Reference,Довідник компанії Inter
 DocType: Naming Series,Update Series,Серія Оновлення
 DocType: Supplier Quotation,Is Subcontracted,Субпідряджено
 DocType: Restaurant Table,Minimum Seating,Мінімальна кількість сидінь
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Питання не може бути повтореним
 DocType: Item Attribute,Item Attribute Values,Пункт значень атрибутів
 DocType: Examination Result,Examination Result,експертиза Результат
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Прихідна накладна
@@ -1769,6 +1793,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Синхронізація Offline рахунків-фактур
 DocType: Payment Request,Paid,Оплачений
 DocType: Service Level,Default Priority,Пріоритет за замовчуванням
+DocType: Pledge,Pledge,Застава
 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. Також оновлюється остання ціна у всіх БОМ."
@@ -1782,6 +1807,7 @@
 DocType: Guardian,Guardian Name,ім&#39;я опікуна
 DocType: Cheque Print Template,Has Print Format,Має формат друку
 DocType: Support Settings,Get Started Sections,Розпочніть розділи
+,Loan Repayment and Closure,Погашення та закриття позики
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,санкціоновані
 ,Base Amount,Базова сума
@@ -1792,10 +1818,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,З місця
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Сума позики не може перевищувати {0}
 DocType: Student Admission,Publish on website,Опублікувати на веб-сайті
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Дата рахунку постачальника не може бути більше за дату створення
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код товару&gt; Група предметів&gt; Бренд
 DocType: Subscription,Cancelation Date,Дата скасування
 DocType: Purchase Invoice Item,Purchase Order Item,Позиція замовлення на придбання
 DocType: Agriculture Task,Agriculture Task,Завдання сільського господарства
@@ -1814,7 +1840,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Додаткова знижка у відсотках
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Переглянути перелік усіх довідкових відео
 DocType: Agriculture Analysis Criteria,Soil Texture,Текстура грунтів
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Виберіть account head банку, в якому був розміщений чек."
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Дозволити користувачеві редагувати ціну в операціях
 DocType: Pricing Rule,Max Qty,Макс. к-сть
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Друк звіту картки
@@ -1949,7 +1974,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Після встановлення цей рахунок-фактура буде призупинено до встановленої дати
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Продаж Сума
-DocType: Repayment Schedule,Interest Amount,відсотки Сума
+DocType: Loan Interest Accrual,Interest Amount,відсотки Сума
 DocType: Job Card,Time Logs,Журнали Час
 DocType: Sales Invoice,Loyalty Amount,Сума лояльності
 DocType: Employee Transfer,Employee Transfer Detail,Деталі переказу працівників
@@ -1964,6 +1989,7 @@
 DocType: Cashier Closing,Returns,Повернення
 DocType: Job Card,WIP Warehouse,"Склад ""В роботі"""
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Серійний номер {0} на контракті обслуговування  до {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Межа санкціонованої суми перекреслена за {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,вербування
 DocType: Lead,Organization Name,Назва організації
 DocType: Support Settings,Show Latest Forum Posts,Показати останні пости форуму
@@ -1990,7 +2016,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Пункти замовлення на купівлю прострочені
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Поштовий індекс
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Замовлення клієнта {0} {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Виберіть обліковий запис процентних доходів у кредиті {0}
 DocType: Opportunity,Contact Info,Контактна інформація
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,Створення Руху ТМЦ
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Неможливо рекламувати працівника зі статусом &quot;ліворуч&quot;
@@ -2076,7 +2101,6 @@
 DocType: Salary Slip,Deductions,Відрахування
 DocType: Setup Progress Action,Action Name,Назва дії
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,рік початку
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Створіть позику
 DocType: Purchase Invoice,Start date of current invoice's period,Початкова дата поточного періоду виставлення рахунків
 DocType: Shift Type,Process Attendance After,Відвідування процесів після
 ,IRS 1099,IRS 1099
@@ -2097,6 +2121,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Виберіть свої домени
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify постачальник
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Облікові суми рахунків-фактур
+DocType: Repayment Schedule,Is Accrued,Нараховано
 DocType: Payroll Entry,Employee Details,Інформація про працівника
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обробка XML-файлів
 DocType: Amazon MWS Settings,CN,CN
@@ -2128,6 +2153,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Вхід до точки лояльності
 DocType: Employee Checkin,Shift End,Зсув кінця
 DocType: Stock Settings,Default Item Group,Група за замовчуванням
+DocType: Loan,Partially Disbursed,частково Освоєно
 DocType: Job Card Time Log,Time In Mins,Час у мін
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Надайте інформацію.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Ця дія від’єднає цей рахунок від будь-якої зовнішньої служби, що інтегрує ERPNext з вашими банківськими рахунками. Це неможливо відмінити. Ви впевнені?"
@@ -2143,6 +2169,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Той же елемент не може бути введений кілька разів.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Подальші рахунки можуть бути зроблені відповідно до груп, але Ви можете бути проти НЕ-груп"
+DocType: Loan Repayment,Loan Closure,Закриття позики
 DocType: Call Log,Lead,Lead
 DocType: Email Digest,Payables,Кредиторська заборгованість
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2176,6 +2203,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Податок та пільги для працівників
 DocType: Bank Guarantee,Validity in Days,Термін у днях
 DocType: Bank Guarantee,Validity in Days,Термін у днях
+DocType: Unpledge,Haircut,Стрижка
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-форма не застосовується для рахунку: {0}
 DocType: Certified Consultant,Name of Consultant,Ім&#39;я консультанта
 DocType: Payment Reconciliation,Unreconciled Payment Details,Неузгоджені Деталі оплати
@@ -2229,7 +2257,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Решта світу
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Позиція {0} не може мати партій
 DocType: Crop,Yield UOM,Вихід UOM
+DocType: Loan Security Pledge,Partially Pledged,Частково заставлений
 ,Budget Variance Report,Звіт по розбіжностях бюджету
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Сума санкціонованої позики
 DocType: Salary Slip,Gross Pay,Повна Платне
 DocType: Item,Is Item from Hub,Є товар від центру
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Отримайте товари від медичних послуг
@@ -2264,6 +2294,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Нова процедура якості
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Сальдо на рахунку {0} повинно бути завжди {1}
 DocType: Patient Appointment,More Info,Більше інформації
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Дата народження не може перевищувати дату приєднання.
 DocType: Supplier Scorecard,Scorecard Actions,Дії Scorecard
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Постачальник {0} не знайдено в {1}
 DocType: Purchase Invoice,Rejected Warehouse,Склад для відхиленого
@@ -2361,6 +2392,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,"Будь ласка, спочатку встановіть Код товару"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Док Тип
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Створено заставу під заставу: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Призначення та зустрічі з пацієнтами
@@ -2416,6 +2448,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Кількість одночасних зустрічей
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Починаємо
 DocType: Purchase Invoice,Taxes and Charges Calculation,Розрахунок податків та зборів
+DocType: Loan Interest Accrual,Payable Principal Amount,"Основна сума, що підлягає сплаті"
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Книга активів Амортизація запис автоматично
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Книга активів Амортизація запис автоматично
 DocType: BOM Operation,Workstation,Робоча станція
@@ -2453,7 +2486,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Їжа
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Старіння Діапазон 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Деталі ваучера закриття POS
-DocType: Bank Account,Is the Default Account,Чи є обліковий запис за замовчуванням
 DocType: Shopify Log,Shopify Log,Shopify Log
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Не знайдено зв’язку.
 DocType: Inpatient Occupancy,Check In,Перевірь
@@ -2511,12 +2543,14 @@
 DocType: Sales Order Item,Planned Quantity,Плановані Кількість
 DocType: Water Analysis,Water Analysis Criteria,Критерії аналізу води
 DocType: Item,Maintain Stock,Відстежувати наявність
+DocType: Loan Security Unpledge,Unpledge Time,Час зняття
 DocType: Terms and Conditions,Applicable Modules,Застосовувані модулі
 DocType: Employee,Prefered Email,Бажаний E-mail
 DocType: Student Admission,Eligibility and Details,Відповідність та подробиці
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Входить до валового прибутку
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Чиста зміна в основних фондів
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Кількість учасників
+DocType: Work Order,This is a location where final product stored.,"Це місце, де зберігається кінцевий продукт."
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Макс: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,З DateTime
@@ -2557,8 +2591,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Гарантія / Статус річного обслуговування
 ,Accounts Browser,Переглядач рахунків
 DocType: Procedure Prescription,Referral,Реферал
+,Territory-wise Sales,Територіально продаж
 DocType: Payment Entry Reference,Payment Entry Reference,Номер документу Оплата
 DocType: GL Entry,GL Entry,GL запис
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Рядок № {0}: Прийнятий склад і склад постачальників не можуть бути однаковими
 DocType: Support Search Source,Response Options,Параметри відповіді
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Застосовуйте кілька правил ціноутворення
 DocType: HR Settings,Employee Settings,Налаштування співробітників
@@ -2618,6 +2654,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,"Термін оплати в рядку {0}, можливо, дублює."
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Сільське господарство (бета-версія)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Пакувальний лист
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Будь ласка, встановіть назву серії на {0} за допомогою пункту Налаштування&gt; Налаштування&gt; Іменування серії"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Оренда площі для офісу
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Встановіть налаштування шлюзу SMS
 DocType: Disease,Common Name,Звичайне ім&#39;я
@@ -2634,6 +2671,7 @@
 DocType: Item,Sales Details,Продажі Детальніше
 DocType: Coupon Code,Used,Б / в
 DocType: Opportunity,With Items,З номенклатурними позиціями
+DocType: Vehicle Log,last Odometer Value ,останнє значення одометра
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Кампанія &quot;{0}&quot; вже існує для {1} &quot;{2}&quot;
 DocType: Asset Maintenance,Maintenance Team,Технічна команда
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Порядок, у якому повинні з’являтися розділи. 0 - це перше, 1 - друге тощо."
@@ -2644,7 +2682,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense Претензія {0} вже існує для журналу автомобіля
 DocType: Asset Movement Item,Source Location,Місце розташування джерела
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ім&#39;я інститут
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Будь ласка, введіть Сума погашення"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,"Будь ласка, введіть Сума погашення"
 DocType: Shift Type,Working Hours Threshold for Absent,Поріг робочих годин для відсутніх
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Багатоступеневий коефіцієнт збору може базуватися на загальному витраченому. Але коефіцієнт перерахунку для погашення завжди буде таким самим для всіх рівнів.
 apps/erpnext/erpnext/config/help.py,Item Variants,Варіанти номенклатурної позиції
@@ -2668,6 +2706,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},Це {0} конфлікти з {1} для {2} {3}
 DocType: Student Attendance Tool,Students HTML,студенти HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} має бути менше {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Виберіть спочатку Тип заявника
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Виберіть BOM, Qty та для складу"
 DocType: GST HSN Code,GST HSN Code,GST HSN код
 DocType: Employee External Work History,Total Experience,Загальний досвід
@@ -2758,7 +2797,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Немає активної мітки для елемента {0}. Доставка від \ Serial No не може бути забезпечена
 DocType: Sales Partner,Sales Partner Target,Цілі торгового партнеру
-DocType: Loan Type,Maximum Loan Amount,Максимальна сума кредиту
+DocType: Loan Application,Maximum Loan Amount,Максимальна сума кредиту
 DocType: Coupon Code,Pricing Rule,Цінове правило
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Дублікат номер рулону для студента {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Дублікат номер рулону для студента {0}
@@ -2782,6 +2821,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Листя номером Успішно для {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,"Немає нічого, щоб упакувати"
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Наразі підтримуються лише файли .csv та .xlsx
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах&gt; Налаштування HR"
 DocType: Shipping Rule Condition,From Value,Від вартості
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Виробництво Кількість є обов&#39;язковим
 DocType: Loan,Repayment Method,спосіб погашення
@@ -2865,6 +2905,7 @@
 DocType: Customer,Customer POS Id,Клієнт POS Id
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Студент з електронною поштою {0} не існує
 DocType: Account,Account Name,Ім&#39;я рахунку
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Сума санкціонованої суми позики вже існує для {0} проти компанії {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"Від Дата не може бути більше, ніж до дати"
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Серійний номер {0} кількість {1} не може бути дробною
 DocType: Pricing Rule,Apply Discount on Rate,Застосовуйте знижку на ставку
@@ -2936,6 +2977,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Чистий дохід
 DocType: Purchase Invoice,Eligibility For ITC,Прийнятність для ІТЦ
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Незакріплений
 DocType: Journal Entry,Entry Type,Тип запису
 ,Customer Credit Balance,Кредитний Баланс клієнтів
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Чиста зміна кредиторської заборгованості
@@ -2947,6 +2989,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Ідентифікатор пристрою відвідуваності (ідентифікатор біометричного / RF тега)
 DocType: Quotation,Term Details,Термін Детальніше
 DocType: Item,Over Delivery/Receipt Allowance (%),Допомога над доставкою / квитанцією (%)
+DocType: Appointment Letter,Appointment Letter Template,Шаблон листа про призначення
 DocType: Employee Incentive,Employee Incentive,Працівник стимулювання
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,Не зміг зареєструвати більш {0} студентів для цієї групи студентів.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),Усього (без податку)
@@ -2971,6 +3014,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.","Неможливо забезпечити доставку послідовним номером, оскільки \ Item {0} додається з та без забезпечення доставки по \ серійному номеру."
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Відвязувати оплати при анулюванні рахунку-фактури
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Нарахування відсотків за кредитом
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},"Поточне значення одометра увійшли має бути більше, ніж початковий одометр автомобіля {0}"
 ,Purchase Order Items To Be Received or Billed,"Купівля замовлень, які потрібно отримати або виставити рахунок"
 DocType: Restaurant Reservation,No Show,Немає шоу
@@ -3057,6 +3101,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Центр доходів/витрат необхідний для рахунку  прибутків/збитків {2}. Налаштуйте центр витрат за замовчуванням для Компанії.
 DocType: Payment Schedule,Payment Term,Термін оплати
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група клієнтів з таким ім'ям вже існує. Будь ласка, змініть Ім'я клієнта або перейменуйте Групу клієнтів"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,"Кінцева дата прийому повинна бути більшою, ніж дата початку прийому."
 DocType: Location,Area,Площа
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Новий контакт
 DocType: Company,Company Description,Опис компанії
@@ -3132,6 +3177,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Маповані дані
 DocType: Purchase Order Item,Warehouse and Reference,Склад і довідники
 DocType: Payroll Period Date,Payroll Period Date,Дата оплати заробітної плати
+DocType: Loan Disbursement,Against Loan,Проти позики
 DocType: Supplier,Statutory info and other general information about your Supplier,Статутна інформація та інша загальна інформація про вашого постачальника
 DocType: Item,Serial Nos and Batches,Серійні номери і Порції
 DocType: Item,Serial Nos and Batches,Серійні номери і Порції
@@ -3200,6 +3246,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Виберіть компанію
 DocType: Delivery Settings,Delivery Settings,Налаштування доставки
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Завантажте дані
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Неможливо видалити більше {0} кількість {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Максимальна дозволена відпустка у вигляді відпустки {0} {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Опублікуйте 1 пункт
 DocType: SMS Center,Create Receiver List,Створити список отримувачів
@@ -3348,6 +3395,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Базова сума (Компанія Валюта)
 DocType: Purchase Invoice,Registered Regular,Зареєстрований регулярно
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Сировина
+DocType: Plaid Settings,sandbox,пісочниця
 DocType: Payment Reconciliation Payment,Reference Row,посилання Row
 DocType: Installation Note,Installation Time,Час встановлення
 DocType: Sales Invoice,Accounting Details,Бухгалтеський облік. Детальніше
@@ -3360,12 +3408,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Тип транзакції
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерії приймання
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Будь ласка, введіть Замовлення матеріалів у наведену вище таблицю"
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,Загальна сума оплачується
 DocType: Task,Expected Time (in hours),Очікуваний час (в годинах)
 DocType: Item Reorder,Check in (group),Заїзд (група)
 DocType: Soil Texture,Silt,Іл
@@ -3397,6 +3444,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Відрахування податку для підтвердження невикористаних податків
 DocType: Volunteer,Anytime,У будь-який час
 DocType: Bank Account,Bank Account No,Банківський рахунок №
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Виплата та повернення
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Подача доказів про звільнення від податку працівника
 DocType: Patient,Surgical History,Хірургічна історія
 DocType: Bank Statement Settings Item,Mapped Header,Записаний заголовок
@@ -3461,6 +3509,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Створіть лабораторні випробування (-и) на рахунку-фактурі для продажу
 DocType: Serial No,Invoice Details,Інформація про рахунки
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Структура заробітної плати повинна бути подана до подання Декларації про звільнення від сплати податків
+DocType: Loan Application,Proposed Pledges,Запропоновані обіцянки
 DocType: Grant Application,Show on Website,Показати на веб-сайті
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Почніть з
 DocType: Hub Tracked Item,Hub Category,Категорія концентратора
@@ -3472,7 +3521,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Поставщик Scorecard Standing
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Рядок {0}: Відомість матеріалів не знайдено для елемента {1}
 DocType: Contract Fulfilment Checklist,Requirement,Вимога
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах&gt; Налаштування HR"
 DocType: Journal Entry,Accounts Receivable,Дебіторська заборгованість
 DocType: Quality Goal,Objectives,Цілі
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Роль, дозволена для створення запущеної програми залишення"
@@ -3485,6 +3533,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Включити операції звірки
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,"Загальна виділена сума ({0}) змащується, ніж сплачена сума ({1})."
 DocType: Landed Cost Voucher,Distribute Charges Based On,Розподілити плату на основі
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Оплачена сума не може бути меншою за {0}
 DocType: Projects Settings,Timesheets,Табелі робочого часу
 DocType: HR Settings,HR Settings,Налаштування HR
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Майстри бухгалтерського обліку
@@ -3630,6 +3679,7 @@
 DocType: Employee,Health Insurance,Медична страховка
 DocType: Asset Repair,Manufacturing Manager,Виробництво менеджер
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Серійний номер {0} знаходиться на гарантії до {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Сума позики перевищує максимальну суму позики {0} відповідно до запропонованих цінних паперів
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Мінімальна допустима величина
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Користувач {0} вже існує
 apps/erpnext/erpnext/hooks.py,Shipments,Поставки
@@ -3674,7 +3724,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Вид бізнесу
 DocType: Sales Invoice,Consumer,Споживач
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Будь ласка, виберіть суму розподілу, тип та номер рахунку-фактури в принаймні одному рядку"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Будь ласка, встановіть назву серії на {0} за допомогою пункту Налаштування&gt; Налаштування&gt; Іменування серії"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Вартість нової покупки
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Неохідно вказати Замовлення клієнта для позиції {0}
 DocType: Grant Application,Grant Description,Опис гранту
@@ -3683,6 +3732,7 @@
 DocType: Subscription,Discounts,Знижки
 DocType: Bank Transaction,Unallocated Amount,Нерозподілена сума
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,"Будь ласка, увімкніть Застосовне до замовлення на купівлю та застосовуйте для бронювання фактичних витрат"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} - це не банківський рахунок компанії
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,"Не можете знайти відповідний пункт. Будь ласка, виберіть інше значення для {0}."
 DocType: POS Profile,Taxes and Charges,Податки та збори
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Продукт або послуга, що купується, продається, або зберігається на складі."
@@ -3733,6 +3783,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Дійсний з дати повинен бути меншим ніж Дійсний до дати.
 DocType: Employee Skill,Evaluation Date,Дата оцінки
 DocType: Quotation Item,Stock Balance,Залишки на складах
+DocType: Loan Security Pledge,Total Security Value,Загальне значення безпеки
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Замовлення клієнта в Оплату
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,генеральний директор
 DocType: Purchase Invoice,With Payment of Tax,Із сплатою податку
@@ -3745,6 +3796,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Будь ласка, виберіть правильний рахунок"
 DocType: Salary Structure Assignment,Salary Structure Assignment,Назначення структури заробітної плати
 DocType: Purchase Invoice Item,Weight UOM,Одиниця ваги
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Обліковий запис {0} не існує в діаграмі інформаційної панелі {1}
 apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Список доступних акціонерів з номерами фоліо
 DocType: Salary Structure Employee,Salary Structure Employee,Працівник Структури зарплати
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Показати варіанти атрибутів
@@ -3826,6 +3878,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Поточна собівартість
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Кількість кореневих облікових записів не може бути менше 4
 DocType: Training Event,Advance,Аванс
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Проти позики:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Налаштування платіжного шлюзу GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Обмін Прибуток / збиток
 DocType: Opportunity,Lost Reason,Забули Причина
@@ -3910,8 +3963,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Виберіть Batch Немає
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Невірний {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,"Рядок {0}: Дата народження рідних братів не може бути більшою, ніж сьогодні."
 DocType: Fee Validity,Reference Inv,Довідкова інв
 DocType: Sales Invoice Advance,Advance Amount,Сума авансу
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Процентна ставка пені (%) на день
 DocType: Manufacturing Settings,Capacity Planning,Планування потужностей
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Корегування округлення (Валюта компанії
 DocType: Asset,Policy number,Номер полісу
@@ -3927,7 +3982,9 @@
 DocType: Normal Test Items,Require Result Value,Вимагати значення результату
 DocType: Purchase Invoice,Pricing Rules,Правила ціноутворення
 DocType: Item,Show a slideshow at the top of the page,Показати слайд-шоу у верхній частині сторінки
+DocType: Appointment Letter,Body,Тіло
 DocType: Tax Withholding Rate,Tax Withholding Rate,Податковий рівень утримання
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Дата початку погашення є обов&#39;язковою для строкових позик
 DocType: Pricing Rule,Max Amt,Макс
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Магазини
@@ -3947,7 +4004,7 @@
 DocType: Call Log,Received By,Отримав
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Тривалість зустрічі (у хвилинах)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Інформація про шаблон картки грошових потоків
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Кредитний менеджмент
+DocType: Loan,Loan Management,Кредитний менеджмент
 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,Update Cost,Оновлення Вартість
@@ -3955,6 +4012,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-Форма
 DocType: Sales Invoice,Mode of Transport,Режим транспорту
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Показати Зарплатний розрахунок
+DocType: Loan,Is Term Loan,Є строкова позика
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Передача матеріалів
 DocType: Fees,Send Payment Request,Надіслати запит на оплату
 DocType: Travel Request,Any other details,Будь-які інші подробиці
@@ -3972,6 +4030,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Рух грошових коштів від фінансової діяльності
 DocType: Budget Account,Budget Account,бюджет аккаунта
 DocType: Quality Inspection,Verified By,Перевірено
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Додати гарантію позики
 DocType: Travel Request,Name of Organizer,Назва організатора
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,Відповідальність за податок на прибуток
@@ -4022,6 +4081,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Обов&#39;язково На
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Якщо встановлено прапорець, приховує та вимикає поле &quot;Закруглена сума&quot; у &quot;Заплатах&quot;"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Це компенсація за замовчуванням (днів) для дати доставки у замовленнях на продаж. Зсув резервного копіювання - 7 днів з дати розміщення замовлення.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Установіть серію нумерації для відвідування за допомогою пункту Налаштування&gt; Серія нумерації
 DocType: Rename Tool,File to Rename,Файл Перейменувати
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Будь ласка, виберіть Норми для елемента в рядку {0}"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Отримати оновлення підписки
@@ -4034,6 +4094,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Створено серійні номери
 DocType: POS Profile,Applicable for Users,Застосовується для користувачів
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Від дати і до дати є обов&#39;язковими
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Встановити проект і всі завдання на статус {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Встановити аванси та виділити (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,"Немає робочих замовлень, створених"
@@ -4043,6 +4104,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Предмети від
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Вартість куплених виробів
 DocType: Employee Separation,Employee Separation Template,Шаблон розділення співробітників
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Нульова кількість {0} поклалася на позику {0}
 DocType: Selling Settings,Sales Order Required,Необхідне Замовлення клієнта
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Стати продавцем
 ,Procurement Tracker,Відстеження закупівель
@@ -4141,11 +4203,12 @@
 ,Minutes to First Response for Opportunity,Хвилини до першої реакції на нагоду
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Всього Відсутня
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,Номенклатурна позиція або Склад у рядку {0} не відповідає Замовленню матеріалів
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Сума до сплати
+DocType: Loan Repayment,Payable Amount,Сума до сплати
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Нагода
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Максимальна міцність не може бути менше нуля.
 DocType: Options,Option,Варіант
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Ви не можете створювати записи бухгалтерського обліку в закритому обліковому періоді {0}
 DocType: Operation,Default Workstation,За замовчуванням робоча станція
@@ -4187,6 +4250,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Сума відсотків є обов&#39;язковою
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Відпустка за свій рахунок не відповідає затвердженим записам заяв на відпустку
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Наступні кроки
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Збережені елементи
@@ -4238,8 +4302,6 @@
 DocType: Grant Application,Grant Application Details ,Детальні відомості про грант
 DocType: Employee Separation,Employee Separation,Розподіл працівників
 DocType: BOM Item,Original Item,Оригінальний предмет
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Видаліть працівника <a href=""#Form/Employee/{0}"">{0}</a> \, щоб скасувати цей документ"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата документа
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Плата записи Створено - {0}
 DocType: Asset Category Account,Asset Category Account,Категорія активів Рахунок
@@ -4275,6 +4337,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Тест лабораторної роботи {0} вже існує
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} - це свято компанії
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Години оплати
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Процентна ставка пені щодня стягується із відкладеною сумою відсотків у разі затримки погашення
+DocType: Appointment Letter content,Appointment Letter content,Зміст листа
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Залишити сповіщення про статус
 DocType: Patient Appointment,Procedure Prescription,Процедура рецепту
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Меблі і Світильники
@@ -4294,7 +4358,7 @@
 DocType: Opportunity,Customer / Lead Name,Замовник / Провідний Ім&#39;я
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Clearance дата не вказано
 DocType: Payroll Period,Taxable Salary Slabs,Податкова плата заробітної плати
-DocType: Job Card,Production,Виробництво
+DocType: Plaid Settings,Production,Виробництво
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Недійсний GSTIN! Введене вами введення не відповідає формату GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Значення рахунку
 DocType: Guardian,Occupation,рід занять
@@ -4439,6 +4503,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,Колекція програми лояльності
 DocType: Stock Entry Detail,Subcontracted Item,Субконтрактований пункт
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},Студент {0} не належить до групи {1}
+DocType: Appointment Letter,Appointment Date,Дата призначення
 DocType: Budget,Cost Center,Центр витрат
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Документ #
 DocType: Tax Rule,Shipping Country,Країна доставки
@@ -4509,6 +4574,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Вимір обліку
 ,Profit and Loss Statement,Звіт по прибутках і збитках
 DocType: Bank Reconciliation Detail,Cheque Number,Чек Кількість
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Сума сплаченої суми не може дорівнювати нулю
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,"Елемент, на який посилається {0} - {1} вже виставлено рахунок"
 ,Sales Browser,Переглядач продажів
 DocType: Journal Entry,Total Credit,Всього Кредит
@@ -4613,6 +4679,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Додати / змінити умови купона
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Витрати / рахунок різниці ({0}) повинен бути &quot;прибуток або збиток» рахунок
 DocType: Stock Entry Detail,Stock Entry Child,Запас дитини дитини
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,"Позикова компанія, що займається заставою, та позикова компанія повинні бути однаковими"
 DocType: Project,Copied From,скопійовано з
 DocType: Project,Copied From,скопійовано з
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Рахунок-фактура вже створено для всіх годин біллінгу
@@ -4621,6 +4688,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Є фінансова вартість
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Відвідуваність працівника {0} вже внесена
 DocType: Packing Slip,If more than one package of the same type (for print),Якщо більш ніж один пакет того ж типу (для друку)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта&gt; Налаштування освіти"
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,"Будь ласка, встановіть клієнт за замовчуванням у налаштуваннях ресторану"
 ,Salary Register,дохід Реєстрація
 DocType: Company,Default warehouse for Sales Return,Склад за замовчуванням для повернення продажів
@@ -4665,7 +4733,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Поточний серійний номер
 DocType: Employee,Attendance and Leave Details,Інформація про відвідування та залишення
 ,BOM Comparison Tool,Інструмент порівняння BOM
-,Requested,Запитаний
+DocType: Loan Security Pledge,Requested,Запитаний
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Немає зауважень
 DocType: Asset,In Maintenance,У технічному обслуговуванні
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Натисніть цю кнопку, щоб витягнути дані замовлення клієнта з Amazon MWS."
@@ -4677,7 +4745,6 @@
 DocType: Drug Prescription,Drug Prescription,Препарат для наркотиків
 DocType: Service Level,Support and Resolution,Підтримка та дозвіл
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Безкоштовний код товару не обраний
-DocType: Loan,Repaid/Closed,Повернений / Closed
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,Загальна запланована Кількість
 DocType: Monthly Distribution,Distribution Name,Розподіл Ім&#39;я
@@ -4711,6 +4778,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Проводки по запасах
 DocType: Lab Test,LabTest Approver,LabTest Approver
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ви вже оцінили за критеріями оцінки {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Сума нестачі
 DocType: Vehicle Service,Engine Oil,Машинне мастило
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Створено робочі замовлення: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Введіть ідентифікатор електронної пошти для ведучого {0}
@@ -4729,6 +4797,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Обліковий запис не встановлено для діаграми інформаційної панелі {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Надати додаткову знижку на
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Виберіть тип ...
+DocType: Loan Interest Accrual,Amounts,Суми
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Ваші квитки
 DocType: Account,Root Type,Корінь Тип
 DocType: Item,FIFO,FIFO
@@ -4736,6 +4805,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Ряд # {0}: Чи не можете повернути понад {1} для п {2}
 DocType: Item Group,Show this slideshow at the top of the page,Показати це слайд-шоу на верху сторінки
 DocType: BOM,Item UOM,Пункт Одиниця виміру
+DocType: Loan Security Price,Loan Security Price,Ціна позикової позики
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Сума податку після скидки Сума (Компанія валют)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Склад призначення є обов'язковим для рядку {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Роздрібні операції
@@ -4876,6 +4946,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Пакетний є обов&#39;язковим в рядку {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Пакетний є обов&#39;язковим в рядку {0}
 DocType: Company,Default Buying Terms,Умови купівлі за замовчуванням
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Виплата кредитів
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Позицію прихідної накладної поставлено
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Увімкнути заплановану синхронізацію
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Для DateTime
@@ -4904,6 +4975,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Введіть значення betweeen {0} і {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Введіть ім'я кампанії, якщо джерелом зацікавленості є кампанія"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Газетних видавців
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Не знайдена дійсна <b>ціна гарантії позики</b> за {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Майбутні дати не дозволяються
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Очікувана дата доставки повинна бути після дати замовлення на продаж
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Рівень перезамовлення
@@ -4970,6 +5042,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Пропозиція / Цитата ціни
 DocType: Antibiotic,Healthcare,Охорона здоров&#39;я
 DocType: Target Detail,Target Detail,Цільова Подробиці
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Процеси позики
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Одиночний варіант
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,все Вакансії
 DocType: Sales Order,% of materials billed against this Sales Order,% матеріалів у виставлених рахунках згідно Замовлення клієнта
@@ -5033,7 +5106,7 @@
 DocType: Item,Reorder level based on Warehouse,Рівень перезамовлення по складу
 DocType: Activity Cost,Billing Rate,Ціна для виставлення у рахунку
 ,Qty to Deliver,К-сть для доставки
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Створіть запис про оплату
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Створіть запис про оплату
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,"Amazon буде синхронізувати дані, оновлені після цієї дати"
 ,Stock Analytics,Аналіз складських залишків
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,"Операції, що не може бути залишено порожнім"
@@ -5067,6 +5140,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Від’єднання зовнішніх інтеграцій
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Виберіть відповідний платіж
 DocType: Pricing Rule,Item Code,Код товару
+DocType: Loan Disbursement,Pending Amount For Disbursal,"Сума, що очікує на дискусію"
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Гарантія / Деталі контракту на річне обслуговування
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Вибір студентів вручну для діяльності на основі групи
@@ -5092,6 +5166,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Кількість загальної кількості
 DocType: Landed Cost Item,Receipt Document,Вхідний документ
 DocType: Employee Education,School/University,Школа / університет
+DocType: Loan Security Pledge,Loan  Details,Деталі позики
 DocType: Sales Invoice Item,Available Qty at Warehouse,Доступна к-сть на складі
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Сума виставлених рахунків
 DocType: Share Transfer,(including),(включаючи)
@@ -5115,6 +5190,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Групи
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Групувати по рахунках
 DocType: Purchase Invoice,Hold Invoice,Утримувати рахунок-фактуру
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Статус застави
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,"Будь ласка, виберіть співробітника"
 DocType: Sales Order,Fully Delivered,Повністю доставлено
 DocType: Promotional Scheme Price Discount,Min Amount,Мінімальна сума
@@ -5124,7 +5200,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},"Освоєно Сума не може бути більше, ніж сума позики {0}"
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Рядок {0} # Розподілена сума {1} не може перевищувати суму, яку не було заявлено {2}"
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},"Номер Замовлення на придбання, необхідний для {0}"
 DocType: Leave Allocation,Carry Forwarded Leaves,Carry перепроваджених Листя
@@ -5152,6 +5227,7 @@
 DocType: Pick List Item,Serial No and Batch,Серійний номер та партія
 DocType: Warranty Claim,From Company,Від компанії
 DocType: GSTR 3B Report,January,Січень
+DocType: Loan Repayment,Principal Amount Paid,Основна сплачена сума
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Сума десятків критеріїв оцінки має бути {0}.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Будь ласка, встановіть кількість зарезервованих амортизацій"
 DocType: Supplier Scorecard Period,Calculations,Розрахунки
@@ -5178,6 +5254,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Про вашу компанію
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Показати дані про старість акцій
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на рахунку повинен бути баланс рахунку
+DocType: Loan Repayment,Penalty Amount,Сума штрафу
 DocType: Donor,Donor,Донор
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Оновити податки на товари
 DocType: Global Defaults,Disable In Words,"Відключити ""прописом"""
@@ -5208,6 +5285,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Центр витрат та бюджетування
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Відкриття Баланс акцій
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Часткова оплачена вступ
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Будь ласка, встановіть Розклад платежів"
 DocType: Pick List,Items under this warehouse will be suggested,Предмети під цим складом будуть запропоновані
 DocType: Purchase Invoice,N,N
@@ -5241,7 +5319,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} не знайдено для Продукту {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Значення має бути від {0} до {1}
 DocType: Accounts Settings,Show Inclusive Tax In Print,Покажіть інклюзивний податок у друку
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банківський рахунок, з дати та до дати є обов&#39;язковими"
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Повідомлення відправлено
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,"Рахунок з дочірніх вузлів, не може бути встановлений як книгу"
 DocType: C-Form,II,II
@@ -5255,6 +5332,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Увімкнути автоматичне повторне замовлення
 DocType: Stock Settings,Item Naming By,Найменування номенклатурних позицій за
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Ще одна операція закриття періоду {0} була зроблена після {1}
+DocType: Proposed Pledge,Proposed Pledge,Пропонована застава
 DocType: Work Order,Material Transferred for Manufacturing,Матеріал для виготовлення Переведений
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Рахунок {0} не існує робить
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Виберіть програму лояльності
@@ -5265,7 +5343,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Призначення подій до {0}, оскільки працівник приєднаний до нижчевказаного Відповідального з продажуі не має ідентифікатора користувача {1}"
 DocType: Timesheet,Billing Details,платіжна інформація
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Вихідний і цільової склад повинні бути різними
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах&gt; Налаштування HR"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Оплата не вдалося. Будь ласка, перевірте свій GoCardless рахунок для отримання додаткової інформації"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не допускається оновлення складських операцій старше {0}
 DocType: Stock Entry,Inspection Required,Вимагається інспекція
@@ -5278,6 +5355,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,Програма
+DocType: Unpledge,Against Pledge,Проти застави
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Користувачі з цією роллю можуть встановлювати заблоковані рахунки і створювати / змінювати проводки по заблокованих рахунках
 DocType: Plaid Settings,Plaid Environment,Плед довкілля
 ,Project Billing Summary,Підсумок виставлення рахунків за проект
@@ -5330,6 +5408,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,порції
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Кількість днів зустрічі можна забронювати заздалегідь
 DocType: Article,LMS User,Користувач LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Застава під заставу позики є обов&#39;язковою для забезпечення позики
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Місце поставки (штат / штат)
 DocType: Purchase Order Item Supplied,Stock UOM,Одиниця виміру запасів
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Замовлення на придбання {0} не проведено
@@ -5405,6 +5484,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Створіть карту роботи
 DocType: Quotation,Referral Sales Partner,Реферальний партнер з продажу
 DocType: Quality Procedure Process,Process Description,Опис процесу
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Неможливо зняти кредит, вартість застави перевищує суму погашеної суми"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клієнт {0} створено.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,На даний момент немає запасів на будь-якому складі
 ,Payment Period Based On Invoice Date,Затримка оплати після виставлення рахунку
@@ -5425,7 +5505,7 @@
 DocType: Asset,Insurance Details,Страхування Детальніше
 DocType: Account,Payable,До оплати
 DocType: Share Balance,Share Type,Поділитися типом
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Будь ласка, введіть терміни погашення"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,"Будь ласка, введіть терміни погашення"
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Боржники ({0})
 DocType: Pricing Rule,Margin,маржа
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Нові клієнти
@@ -5434,6 +5514,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,Можливості від джерела свинцю
 DocType: Appraisal Goal,Weightage (%),Weightage (%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Змінити профіль POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Кількість або сума - мандатрой для забезпечення позики
 DocType: Bank Reconciliation Detail,Clearance Date,Clearance дата
 DocType: Delivery Settings,Dispatch Notification Template,Шаблон сповіщення про відправлення
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Оціночний звіт
@@ -5469,6 +5550,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Поділитись Леджером
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Рахунок продажу {0} створено
 DocType: Employee,Confirmation Date,Дата підтвердження
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Видаліть працівника <a href=""#Form/Employee/{0}"">{0}</a> \, щоб скасувати цей документ"
 DocType: Inpatient Occupancy,Check Out,Перевірити
 DocType: C-Form,Total Invoiced Amount,Всього Сума за рахунками
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,"Мін к-сть не може бути більше, ніж макс. к-сть"
@@ -5482,7 +5565,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Ідентифікатор компанії Quickbooks
 DocType: Travel Request,Travel Funding,Фінансування подорожей
 DocType: Employee Skill,Proficiency,Досвід роботи
-DocType: Loan Application,Required by Date,потрібно Дата
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Деталі квитанції про придбання
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Посилання на всі Місця, в яких зростає культура"
 DocType: Lead,Lead Owner,Власник Lead-а
@@ -5501,7 +5583,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Нові норми не можуть бути такими ж як поточні
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID Зарплатного розрахунку
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Дата виходу на пенсію повинен бути більше, ніж дата влаштування"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Постачальник&gt; Тип постачальника
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Кілька варіантів
 DocType: Sales Invoice,Against Income Account,На рахунок доходів
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Доставлено
@@ -5534,7 +5615,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Звинувачення типу Оцінка не може відзначений як включено
 DocType: POS Profile,Update Stock,Оновити запас
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,Платіжні реквізити
+DocType: Loan Repayment,Payment Details,Платіжні реквізити
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Вартість згідно норми
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Читання завантаженого файлу
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel","Завершений робочий ордер не може бути скасований, перш ніж скасувати, зупинити його"
@@ -5570,6 +5651,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Максимальна вартість позики
 ,Stock Ledger,Складська книга
 DocType: Company,Exchange Gain / Loss Account,Прибутки/збитки від курсової різниці
 DocType: Amazon MWS Settings,MWS Credentials,MWS Повноваження
@@ -5577,6 +5659,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Мета повинна бути одним з {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,Заповніть форму і зберегти його
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,Форум
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},"Без відпустки, призначеного для працівника: {0} для типу відпустки: {1}"
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Фактичне кількість на складі
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Фактичне кількість на складі
 DocType: Homepage,"URL for ""All Products""",URL для &quot;Все продукти&quot;
@@ -5680,7 +5763,6 @@
 DocType: Fee Schedule,Fee Schedule,плата Розклад
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Мітки стовпців:
 DocType: Bank Transaction,Settled,Поселився
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Дата виплати не може бути після дати початку погашення позики
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess
 DocType: Quality Feedback,Parameters,Параметри
 DocType: Company,Create Chart Of Accounts Based On,"Створення плану рахунків бухгалтерського обліку, засновані на"
@@ -5700,6 +5782,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Кредитний ліміт та умови оплати
 DocType: Loyalty Program,Collection Rules,Правила збору
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Пункт 3
+DocType: Loan Security Shortfall,Shortfall Time,Час нестачі
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Замовлення
 DocType: Purchase Order,Customer Contact Email,Контакти з клієнтами E-mail
 DocType: Warranty Claim,Item and Warranty Details,Предмет і відомості про гарантії
@@ -5719,12 +5802,14 @@
 DocType: Sales Person,Sales Person Name,Ім'я відповідального з продажу
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Будь ласка, введіть принаймні 1-фактуру у таблицю"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Не створено тестування
+DocType: Loan Security Shortfall,Security Value ,Значення безпеки
 DocType: POS Item Group,Item Group,Група
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студентська група:
 DocType: Depreciation Schedule,Finance Book Id,Ідентифікатор фінансової книги
 DocType: Item,Safety Stock,Безпечний запас
 DocType: Healthcare Settings,Healthcare Settings,Налаштування охорони здоров&#39;я
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Усього виділених листів
+DocType: Appointment Letter,Appointment Letter,Лист про призначення
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},Для {0}
@@ -5780,6 +5865,7 @@
 DocType: Stock Entry,From BOM,З норм
 DocType: Assessment Code,Assessment Code,код оцінки
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основний
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Заявки на позику від клієнтів та співробітників.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Складські операції до {0} заблоковано
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Будь ласка, натисніть на кнопку ""Згенерувати розклад"""
 DocType: Job Card,Current Time,Поточний час
@@ -5806,7 +5892,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Грант
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Жоден студент групи не створено.
 DocType: Purchase Invoice Item,Serial No,Серійний номер
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,"Щомісячне погашення Сума не може бути більше, ніж сума позики"
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,"Щомісячне погашення Сума не може бути більше, ніж сума позики"
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Будь ласка, введіть деталі тех. обслуговування"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Рядок # {0}: очікувана дата доставки не може передувати даті замовлення на купівлю
 DocType: Purchase Invoice,Print Language,Мова друку
@@ -5820,6 +5906,7 @@
 DocType: Asset,Finance Books,Фінанси Книги
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,Категорія декларації про звільнення від сплати працівників
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,Всі території
+DocType: Plaid Settings,development,розвиток
 DocType: Lost Reason Detail,Lost Reason Detail,Деталі втраченої причини
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,"Будь ласка, встановіть політику відпустки для співробітника {0} у службовій / класній запису"
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,Недійсний замовлення ковдри для обраного клієнта та елемента
@@ -5884,12 +5971,14 @@
 DocType: Staffing Plan Detail,Current Openings,Поточні отвори
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Рух грошових коштів від операцій
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Сума CGST
+DocType: Vehicle Log,Current Odometer value ,Поточне значення одометра
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Створити студента
 DocType: Asset Movement Item,Asset Movement Item,Елемент руху активів
 DocType: Purchase Invoice,Shipping Rule,Правило доставки
 DocType: Patient Relation,Spouse,Подружжя
 DocType: Lab Test Groups,Add Test,Додати тест
 DocType: Manufacturer,Limited to 12 characters,Обмежено до 12 символів
+DocType: Appointment Letter,Closing Notes,Заключні записки
 DocType: Journal Entry,Print Heading,Заголовок для друку
 DocType: Quality Action Table,Quality Action Table,Таблиця дій щодо якості
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Всього не може бути нульовим
@@ -5957,6 +6046,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Разом (Сум)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Визначте / створіть обліковий запис (групу) для типу - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Розваги і дозвілля
+DocType: Loan Security,Loan Security,Гарантія позики
 ,Item Variant Details,Пункт Варіант Детальніше
 DocType: Quality Inspection,Item Serial No,Серійний номер номенклатурної позиції
 DocType: Payment Request,Is a Subscription,Є підписка
@@ -5969,7 +6059,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Останній вік
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,"Заплановані та введені дати не можуть бути меншими, ніж сьогодні"
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Провести Матеріал Постачальнику
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ЕМІ
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новий Серійний номер не може мати склад. Склад повинен бути встановлений Рухом ТМЦ або Прихідною накладною
 DocType: Lead,Lead Type,Тип Lead-а
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Створити цитати
@@ -5987,7 +6076,6 @@
 DocType: Leave Allocation,Leave Period,Залишити період
 DocType: Item,Default Material Request Type,Тип Замовлення матеріалів за замовчуванням
 DocType: Supplier Scorecard,Evaluation Period,Період оцінки
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клієнт&gt; Група клієнтів&gt; Територія
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,невідомий
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Порядок роботи не створено
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6073,7 +6161,8 @@
 ,Customer-wise Item Price,"Ціна предмета, орієнтована на клієнта"
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Звіт про рух грошових коштів
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Не було створено жодного матеріального запиту
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Сума кредиту не може перевищувати максимальний Сума кредиту {0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Сума кредиту не може перевищувати максимальний Сума кредиту {0}
+DocType: Loan,Loan Security Pledge,Позика під заставу
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,ліцензія
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6091,6 +6180,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Схема знижок на ціну
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Статус технічного обслуговування має бути скасований або завершено для відправлення
 DocType: Amazon MWS Settings,US,нас
+DocType: Loan Security Pledge,Pledged,Закладений
 DocType: Holiday List,Add Weekly Holidays,Додати щотижневі свята
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Елемент звіту
 DocType: Staffing Plan Detail,Vacancies,Вакансії
@@ -6109,7 +6199,6 @@
 DocType: Production Plan Item,Planned Start Date,Планована дата початку
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,"Будь ласка, виберіть BOM"
 DocType: Purchase Invoice,Availed ITC Integrated Tax,Отримав інтегрований податок ІТЦ
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Створіть запис про повернення коштів
 DocType: Purchase Order Item,Blanket Order Rate,Швидкість замовлення ковдри
 ,Customer Ledger Summary,Резюме клієнта
 apps/erpnext/erpnext/hooks.py,Certification,Сертифікація
@@ -6130,6 +6219,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Оцінка шаблону Назва
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Комерційна
 DocType: Patient,Alcohol Current Use,Використання алкогольних напоїв
+DocType: Loan,Loan Closure Requested,Запитується закриття позики
 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,Категорія звільнення від оподаткування
@@ -6153,6 +6243,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Продаж
 DocType: Stock Entry Detail,Basic Amount,Основна кількість
 DocType: Training Event,Exam,іспит
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Дефіцит безпеки кредитного процесу
 DocType: Email Campaign,Email Campaign,Кампанія електронної пошти
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Помилка Marketplace
 DocType: Complaint,Complaint,Скарга
@@ -6232,6 +6323,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,"Надішліть це, щоб створити запис працівника"
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},"Ціна забезпечення позики, що перекривається на {0}"
 DocType: Item Default,Item Default,Позиція за замовчуванням
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Внутрішньодержавні поставки
 DocType: Chapter Member,Leave Reason,Залиште Розум
@@ -6259,6 +6351,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Купон використовується {1}. Дозволена кількість вичерпується
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ви хочете надіслати матеріальний запит
 DocType: Job Offer,Awaiting Response,В очікуванні відповіді
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Позика є обов’язковою
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Вище
 DocType: Support Search Source,Link Options,Параметри посилання
@@ -6271,6 +6364,7 @@
 DocType: Training Event Employee,Optional,Необов&#39;язково
 DocType: Salary Slip,Earning & Deduction,Нарахування та відрахування
 DocType: Agriculture Analysis Criteria,Water Analysis,Аналіз води
+DocType: Pledge,Post Haircut Amount,Кількість стрижки після публікації
 DocType: Sales Order,Skip Delivery Note,Пропустити довідку про доставку
 DocType: Price List,Price Not UOM Dependent,Ціна не залежить від UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,Створено {0} варіанти.
@@ -6297,6 +6391,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Отримати елементи з комплекту
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Метод погашення є обов&#39;язковим для строкових позик
 DocType: Asset,Straight Line,Лінійний
 DocType: Project User,Project User,проект Користувач
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,розщеплений
@@ -6344,7 +6439,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,"Роль, з якою можна встановлювати заблоковані рахунки та змінювати заблоковані проводки"
 DocType: Supplier Scorecard Scoring Variable,Path,Шлях
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Неможливо перетворити центр витрат у книгу, оскільки він має дочірні вузли"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Коефіцієнт конверсії UOM ({0} -&gt; {1}) не знайдено для елемента: {2}
 DocType: Production Plan,Total Planned Qty,Загальна кількість запланованих
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Операції, вже вилучені з виписки"
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Сума на початок роботи
@@ -6353,11 +6447,8 @@
 DocType: Material Request Plan Item,Required Quantity,Необхідна кількість
 DocType: Lab Test Template,Lab Test Template,Шаблон Lab Test
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Період обліку перекривається на {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Постачальник&gt; Тип постачальника
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Рахунок продажів
 DocType: Purchase Invoice Item,Total Weight,Загальна вага
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Видаліть працівника <a href=""#Form/Employee/{0}"">{0}</a> \, щоб скасувати цей документ"
 DocType: Pick List Item,Pick List Item,Вибір елемента списку
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комісія з продажу
 DocType: Job Offer Term,Value / Description,Значення / Опис
@@ -6404,6 +6495,7 @@
 DocType: Patient Encounter,Encounter Date,Дата зустрічі
 DocType: Work Order,Update Consumed Material Cost In Project,Оновлення витрат на споживаний матеріал у проекті
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Рахунок: {0} з валютою: {1} не може бути обраний
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,"Кредити, надані клієнтам та працівникам."
 DocType: Bank Statement Transaction Settings Item,Bank Data,Банківські дані
 DocType: Purchase Receipt Item,Sample Quantity,Обсяг вибірки
 DocType: Bank Guarantee,Name of Beneficiary,Назва Бенефіціара
@@ -6472,7 +6564,6 @@
 DocType: Contract,Signed On,Підписано
 DocType: Bank Account,Party Type,Тип контрагента
 DocType: Discounted Invoice,Discounted Invoice,Фактура зі знижкою
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Позначити відвідуваність як <b></b>
 DocType: Payment Schedule,Payment Schedule,Графік платежів
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},За вказане значення поля працівника не знайдено жодного працівника. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Скорочення
@@ -6544,6 +6635,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Кредитори
 DocType: Assessment Plan,Assessment Name,оцінка Ім&#39;я
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ряд # {0}: Серійний номер є обов&#39;язковим
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Для закриття позики необхідна сума {0}
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрий Податковий Подробиці
 DocType: Employee Onboarding,Job Offer,Пропозиція про роботу
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Абревіатура інституту
@@ -6568,7 +6660,6 @@
 DocType: Purchase Order,To Receive,Отримати
 DocType: Leave Period,Holiday List for Optional Leave,Святковий список для необов&#39;язкового відпустки
 DocType: Item Tax Template,Tax Rates,Податкові ставки
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Код товару&gt; Група предметів&gt; Бренд
 DocType: Asset,Asset Owner,Власник майна
 DocType: Item,Website Content,Вміст веб-сайту
 DocType: Bank Account,Integration ID,Інтеграційний ідентифікатор
@@ -6584,6 +6675,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Synch Orders
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Замовлення випущений у виробництво.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Виберіть фінансовий рік ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Виберіть тип кредиту для компанії {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,"Необхідний POS-профіль, щоб зробити POS-операцію"
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",Оригінали лояльності будуть розраховуватися з витрачених витрат (через рахунок-фактуру з продажів) на основі вказаного коефіцієнту збору.
 DocType: Program Enrollment Tool,Enroll Students,зарахувати студентів
@@ -6612,6 +6704,7 @@
 DocType: Customer,Mention if non-standard receivable account,Вказати якщо нестандартний рахунок заборгованості
 DocType: Bank,Plaid Access Token,Позначка доступу в плед
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,"Будь ласка, додайте решту переваг {0} до будь-якого існуючого компонента"
+DocType: Bank Account,Is Default Account,Обліковий запис за замовчуванням
 DocType: Journal Entry Account,If Income or Expense,Якщо доходи або витрати
 DocType: Course Topic,Course Topic,Тема курсу
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Програма закриття ваучера для POS існує протягом {0} між датою {1} і {2}
@@ -6624,7 +6717,7 @@
 DocType: Disease,Treatment Task,Задача лікування
 DocType: Payment Order Reference,Bank Account Details,Дані банківського рахунку
 DocType: Purchase Order Item,Blanket Order,Ковдра ордена
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Сума погашення повинна перевищувати
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Сума погашення повинна перевищувати
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Податкові активи
 DocType: BOM Item,BOM No,Номер Норм
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Оновіть деталі
@@ -6681,6 +6774,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Продукти WooCommerce
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Синтаксична помилка у формулі або умова: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,"Пункт {0} ігноруються, так як це не інвентар"
+,Loan Security Status,Стан безпеки позики
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Для того, щоб не застосовувати цінове правило у певній операції всі правила, які могли би застосуватися мають бути відключені ."
 DocType: Payment Term,Day(s) after the end of the invoice month,День (и) після закінчення місяця рахунку-фактури
 DocType: Assessment Group,Parent Assessment Group,Батько група по оцінці
@@ -6695,7 +6789,6 @@
 DocType: Stock Entry Detail,Additional Cost,Додаткова вартість
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Неможливо фільтрувати по номеру документу якщо згруповано по документах
 DocType: Quality Inspection,Incoming,Вхідний
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Установіть серію нумерації для відвідування за допомогою параметра Налаштування&gt; Серія нумерації
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Шаблони податку за замовчуванням для продажу та покупки створені.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Запис про результати оцінки {0} вже існує.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Приклад: ABCD. #####. Якщо серія встановлена і пакетний номер не згадується в транзакції, автоматичний номер партії буде створено на основі цієї серії. Якщо ви завжди хочете чітко вказати Batch No для цього елемента, залиште це порожнім. Примітка: цей параметр буде мати пріоритет над префіксом серії імен у розділі Налаштування запасу."
@@ -6706,8 +6799,10 @@
 DocType: Contract,Party User,Партійний користувач
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Активи не створені для <b>{0}</b> . Вам доведеться створити актив вручну.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Будь ласка, встановіть фільтр компанії порожнім, якщо група До є «Компанія»"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клієнт&gt; Група клієнтів&gt; Територія
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Дата розміщення не може бути майбутня дата
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},"Ряд # {0}: Серійний номер {1}, не відповідає {2} {3}"
+DocType: Loan Repayment,Interest Payable,Виплата відсотків
 DocType: Stock Entry,Target Warehouse Address,Адреса цільового складу
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Непланована відпустка
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Час перед початком часу зміни, протягом якого реєстрація відвідувачів вважається для відвідування."
@@ -6836,6 +6931,7 @@
 DocType: Issue,Reset Service Level Agreement,Скинути угоду про рівень обслуговування
 ,Sales Person-wise Transaction Summary,Операції у розрізі Відповідальних з продажу
 DocType: Training Event,Contact Number,Контактний номер
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Сума позики є обов&#39;язковою
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Склад {0} не існує
 DocType: Cashier Closing,Custody,Опіка
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,Договір про подання доказів про звільнення від сплати працівника
@@ -6884,6 +6980,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Кількісне сальдо
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Умови застосовуватимуться до всіх вибраних елементів разом.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Цілі не можуть бути порожніми
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Неправильний склад
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Зарахування студентів
 DocType: Item Group,Parent Item Group,Батьківський елемент
 DocType: Appointment Type,Appointment Type,Тип призначень
@@ -6939,10 +7036,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Середня ставка
 DocType: Appointment,Appointment With,Зустріч з
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Загальна сума платежу у графіку платежів повинна дорівнювати величині / округленому загальному
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Позначити відвідуваність як <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","&quot;Елемент, що надається клієнтом&quot; не може мати показник оцінки"
 DocType: Subscription Plan Detail,Plan,Планувати
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Банк балансовий звіт за Головну книгу
-DocType: Job Applicant,Applicant Name,Заявник Ім&#39;я
+DocType: Appointment Letter,Applicant Name,Заявник Ім&#39;я
 DocType: Authorization Rule,Customer / Item Name,Замовник / Назва товару
 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**. 
 
@@ -6986,11 +7084,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може бути видалений, поки для нього існує запис у складській книзі."
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Збут
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Статус працівника не можна встановити на &quot;Зліва&quot;, оскільки наступні працівники наразі звітують перед цим працівником:"
-DocType: Journal Entry Account,Loan,Кредит
+DocType: Loan Repayment,Amount Paid,Виплачувана сума
+DocType: Loan Security Shortfall,Loan,Кредит
 DocType: Expense Claim Advance,Expense Claim Advance,Попередня вимога про витрати
 DocType: Lab Test,Report Preference,Налаштування звіту
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Волонтерська інформація.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Керівник проекту
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Групувати за замовником
 ,Quoted Item Comparison,Цитується Порівняння товару
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},"Перехрещення, забиваючи від {0} і {1}"
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Відправка
@@ -7010,6 +7110,7 @@
 DocType: Material Request Plan Item,Material Issue,Матеріал Випуск
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Безкоштовний товар не встановлено в правилі ціноутворення {0}
 DocType: Employee Education,Qualification,Кваліфікація
+DocType: Loan Security Shortfall,Loan Security Shortfall,Дефіцит забезпечення позики
 DocType: Item Price,Item Price,Ціна товару
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Мило та миючі засоби
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Співробітник {0} не належить до компанії {1}
@@ -7032,6 +7133,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Деталі про зустріч
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Закінчений продукт
 DocType: Warehouse,Warehouse Name,Назва складу
+DocType: Loan Security Pledge,Pledge Time,Час застави
 DocType: Naming Series,Select Transaction,Виберіть операцію
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Будь ласка, введіть затвердження роль або затвердження Користувач"
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Договір про рівень обслуговування з типом {0} та об&#39;єктом {1} вже існує.
@@ -7039,7 +7141,6 @@
 DocType: BOM,Rate Of Materials Based On,Вартість матеріалів базується на
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Якщо включено, поле Academic Term буде обов&#39;язковим в інструменті реєстрації програм."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Значення пільгових товарів, нульових значень та внутрішніх запасів без GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Клієнт&gt; Група клієнтів&gt; Територія
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Компанія</b> - обов&#39;язковий фільтр.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Скасувати всі
 DocType: Purchase Taxes and Charges,On Item Quantity,По кількості товару
@@ -7085,7 +7186,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Брак к-сті
 DocType: Purchase Invoice,Input Service Distributor,Дистриб&#39;ютор послуг введення даних
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта&gt; Налаштування освіти"
 DocType: Loan,Repay from Salary,Погашати із заробітної плати
 DocType: Exotel Settings,API Token,API Token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Запит платіж проти {0} {1} на суму {2}
@@ -7105,6 +7205,7 @@
 DocType: Salary Slip,Total Interest Amount,Загальна сума процентів
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,Склади з дочірніми вузлами не можуть бути перетворені в бухгалтерській книзі
 DocType: BOM,Manage cost of operations,Управління вартість операцій
+DocType: Unpledge,Unpledge,Знімати
 DocType: Accounts Settings,Stale Days,Сталі дні
 DocType: Travel Itinerary,Arrival Datetime,Прибуття Datetime
 DocType: Tax Rule,Billing Zipcode,Платіжний поштовий індекс
@@ -7291,6 +7392,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Часів
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Для вас створено нову зустріч із {0}
 DocType: Project,Expected Start Date,Очікувана дата початку
+DocType: Work Order,This is a location where raw materials are available.,"Це місце, де доступна сировина."
 DocType: Purchase Invoice,04-Correction in Invoice,04-виправлення в рахунку-фактурі
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Замовлення на роботу вже створено для всіх елементів з BOM
 DocType: Bank Account,Party Details,Інформація про партію
@@ -7309,6 +7411,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,котирування:
 DocType: Contract,Partially Fulfilled,Частково виконано
 DocType: Maintenance Visit,Fully Completed,Повністю завершено
+DocType: Loan Security,Loan Security Name,Ім&#39;я безпеки позики
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Спеціальні символи, окрім &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Та &quot;}&quot;, не дозволяються в іменуванні серій"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Чи є нульовим рейтингом або звільняється від нього
 DocType: Employee,Educational Qualification,Освітня кваліфікація
@@ -7366,6 +7469,7 @@
 DocType: Program,Is Featured,Вибрано
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Отримання ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Сільськогосподарський користувач
+DocType: Loan Security Shortfall,America/New_York,Америка / Нью-Йорк
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Дійсний до дати не може бути до дати здійснення операції
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,студент Категорія
@@ -7443,8 +7547,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,Вам не дозволено встановлювати блокування
 DocType: Payment Reconciliation,Get Unreconciled Entries,Отримати Неузгоджені Записи
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Працівник {0} перебуває на відпустці {1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Жодні виплати не вибрані для вступу до журналу
 DocType: Purchase Invoice,GST Category,Категорія GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Запропоновані застави є обов&#39;язковими для забезпечених позик
 DocType: Payment Reconciliation,From Invoice Date,Рахунки-фактури з датою від
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Бюджети
 DocType: Invoice Discounting,Disbursed,Виплачено
@@ -7502,14 +7606,13 @@
 DocType: Restaurant,Active Menu,Активне меню
 DocType: Accounting Dimension Detail,Default Dimension,Параметр за замовчуванням
 DocType: Target Detail,Target Qty,Цільова Кількість
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Проти кредиту: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Checkout Налаштування
 DocType: Student Attendance,Present,Присутній
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Накладна {0} не повинні бути проведеною
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Розписка про зарплату, надіслана працівникові, буде захищена паролем, пароль буде створено на основі політики щодо паролів."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,Закриття рахунку {0} повинен бути типу відповідальністю / власний капітал
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},Зарплатний розрахунок для працівника {0} вже створений на основі табелю {1}
-DocType: Vehicle Log,Odometer,одометр
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,одометр
 DocType: Production Plan Item,Ordered Qty,Замовлена (ordered) к-сть
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Пункт {0} відключена
 DocType: Stock Settings,Stock Frozen Upto,Рухи ТМЦ заблоковано по
@@ -7568,7 +7671,6 @@
 DocType: Serial No,Delivery Document Type,Доставка Тип документа
 DocType: Sales Order,Partly Delivered,Частково доставлений
 DocType: Item Variant Settings,Do not update variants on save,Не оновлюйте варіанти для збереження
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Група зберігачів
 DocType: Email Digest,Receivables,Дебіторська заборгованість
 DocType: Lead Source,Lead Source,Lead Source
 DocType: Customer,Additional information regarding the customer.,Додаткова інформація щодо клієнта.
@@ -7666,6 +7768,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Фактичний
 DocType: Appointment,Skype ID,Ідентифікатор Skype
 DocType: Restaurant Menu,Restaurant Manager,Менеджер ресторану
+DocType: Loan,Penalty Income Account,Рахунок пені
 DocType: Call Log,Call Log,Журнал викликів
 DocType: Authorization Rule,Customerwise Discount,Customerwise Знижка
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet для виконання завдань.
@@ -7753,6 +7856,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Схема знижок на продукти
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Абонента не виникало жодних питань.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Група за постачальником
 DocType: Restaurant Reservation,Waitlisted,Чекав на розсилку
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категорія звільнення
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Валюта не може бути змінена після внесення запису, використовуючи інший валюти"
@@ -7763,7 +7867,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Консалтинг
 DocType: Subscription Plan,Based on price list,На підставі прайс-листа
 DocType: Customer Group,Parent Customer Group,Батько Група клієнтів
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Електронний вексель JSON можна отримати лише з рахунку-фактури з продажу
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Досягнуто максимальних спроб цієї вікторини!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Підписка
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Очікує створити плату
@@ -7781,6 +7884,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Профілактичне обслуговування
 DocType: Delivery Note Item,Against Sales Invoice,На рахунок продажу
 DocType: Purchase Invoice,07-Others,07-Інші
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Сума котирування
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,"Будь ласка, введіть серійні номери для серіалізовані пункту"
 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. ,"Залиште прапорець, якщо ви не хочете, щоб розглянути партію, роблячи групу курсів на основі."
@@ -7892,6 +7996,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Оплата Отримання Примітка
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Згідно операцій по цьому клієнту. Див графік нижче для отримання докладної інформації
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Створіть матеріальний запит
+DocType: Loan Interest Accrual,Pending Principal Amount,"Основна сума, що очікує на розгляд"
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Дати початку та кінця не є дійсним Періодом оплати праці, не можна обчислити {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,Новий академічний термін
@@ -7935,6 +8040,7 @@
 											to fullfill Sales Order {2}","Неможливо доставити серійний номер {0} пункту {1}, оскільки він зарезервований \ для повного заповнення замовлення на продаж {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Пропозицію постачальника {0} створено
+DocType: Loan Security Unpledge,Unpledge Type,Тип відкрутки
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Рік закінчення не може бути раніше початку року
 DocType: Employee Benefit Application,Employee Benefits,Виплати працівникам
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Ідентифікатор працівника
@@ -8017,6 +8123,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Код курсу:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Будь ласка, введіть видатковий рахунок"
 DocType: Quality Action Resolution,Problem,Проблема
+DocType: Loan Security Type,Loan To Value Ratio,Співвідношення позики до вартості
 DocType: Account,Stock,Інвентар
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: Замовлення на придбання, Вхідний рахунок-фактура або Запис журналу"
 DocType: Employee,Current Address,Поточна адреса
@@ -8034,6 +8141,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Банківська виписка транзакції
 DocType: Sales Invoice Item,Discount and Margin,Знижка і маржа
 DocType: Lab Test,Prescription,Рецепт
+DocType: Process Loan Security Shortfall,Update Time,Час оновлення
 DocType: Import Supplier Invoice,Upload XML Invoices,Завантажте рахунки-фактури XML
 DocType: Company,Default Deferred Revenue Account,Обліковий запис прострочений дохід
 DocType: Project,Second Email,Друга електронна пошта
@@ -8047,7 +8155,7 @@
 DocType: Quality Action,Preventive,Профілактична
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Поставки, здійснені для незареєстрованих осіб"
 DocType: Company,Date of Incorporation,Дата реєстрації
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Усього податків
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Усього податків
 DocType: Manufacturing Settings,Default Scrap Warehouse,Склад брухту за замовчуванням
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Остання ціна покупки
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Для Кількість (Виробник Кількість) є обов&#39;язковим
@@ -8066,6 +8174,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Встановити типовий спосіб оплати
 DocType: Stock Entry Detail,Against Stock Entry,Проти введення акцій
 DocType: Grant Application,Withdrawn,вилучене
+DocType: Loan Repayment,Regular Payment,Регулярна оплата
 DocType: Support Search Source,Support Search Source,Підтримка пошуку джерела
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Зарядний
 DocType: Project,Gross Margin %,Валовий дохід %
@@ -8079,8 +8188,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Без сплати податку
 DocType: BOM Operation,BOM Operation,Операція Норм витрат
 DocType: Purchase Taxes and Charges,On Previous Row Amount,На Попередня Сума Row
+DocType: Student,Home Address,Домашня адреса
 DocType: Options,Is Correct,Правильно
 DocType: Item,Has Expiry Date,Дата закінчення терміну дії
+DocType: Loan Repayment,Paid Accrual Entries,Платні записи про нарахування
+DocType: Loan Security,Loan Security Type,Тип забезпечення позики
 apps/erpnext/erpnext/config/support.py,Issue Type.,Тип випуску
 DocType: POS Profile,POS Profile,POS-профіль
 DocType: Training Event,Event Name,Назва події
@@ -8092,6 +8204,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезонність для установки бюджети, цільові тощо"
 apps/erpnext/erpnext/www/all-products/index.html,No values,Немає значень
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Назва змінної
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Виберіть банківський рахунок для узгодження.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Номенклатурна позиція {0} - шаблон, виберіть один з його варіантів"
 DocType: Purchase Invoice Item,Deferred Expense,Відстрочені витрати
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Повернутися до Повідомлень
@@ -8143,7 +8256,6 @@
 DocType: GL Entry,To Rename,Перейменувати
 DocType: Stock Entry,Repack,Перепакувати
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Виберіть, щоб додати серійний номер."
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта&gt; Налаштування освіти"
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Будь ласка, встановіть фіскальний код для клієнта &quot;% s&quot;"
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,"Будь ласка, спочатку виберіть компанію"
 DocType: Item Attribute,Numeric Values,Числові значення
@@ -8167,6 +8279,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Вибір на основі FIFO
 DocType: Soil Texture,Clay Loam,Клей-Лоам
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Корінь не може бути змінений.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Значення безпеки позики
 DocType: Item,Units of Measure,одиниці виміру
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,Оренда в метро
 DocType: Supplier,Default Tax Withholding Config,Конфігурація за утримання за замовчуванням
@@ -8213,6 +8326,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Ласка, виберіть категорію спершу"
 apps/erpnext/erpnext/config/projects.py,Project master.,Майстер проекту.
 DocType: Contract,Contract Terms,Умови договору
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Обмежений розмір санкціонованої суми
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Продовжити конфігурацію
 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,Maximum benefit amount of component {0} exceeds {1},Максимальна сума вигоди компонента {0} перевищує {1}
@@ -8245,6 +8359,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Переглянути журнал викликів
 DocType: BOM Operation,Operating Cost(Company Currency),Експлуатаційні витрати (Компанія Валюта)
 DocType: Loan Application,Rate of Interest,відсоткова ставка
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},"Застава під заставу позики, вже запозичена під позику {0}"
 DocType: Expense Claim Detail,Sanctioned Amount,Санкціонована сума
 DocType: Item,Shelf Life In Days,Термін зберігання в дні
 DocType: GL Entry,Is Opening,Введення залишків
@@ -8258,3 +8373,4 @@
 DocType: Account,Cash,Грошові кошти
 DocType: Sales Invoice,Unpaid and Discounted,Без сплати та знижок
 DocType: Employee,Short biography for website and other publications.,Коротка біографія для веб-сайту та інших публікацій.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Рядок № {0}: Неможливо вибрати склад постачальників під час подачі сировини субпідряднику
diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv
index b115fb4..f7f9b7d 100644
--- a/erpnext/translations/ur.csv
+++ b/erpnext/translations/ur.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,موقع کھو دیا وجہ
 DocType: Patient Appointment,Check availability,دستیابی کی جانچ پڑتال کریں
 DocType: Retention Bonus,Bonus Payment Date,بونس ادائیگی کی تاریخ
-DocType: Employee,Job Applicant,ملازمت کی درخواست گزار
+DocType: Appointment Letter,Job Applicant,ملازمت کی درخواست گزار
 DocType: Job Card,Total Time in Mins,منٹ میں کل وقت
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,یہ اس سپلائر خلاف لین دین کی بنیاد پر ہے. تفصیلات کے لئے نیچے ٹائم لائن ملاحظہ کریں
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,کام آرڈر کے لئے اضافی پیداوار کا فیصد
@@ -181,6 +181,7 @@
 DocType: Delivery Stop,Contact Information,رابطے کی معلومات
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,کسی بھی چیز کی تلاش ...
 ,Stock and Account Value Comparison,اسٹاک اور اکاؤنٹ کی قیمت کا موازنہ
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,تقسیم شدہ رقم قرض کی رقم سے زیادہ نہیں ہوسکتی ہے
 DocType: Company,Phone No,فون نمبر
 DocType: Delivery Trip,Initial Email Notification Sent,ابتدائی ای میل کی اطلاع بھیجا
 DocType: Bank Statement Settings,Statement Header Mapping,بیان ہیڈر نقشہ جات
@@ -284,6 +285,7 @@
 DocType: Lead,Interested,دلچسپی رکھنے والے
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,افتتاحی
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,پروگرام:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,درست وقت سے وقت تک درست سے کم ہونا چاہئے۔
 DocType: Item,Copy From Item Group,آئٹم گروپ سے کاپی
 DocType: Journal Entry,Opening Entry,افتتاحی انٹری
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,اکاؤنٹ تنخواہ صرف
@@ -331,6 +333,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,گریڈ
 DocType: Restaurant Table,No of Seats,نشستوں کی تعداد
+DocType: Loan Type,Grace Period in Days,دنوں میں فضل کا دورانیہ
 DocType: Sales Invoice,Overdue and Discounted,ضرورت سے زیادہ اور چھوٹ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},اثاثہ {0} حراست میں نہیں ہے {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,کال منقطع۔
@@ -362,6 +365,7 @@
 				Item {0} is added with and without Ensure Delivery by \
 				Serial No.",سیریل نمبر کی طرف سے \ آئٹم {0} کے ذریعے ترسیل کو یقینی بنانے کے بغیر اور سیریل نمبر کی طرف سے یقینی بنانے کے بغیر شامل نہیں کیا جاسکتا ہے.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,ادائیگی کی کم از کم ایک موڈ POS انوائس کے لئے ضروری ہے.
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},بیچ نمبر کی ضرورت بیچ والے آئٹم کے لئے نہیں ہے {0}
 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,بینک بیان ٹرانزیکشن انوائس آئٹم
 DocType: Salary Detail,Tax on flexible benefit,لچکدار فائدہ پر ٹیکس
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,{0} آئٹم فعال نہیں ہے یا زندگی کے اختتام تک پہنچ گیا ہے
@@ -382,7 +386,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,مقرر کردہ طریقہ کار
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,صرف POS دکھائیں
 DocType: Supplier Group,Supplier Group Name,سپلائر گروپ کا نام
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,بطور حاضری نشان زد کریں <b></b>
 DocType: Driver,Driving License Categories,ڈرائیونگ لائسنس زمرہ جات
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ڈلیوری کی تاریخ درج کریں
 DocType: Depreciation Schedule,Make Depreciation Entry,ہراس اندراج
@@ -399,10 +402,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,آپریشن کی تفصیلات سے کئے گئے.
 DocType: Asset Maintenance Log,Maintenance Status,بحالی رتبہ
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,آئٹم ٹیکس کی قیمت میں قیمت شامل ہے۔
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,قرض سیکیورٹی Unpledge
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,رکنیت کی تفصیلات
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: پائیدار اکاؤنٹ {2} کے خلاف سپلائر کی ضرورت ہے
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,اشیا اور قیمتوں کا تعین
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},کل گھنٹے: {0}
+DocType: Loan,Loan Manager,لون منیجر
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},تاریخ سے مالیاتی سال کے اندر اندر ہونا چاہئے. تاریخ سے سنبھالنے = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC- PMR-YYYY.-
 DocType: Drug Prescription,Interval,وقفہ
@@ -461,6 +466,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',&#39;وقت لاگ ان&#39; کے ذریعے اپ ڈیٹ
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,کسٹمر یا سپلائر منتخب کریں.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,فائل میں ملک کا کوڈ نظام میں قائم کنٹری کوڈ سے مماثل نہیں ہے
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},اکاؤنٹ {0} کمپنی سے تعلق نہیں ہے {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,بطور ڈیفالٹ صرف ایک ترجیح منتخب کریں۔
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ایڈوانس رقم سے زیادہ نہیں ہو سکتا {0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",ٹائم سلاٹ کو چھپا دیا گیا، سلاٹ {0} سے {1} سے باہر نکلنے والی سلاٹ {2} سے {3}
@@ -536,7 +542,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,چھوڑ کریں
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},آئٹم {0} پر زندگی کے اس کے آخر تک پہنچ گیا ہے {1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,بینک لکھے
-DocType: Customer,Is Internal Customer,اندرونی کسٹمر ہے
+DocType: Sales Invoice,Is Internal Customer,اندرونی کسٹمر ہے
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,فروخت انوائس کوئی
@@ -560,6 +566,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,مواد کی درخواست
 DocType: Bank Reconciliation,Update Clearance Date,اپ ڈیٹ کی کلیئرنس تاریخ
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,بنڈل کیٹی
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,درخواست منظور ہونے تک قرض نہیں بن سکتا
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},خریداری کے آرڈر میں خام مال کی فراہمی &#39;کے ٹیبل میں شے نہیں مل سکا {0} {1}
 DocType: Salary Slip,Total Principal Amount,کل پرنسپل رقم
@@ -567,6 +574,7 @@
 DocType: Quiz Result,Correct,درست کریں۔
 DocType: Student Guardian,Mother,ماں
 DocType: Restaurant Reservation,Reservation End Time,ریزرویشن اختتام کا وقت
+DocType: Salary Slip Loan,Loan Repayment Entry,قرض کی ادائیگی میں داخلہ
 DocType: Crop,Biennial,باہمی
 ,BOM Variance Report,BOM متغیر رپورٹ
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,صارفین کی طرف سے اس بات کی تصدیق کے احکامات.
@@ -588,6 +596,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},کے خلاف ادائیگی {0} {1} بقایا رقم سے زیادہ نہیں ہو سکتا {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,تمام ہیلتھ کیئر سروس یونٹس
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,مواقع کو تبدیل کرنے پر۔
+DocType: Loan,Total Principal Paid,کل پرنسپل ادا ہوا
 DocType: Bank Account,Address HTML,ایڈریس HTML
 DocType: Lead,Mobile No.,موبائل نمبر
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,ادائیگی کے موڈ
@@ -606,11 +615,13 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,بیلنس بیس بیس میں
 DocType: Supplier Scorecard Scoring Standing,Max Grade,زیادہ سے زیادہ گریڈ
 DocType: Email Digest,New Quotations,نئی کوٹیشن
+DocType: Loan Interest Accrual,Loan Interest Accrual,قرضہ سود ایکوری
 DocType: Journal Entry,Payment Order,ادائیگی آرڈر
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ای میل کی تصدیق کریں
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,دوسرے ذرائع سے آمدنی۔
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",اگر خالی ہے تو ، والدین گودام اکاؤنٹ یا کمپنی کا ڈیفالٹ سمجھا جائے گا۔
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ترجیحی ای میل ملازم میں منتخب کی بنیاد پر ملازم کو ای میلز تنخواہ کی پرچی
+DocType: Work Order,This is a location where operations are executed.,یہ وہ مقام ہے جہاں کارروائیوں کو انجام دیا جاتا ہے۔
 DocType: Tax Rule,Shipping County,شپنگ کاؤنٹی
 DocType: Currency Exchange,For Selling,فروخت کے لئے
 apps/erpnext/erpnext/config/desktop.py,Learn,جانیے
@@ -619,6 +630,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,لاگو کوپن کوڈ
 DocType: Asset,Next Depreciation Date,اگلا ہراس تاریخ
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,فی ملازم سرگرمی لاگت
+DocType: Loan Security,Haircut %,بال کٹوانے
 DocType: Accounts Settings,Settings for Accounts,اکاؤنٹس کے لئے ترتیبات
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},خریدار انوائس میں سپلائر انوائس موجود نہیں ہے {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,فروخت شخص درخت کا انتظام کریں.
@@ -657,6 +669,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},براہ کرم ہوٹل روم کی شرح مقرر کریں {}
 DocType: Journal Entry,Multi Currency,ملٹی کرنسی
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,انوائس کی قسم
+DocType: Loan,Loan Security Details,قرض کی حفاظت کی تفصیلات
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,درست تاریخ سے زیادہ درست تاریخ سے کم ہونا چاہئے۔
 DocType: Purchase Invoice,Set Accepted Warehouse,قبول شدہ گودام طے کریں۔
 DocType: Employee Benefit Claim,Expense Proof,اخراجات کا ثبوت
@@ -758,7 +771,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,لیب ٹیسٹ کی منظوری کی ضرورت ہے
 DocType: Attendance,Working Hours,کام کے اوقات
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,کل بقایا
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM کے تبادلوں کا عنصر ({0} -&gt; {1}) آئٹم کے لئے نہیں ملا: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,ایک موجودہ سیریز کے شروع / موجودہ ترتیب تعداد کو تبدیل کریں.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,آرڈر کی گئی رقم کے مقابلہ میں آپ کو زیادہ بل ادا کرنے کی اجازت ہے۔ مثال کے طور پر: اگر کسی شے کے لئے آرڈر ویلیو $ 100 ہے اور رواداری 10 as مقرر کی گئی ہے تو آپ کو $ 110 کا بل ادا کرنے کی اجازت ہے۔
 DocType: Dosage Strength,Strength,طاقت
@@ -775,6 +787,7 @@
 DocType: Purchase Receipt,Vehicle Date,گاڑی تاریخ
 DocType: Campaign Email Schedule,Campaign Email Schedule,مہم ای میل کا نظام الاوقات۔
 DocType: Student Log,Medical,میڈیکل
+DocType: Work Order,This is a location where scraped materials are stored.,یہ ایک ایسی جگہ ہے جہاں کھرپڑی ہوئی چیزیں محفوظ ہیں۔
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,براہ کرم منشیات کا انتخاب کریں
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,لیڈ مالک لیڈ کے طور پر ہی نہیں ہو سکتا
 DocType: Announcement,Receiver,وصول
@@ -872,7 +885,7 @@
 DocType: Driver,Applicable for external driver,بیرونی ڈرائیور کے لئے قابل اطلاق
 DocType: Sales Order Item,Used for Production Plan,پیداوار کی منصوبہ بندی کے لئے استعمال کیا جاتا ہے
 DocType: BOM,Total Cost (Company Currency),کل لاگت (کمپنی کرنسی)
-DocType: Loan,Total Payment,کل ادائیگی
+DocType: Repayment Schedule,Total Payment,کل ادائیگی
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,پی پی پہلے سے ہی تمام سیلز آرڈر کی اشیاء کے لئے تیار کیا
@@ -896,6 +909,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,خریداری کے احکامات کو خبردار کریں
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,تاریخ سے کرایہ پر
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,بس بہت کچھ حصوں کی تعمیر
+DocType: Loan Security,Loan Security Code,لون سیکیورٹی کوڈ
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,براہ کرم پہلے بچت کریں۔
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,اشیا ضروری ہیں کہ اس سے وابستہ خام مال کو کھینچیں۔
 DocType: POS Profile User,POS Profile User,POS پروفائل صارف
@@ -953,6 +967,7 @@
 DocType: Patient,Risk Factors,خطرہ عوامل
 DocType: Patient,Occupational Hazards and Environmental Factors,پیشہ ورانہ خطرات اور ماحولیاتی عوامل
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,اسٹاک انٹریز پہلے سے ہی کام آرڈر کے لئے تیار ہیں
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,آئٹم کوڈ&gt; آئٹم گروپ&gt; برانڈ
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ماضی کے احکامات دیکھیں۔
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} گفتگو۔
 DocType: Vital Signs,Respiratory rate,سوزش کی شرح
@@ -1015,6 +1030,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,ٹیکس کو روکنے کے اکاؤنٹ
 DocType: Pricing Rule,Sales Partner,سیلز پارٹنر
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,تمام سپلائر سکور کارڈ.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,آرڈر کی رقم
+DocType: Loan,Disbursed Amount,تقسیم شدہ رقم
 DocType: Buying Settings,Purchase Receipt Required,خریداری کی رسید کی ضرورت ہے
 DocType: Sales Invoice,Rail,ریل
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,اصل قیمت
@@ -1052,6 +1069,7 @@
 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},نجات: {0}
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks سے منسلک
 DocType: Bank Statement Transaction Entry,Payable Account,قابل ادائیگی اکاؤنٹ
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,ادائیگی اندراجات لینا اکاؤنٹ لازمی ہے
 DocType: Payment Entry,Type of Payment,ادائیگی کی قسم
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,نصف دن کی تاریخ لازمی ہے
 DocType: Sales Order,Billing and Delivery Status,بلنگ اور ترسیل کی حیثیت
@@ -1090,7 +1108,7 @@
 DocType: Purchase Order Item,Billed Amt,بل AMT
 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,Principal Amount,اصل رقم
+DocType: Repayment Schedule,Principal Amount,اصل رقم
 DocType: Loan Application,Total Payable Interest,کل قابل ادائیگی دلچسپی
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},کل بقایا: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,کھلا رابطہ۔
@@ -1103,6 +1121,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,اپ ڈیٹ کی کارروائی کے دوران ایک خرابی واقع ہوئی
 DocType: Restaurant Reservation,Restaurant Reservation,ریسٹورانٹ ریزرویشن
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,آپ کے اشیا
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,سپلائر&gt; سپلائر کی قسم
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,تجویز تحریری طور پر
 DocType: Payment Entry Deduction,Payment Entry Deduction,ادائیگی انٹری کٹوتی
 DocType: Service Level Priority,Service Level Priority,خدمت کی سطح کی ترجیح
@@ -1257,7 +1276,6 @@
 DocType: BOM Item,Basic Rate (Company Currency),بنیادی شرح (کمپنی کرنسی)
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,سپلٹ مسئلہ
 DocType: Student Attendance,Student Attendance,طلبا کی حاضری
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,برآمد کرنے کے لئے کوئی ڈیٹا نہیں ہے۔
 DocType: Sales Invoice Timesheet,Time Sheet,وقت شیٹ
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush خام مال کی بنیاد پر
 DocType: Sales Invoice,Port Code,پورٹ کوڈ
@@ -1270,6 +1288,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,اصل ترسیل کی تاریخ
 DocType: Lab Test,Test Template,ٹیسٹ سانچہ
+DocType: Loan Security Pledge,Securities,سیکیورٹیز
 DocType: Restaurant Order Entry Item,Served,خدمت کی
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,باب کی معلومات
 DocType: Account,Accounts,اکاؤنٹس
@@ -1363,6 +1382,7 @@
 DocType: Inpatient Record,O Negative,اے منفی
 DocType: Work Order Operation,Planned End Time,منصوبہ بندی اختتام وقت
 DocType: POS Profile,Only show Items from these Item Groups,ان آئٹم گروپس سے صرف آئٹمز دکھائیں۔
+DocType: Loan,Is Secured Loan,محفوظ قرض ہے
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,موجودہ لین دین کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,یادداشت کی قسم کی تفصیلات
 DocType: Delivery Note,Customer's Purchase Order No,گاہک کی خریداری آرڈر نمبر
@@ -1399,6 +1419,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,برائے مہربانی اندراجات حاصل کرنے کے لئے کمپنی اور پوسٹنگ کی تاریخ کا انتخاب کریں
 DocType: Asset,Maintenance,بحالی
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,مریض کے مباحثے سے حاصل کریں
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM کے تبادلوں کا عنصر ({0} -&gt; {1}) آئٹم کے لئے نہیں ملا: {2}
 DocType: Subscriber,Subscriber,سبسکرائب
 DocType: Item Attribute Value,Item Attribute Value,شے کی قیمت خاصیت
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,خریدنے یا فروخت کے لئے کرنسی ایکسچینج لازمی طور پر نافذ ہونا ضروری ہے.
@@ -1478,6 +1499,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,کوئی اجازت
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,معاہدے کی مکمل جانچ پڑتال کی فہرست
 DocType: Vital Signs,Heart Rate / Pulse,دل کی شرح / پلس
+DocType: Customer,Default Company Bank Account,ڈیفالٹ کمپنی بینک اکاؤنٹ
 DocType: Supplier,Default Bank Account,پہلے سے طے شدہ بینک اکاؤنٹ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",پارٹی کی بنیاد پر فلٹر کرنے کے لئے، منتخب پارٹی پہلی قسم
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},اشیاء کے ذریعے فراہم نہیں کر رہے ہیں 'اپ ڈیٹ اسٹاک' کی چیک نہیں کیا جا سکتا{0}
@@ -1593,7 +1615,6 @@
 DocType: Sales Team,Incentives,ترغیبات
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ہم آہنگی سے باہر کی اقدار
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,فرق کی قیمت
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ&gt; نمبرنگ سیریز کے ذریعے ترتیب دیں
 DocType: SMS Log,Requested Numbers,درخواست نمبر
 DocType: Volunteer,Evening,شام
 DocType: Quiz,Quiz Configuration,کوئز کنفیگریشن۔
@@ -1613,6 +1634,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,پچھلے صف کل پر
 DocType: Purchase Invoice Item,Rejected Qty,مسترد شدہ قی
 DocType: Setup Progress Action,Action Field,ایکشن فیلڈ
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,سود اور جرمانے کی شرح کے ل Lo قرض کی قسم
 DocType: Healthcare Settings,Manage Customer,کسٹمر کا انتظام کریں
 DocType: Amazon MWS Settings,Always synch your products from Amazon MWS before synching the Orders details,احکامات کی تفصیلات کو سنبھالنے سے پہلے اپنی مصنوعات کو ایمیزون میگاواٹ سے ہمیشہ سنبھالیں
 DocType: Delivery Trip,Delivery Stops,ترسیل بند
@@ -1624,6 +1646,7 @@
 ,Final Assessment Grades,حتمی تشخیصی گریڈ
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,آپ کی کمپنی کے نام جس کے لئے آپ کو اس کے نظام کو قائم کر رہے ہیں.
 DocType: HR Settings,Include holidays in Total no. of Working Days,کوئی کل میں تعطیلات شامل. کام کے دنوں کے
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,گرینڈ کل کا٪
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,ERPNext میں اپنے انسٹی ٹیوٹ قائم کریں
 DocType: Agriculture Analysis Criteria,Plant Analysis,پلانٹ تجزیہ
 DocType: Task,Timeline,ٹائم لائن
@@ -1631,9 +1654,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,متبادل آئٹم
 DocType: Shopify Log,Request Data,درخواست ڈیٹا
 DocType: Employee,Date of Joining,شمولیت کی تاریخ
+DocType: Delivery Note,Inter Company Reference,انٹر کمپنی کا حوالہ
 DocType: Naming Series,Update Series,اپ ڈیٹ سیریز
 DocType: Supplier Quotation,Is Subcontracted,ٹھیکے ہے
 DocType: Restaurant Table,Minimum Seating,کم سے کم نشست
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,سوال کی نقل نہیں ہوسکتی ہے
 DocType: Item Attribute,Item Attribute Values,آئٹم خاصیت فہرست
 DocType: Examination Result,Examination Result,امتحان کے نتائج
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,خریداری کی رسید
@@ -1734,6 +1759,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,مطابقت پذیری حاضر انوائس
 DocType: Payment Request,Paid,ادائیگی
 DocType: Service Level,Default Priority,پہلے سے طے شدہ ترجیح
+DocType: Pledge,Pledge,عہد کرنا
 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; ٹیبل دوبارہ بنائے گا. یہ تمام بی ایمز میں تازہ ترین قیمت بھی اپ ڈیٹ کرتا ہے.
@@ -1747,6 +1773,7 @@
 DocType: Guardian,Guardian Name,سرپرست کا نام
 DocType: Cheque Print Template,Has Print Format,پرنٹ کی شکل ہے
 DocType: Support Settings,Get Started Sections,شروع حصوں
+,Loan Repayment and Closure,قرض کی ادائیگی اور بندش
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM- LEAD-YYYY.-
 DocType: Invoice Discounting,Sanctioned,منظور
 ,Base Amount,بیس رقم۔
@@ -1760,7 +1787,6 @@
 DocType: Student Admission,Publish on website,ویب سائٹ پر شائع کریں
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,سپلائر انوائس تاریخ پوسٹنگ کی تاریخ سے زیادہ نہیں ہو سکتا
 DocType: Installation Note,MAT-INS-.YYYY.-,میٹ - انس - .YYYY-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,آئٹم کوڈ&gt; آئٹم گروپ&gt; برانڈ
 DocType: Subscription,Cancelation Date,منسوخ تاریخ
 DocType: Purchase Invoice Item,Purchase Order Item,آرڈر شے کی خریداری
 DocType: Agriculture Task,Agriculture Task,زراعت کا کام
@@ -1779,7 +1805,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,اضافی ڈسکاؤنٹ فی صد
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,تمام قسم کی مدد ویڈیوز کی ایک فہرست دیکھیں
 DocType: Agriculture Analysis Criteria,Soil Texture,مٹی بنت
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,چیک جمع کیا گیا تھا جہاں بینک کے اکاؤنٹ منتخب کریں سر.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,صارف لین دین میں قیمت کی فہرست کی شرح میں ترمیم کرنے دیں
 DocType: Pricing Rule,Max Qty,زیادہ سے زیادہ مقدار
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,رپورٹ کارڈ پرنٹ کریں
@@ -1914,7 +1939,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",مقرر ہونے کے بعد، مقرر کردہ تاریخ تک یہ انوائس ہولڈنگ ہوگی
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,فروخت رقم
-DocType: Repayment Schedule,Interest Amount,سود کی رقم
+DocType: Loan Interest Accrual,Interest Amount,سود کی رقم
 DocType: Job Card,Time Logs,وقت کیلیے نوشتہ جات دیکھیے
 DocType: Sales Invoice,Loyalty Amount,وفادار رقم
 DocType: Employee Transfer,Employee Transfer Detail,ملازمت کی منتقلی کی تفصیل
@@ -1954,7 +1979,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,خریداری کے احکامات کو آگے بڑھانا
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,زپ کوڈ
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},سیلز آرڈر {0} ہے {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},قرض میں دلچسپی آمدنی کا اکاؤنٹ منتخب کریں {0}
 DocType: Opportunity,Contact Info,رابطے کی معلومات
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,اسٹاک اندراجات کر رہے ہیں
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,اسٹیٹ بائیں کے ساتھ ملازم کو فروغ نہیں دے سکتا
@@ -2039,7 +2063,6 @@
 DocType: Salary Slip,Deductions,کٹوتیوں
 DocType: Setup Progress Action,Action Name,ایکشن کا نام
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,شروع سال
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,لون بنائیں۔
 DocType: Purchase Invoice,Start date of current invoice's period,موجودہ انوائس کی مدت کے شروع کرنے کی تاریخ
 DocType: Shift Type,Process Attendance After,عمل کے بعد حاضری۔
 ,IRS 1099,آئی آر ایس 1099۔
@@ -2060,6 +2083,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,اپنا ڈومین منتخب کریں
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify سپلائر
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,ادائیگی انوائس اشیاء
+DocType: Repayment Schedule,Is Accrued,اکھٹا ہوا ہے
 DocType: Payroll Entry,Employee Details,ملازم کی تفصیلات
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML فائلوں پر کارروائی ہورہی ہے
 DocType: Amazon MWS Settings,CN,CN
@@ -2090,6 +2114,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,وفاداری پوائنٹ انٹری
 DocType: Employee Checkin,Shift End,شفٹ اینڈ۔
 DocType: Stock Settings,Default Item Group,پہلے سے طے شدہ آئٹم گروپ
+DocType: Loan,Partially Disbursed,جزوی طور پر زرعی قرضوں کی فراہمی
 DocType: Job Card Time Log,Time In Mins,وقت میں منٹ
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,گرانٹ معلومات
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,یہ کارروائی اس اکاؤنٹ کو کسی بھی بیرونی سروس سے ERPNext کو آپ کے بینک اکاؤنٹس کے ساتھ مربوط کرے گی۔ اسے کالعدم نہیں کیا جاسکتا۔ کیا آپ کو یقین ہے؟
@@ -2105,6 +2130,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,ایک ہی شے کے کئی بار داخل نہیں کیا جا سکتا.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",مزید اکاؤنٹس گروپوں کے تحت بنایا جا سکتا ہے، لیکن اندراجات غیر گروپوں کے خلاف بنایا جا سکتا ہے
+DocType: Loan Repayment,Loan Closure,قرض کی بندش
 DocType: Call Log,Lead,لیڈ
 DocType: Email Digest,Payables,Payables
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth ٹوکن
@@ -2137,6 +2163,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ملازم ٹیکس اور فوائد
 DocType: Bank Guarantee,Validity in Days,دن میں جواز
 DocType: Bank Guarantee,Validity in Days,دن میں جواز
+DocType: Unpledge,Haircut,بال کٹوانے
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-فارم انوائس کے لئے قابل عمل نہیں ہے: {0}
 DocType: Certified Consultant,Name of Consultant,مشیر کا نام
 DocType: Payment Reconciliation,Unreconciled Payment Details,Unreconciled ادائیگی کی تفصیلات
@@ -2190,7 +2217,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,باقی دنیا کے
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,آئٹم {0} بیچ نہیں کر سکتے ہیں
 DocType: Crop,Yield UOM,یوم UOM
+DocType: Loan Security Pledge,Partially Pledged,جزوی طور پر وعدہ کیا
 ,Budget Variance Report,بجٹ تغیر رپورٹ
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,منظور شدہ قرض کی رقم
 DocType: Salary Slip,Gross Pay,مجموعی ادائیگی
 DocType: Item,Is Item from Hub,ہب سے آئٹم ہے
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,صحت کی خدمات سے متعلق اشیاء حاصل کریں
@@ -2225,6 +2254,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,کوالٹی کا نیا طریقہ کار۔
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},اکاؤنٹ کے لئے توازن {0} ہمیشہ ہونا ضروری {1}
 DocType: Patient Appointment,More Info,مزید معلومات
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,تاریخ پیدائش شمولیت سے زیادہ نہیں ہوسکتی ہے۔
 DocType: Supplier Scorecard,Scorecard Actions,اسکور کارڈ کے اعمال
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},سپلائر {0} میں نہیں مل سکا {1}
 DocType: Purchase Invoice,Rejected Warehouse,مسترد گودام
@@ -2318,6 +2348,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,براہ مہربانی سب سے پہلے آئٹم کا کوڈ مقرر کریں
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ڈاکٹر قسم
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},قرض کی حفاظت کا عہد کیا گیا: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,اپیلمنٹ اور مریض کے اختتام
@@ -2372,6 +2403,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,سمورتی تقرریوں کی تعداد
 apps/erpnext/erpnext/config/desktop.py,Getting Started,شروع ہوا چاہتا ہے
 DocType: Purchase Invoice,Taxes and Charges Calculation,ٹیکسز اور الزامات حساب
+DocType: Loan Interest Accrual,Payable Principal Amount,قابل ادائیگی کی رقم
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب اثاثہ ہراس اندراج خودکار طور پر
 DocType: BOM Operation,Workstation,کارگاہ
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,کوٹیشن سپلائر کے لئے درخواست
@@ -2407,7 +2439,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,خوراک
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,خستہ رینج 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,پی او ایس کل واؤچر تفصیلات
-DocType: Bank Account,Is the Default Account,ڈیفالٹ اکاؤنٹ ہے۔
 DocType: Shopify Log,Shopify Log,Shopify لاگ ان
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,کوئی مواصلت نہیں ملی۔
 DocType: Inpatient Occupancy,Check In,چیک کریں
@@ -2461,12 +2492,14 @@
 DocType: Sales Order Item,Planned Quantity,منصوبہ بندی کی مقدار
 DocType: Water Analysis,Water Analysis Criteria,پانی کا تجزیہ معیار
 DocType: Item,Maintain Stock,اسٹاک کو برقرار رکھنے کے
+DocType: Loan Security Unpledge,Unpledge Time,غیر تسلی بخش وقت
 DocType: Terms and Conditions,Applicable Modules,قابل اطلاق ماڈیولز۔
 DocType: Employee,Prefered Email,prefered کی ای میل
 DocType: Student Admission,Eligibility and Details,اہلیت اور تفصیلات
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,مجموعی منافع میں شامل
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,فکسڈ اثاثہ میں خالص تبدیلی
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,رقیہ مقدار
+DocType: Work Order,This is a location where final product stored.,یہ وہ مقام ہے جہاں حتمی مصنوع ذخیرہ ہوتا ہے۔
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},زیادہ سے زیادہ: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,تریخ ویلہ سے
@@ -2506,8 +2539,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,وارنٹی / AMC رتبہ
 ,Accounts Browser,اکاؤنٹس براؤزر
 DocType: Procedure Prescription,Referral,حوالہ دیتے ہیں
+,Territory-wise Sales,علاقہ وار فروخت
 DocType: Payment Entry Reference,Payment Entry Reference,ادائیگی انٹری حوالہ
 DocType: GL Entry,GL Entry,GL انٹری
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,قطار # {0}: قبول شدہ گودام اور سپلائر گودام ایک جیسے نہیں ہوسکتے ہیں
 DocType: Support Search Source,Response Options,جواب کے اختیارات
 DocType: Pricing Rule,Apply Multiple Pricing Rules,ایک سے زیادہ قیمتوں کے قواعد کا اطلاق کریں۔
 DocType: HR Settings,Employee Settings,ملازم کی ترتیبات
@@ -2581,6 +2616,7 @@
 DocType: Item,Sales Details,سیلز کی تفصیلات
 DocType: Coupon Code,Used,استعمال کیا جاتا ہے
 DocType: Opportunity,With Items,اشیاء کے ساتھ
+DocType: Vehicle Log,last Odometer Value ,آخری اوڈومیٹر ویلیو
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',مہم &#39;{0}&#39; پہلے ہی {1} &#39;{2}&#39; کیلئے موجود ہے
 DocType: Asset Maintenance,Maintenance Team,بحالی کی ٹیم
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",آرڈر کریں جس میں سیکشنز دکھائے جائیں۔ 0 پہلے ہے ، 1 دوسرا ہے اور اسی طرح ہے۔
@@ -2591,7 +2627,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,اخراج کا دعوی {0} پہلے ہی گاڑی لاگ ان کے لئے موجود ہے
 DocType: Asset Movement Item,Source Location,ماخذ مقام
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,انسٹی ٹیوٹ نام
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,واپسی کی رقم درج کریں
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,واپسی کی رقم درج کریں
 DocType: Shift Type,Working Hours Threshold for Absent,ورکنگ اوورس تھریشولڈ برائے غیر حاضر
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,کل خرچ کی بنیاد پر ایک سے زیادہ درجے کے جمع ہونے والی عنصر موجود ہوسکتا ہے. لیکن موٹائی کے تبادلوں کا عنصر ہمیشہ ہر قسم کے لئے ہوگا.
 apps/erpnext/erpnext/config/help.py,Item Variants,آئٹم متغیرات
@@ -2614,6 +2650,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,ادائیگی ٹیبل میں پایا کوئی ریکارڈ
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},اس {0} کے ساتھ تنازعات {1} کو {2} {3}
 DocType: Student Attendance Tool,Students HTML,طلباء HTML
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,براہ کرم پہلے درخواست دہندگان کی قسم منتخب کریں
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse",BOM ، مقدار اور گودام کے لئے منتخب کریں۔
 DocType: GST HSN Code,GST HSN Code,GST HSN کوڈ
 DocType: Employee External Work History,Total Experience,کل تجربہ
@@ -2701,7 +2738,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",آئٹم {0} کے لئے کوئی فعال BOM نہیں ملا۔ \ سیریل نمبر کے ذریعہ ترسیل کو یقینی نہیں بنایا جاسکتا۔
 DocType: Sales Partner,Sales Partner Target,سیلز پارٹنر ہدف
-DocType: Loan Type,Maximum Loan Amount,زیادہ سے زیادہ قرض کی رقم
+DocType: Loan Application,Maximum Loan Amount,زیادہ سے زیادہ قرض کی رقم
 DocType: Coupon Code,Pricing Rule,قیمتوں کا تعین اصول
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},طالب علم کے لئے ڈوپلیکیٹ رول نمبر {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},طالب علم کے لئے ڈوپلیکیٹ رول نمبر {0}
@@ -2725,6 +2762,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},کے لئے کامیابی روانہ مختص {0}
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,کوئی شے پیک کرنے کے لئے
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,فی الحال صرف .csv اور .xlsx فائلوں کی حمایت کی گئی ہے۔
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,برائے کرم انسانی وسائل&gt; HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں
 DocType: Shipping Rule Condition,From Value,قیمت سے
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,مینوفیکچرنگ مقدار لازمی ہے
 DocType: Loan,Repayment Method,باز ادائیگی کا طریقہ
@@ -2874,6 +2912,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,خالص منافع
 DocType: Purchase Invoice,Eligibility For ITC,آئی ٹی سی کے لئے اہلیت
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP- .YYYY-
+DocType: Loan Security Pledge,Unpledged,غیر وابستہ
 DocType: Journal Entry,Entry Type,اندراج کی قسم
 ,Customer Credit Balance,کسٹمر کے کریڈٹ بیلنس
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,قابل ادائیگی اکاؤنٹس میں خالص تبدیلی
@@ -2885,6 +2924,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),حاضری کا آلہ ID (بائیو میٹرک / RF ٹیگ ID)
 DocType: Quotation,Term Details,ٹرم تفصیلات
 DocType: Item,Over Delivery/Receipt Allowance (%),زائد ڈلیوری / رسید الاؤنس (٪)
+DocType: Appointment Letter,Appointment Letter Template,تقرری خط کا سانچہ
 DocType: Employee Incentive,Employee Incentive,ملازمت انوائشی
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,{0} اس طالب علم گروپ کے لیے طالب علموں کو داخلہ سے زیادہ نہیں ہوسکتی.
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),کل (ٹیکس کے بغیر)
@@ -2908,6 +2948,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",سیریل نمبر کی طرف سے \ آئٹم {0} کے ذریعے ترسیل کو یقینی بنانے کے بغیر اور سیریل نمبر کی طرف سے یقینی بنانے کے بغیر شامل نہیں کیا جاسکتا ہے.
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,انوائس کی منسوخی پر ادائیگی کا لنک ختم کریں
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,پروسیس لون سود ایکوری
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},درج کردہ موجودہ Odometer پڑھنا ابتدائی گاڑی Odometer سے زیادہ ہونا چاہئے {0}
 ,Purchase Order Items To Be Received or Billed,خریداری آرڈر اشیا موصول ہونے یا بل کرنے کے لئے۔
 DocType: Restaurant Reservation,No Show,کوئی شو نہیں
@@ -2992,6 +3033,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: منافع اور نقصان کا اکاؤنٹ {2} کے لئے قیمت سینٹر کی ضرورت ہے. کمپنی کے لئے براہ کرم ایک ڈیفالٹ لاگت سینٹر قائم کریں.
 DocType: Payment Schedule,Payment Term,ادائیگی کی شرط
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ایک گاہک گروپ ایک ہی نام کے ساتھ موجود ہے کسٹمر کا نام تبدیل کرنے یا گاہک گروپ کا نام تبدیل کریں
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,داخلہ اختتامی تاریخ داخلہ شروع ہونے کی تاریخ سے زیادہ ہونی چاہئے۔
 DocType: Location,Area,رقبہ
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,نیا رابطہ
 DocType: Company,Company Description,کمپنی کا تعارف
@@ -3066,6 +3108,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,موڈ ڈیٹا
 DocType: Purchase Order Item,Warehouse and Reference,گودام اور حوالہ
 DocType: Payroll Period Date,Payroll Period Date,پے رول مدت کی تاریخ
+DocType: Loan Disbursement,Against Loan,قرض کے خلاف
 DocType: Supplier,Statutory info and other general information about your Supplier,اپنے سپلائر کے بارے میں قانونی معلومات اور دیگر عمومی معلومات
 DocType: Item,Serial Nos and Batches,سیریل نمبر اور بیچوں
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,طالب علم گروپ طاقت
@@ -3271,6 +3314,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),بنیادی مقدار (کمپنی کرنسی)
 DocType: Purchase Invoice,Registered Regular,باقاعدہ رجسٹرڈ۔
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,خام مال
+DocType: Plaid Settings,sandbox,سینڈ باکس
 DocType: Payment Reconciliation Payment,Reference Row,حوالہ صف
 DocType: Installation Note,Installation Time,کی تنصیب کا وقت
 DocType: Sales Invoice,Accounting Details,اکاؤنٹنگ تفصیلات
@@ -3283,12 +3327,11 @@
 DocType: Leave Ledger Entry,Transaction Type,ٹرانزیکشن کی قسم
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,قبولیت کا کلیہ
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,مندرجہ بالا جدول میں مواد درخواستیں داخل کریں
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,کل قابل ادائیگی رقم
 DocType: Task,Expected Time (in hours),(گھنٹوں میں) متوقع وقت
 DocType: Item Reorder,Check in (group),میں چیک کریں (گروپ)
 DocType: Soil Texture,Silt,Silt
@@ -3320,6 +3363,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,غیر قانونی ٹیکس چھوٹ ثبوت کے لئے ٹیکس کم
 DocType: Volunteer,Anytime,کسی بھی وقت
 DocType: Bank Account,Bank Account No,بینک اکاؤنٹ نمبر
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,ادائیگی اور ادائیگی
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ملازم ٹیکس چھوٹ ثبوت جمع کرانے
 DocType: Patient,Surgical History,جراحی تاریخ
 DocType: Bank Statement Settings Item,Mapped Header,نقشہ ہیڈر
@@ -3380,6 +3424,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,سیلز انوائس جمع کرانے پر لیب ٹیسٹ (ے) بنائیں
 DocType: Serial No,Invoice Details,انوائس کی تفصیلات دیکھیں
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,ٹیکس کے خاتمے کے اعلامیہ کو پیش کرنے سے پہلے تنخواہ کا ڈھانچہ پیش کرنا ضروری ہے۔
+DocType: Loan Application,Proposed Pledges,مجوزہ وعدے
 DocType: Grant Application,Show on Website,ویب سائٹ پر دکھائیں
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,شروع کرو
 DocType: Hub Tracked Item,Hub Category,حب زمرہ
@@ -3391,7 +3436,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,سپلائر اسکور کارڈ اسٹینڈنگ
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},صف {0}: مواد کے بل آئٹم کے لئے نہیں پایا {1}
 DocType: Contract Fulfilment Checklist,Requirement,ضرورت
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,برائے کرم انسانی وسائل&gt; HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں
 DocType: Journal Entry,Accounts Receivable,وصولی اکاؤنٹس
 DocType: Quality Goal,Objectives,مقاصد۔
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,بیکڈٹیڈ رخصت ایپلیکیشن بنانے کے لئے کردار کی اجازت ہے
@@ -3646,6 +3690,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,تاریخ سے درست سے تاریخ تک درست ہونا لازمی ہے.
 DocType: Employee Skill,Evaluation Date,تشخیص کی تاریخ۔
 DocType: Quotation Item,Stock Balance,اسٹاک توازن
+DocType: Loan Security Pledge,Total Security Value,سیکیورٹی کی کل قیمت
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ادائیگی سیلز آرڈر
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,سی ای او
 DocType: Purchase Invoice,With Payment of Tax,ٹیکس کی ادائیگی کے ساتھ
@@ -3738,6 +3783,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,موجودہ تشخیص کی شرح
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,روٹ اکاؤنٹس کی تعداد 4 سے کم نہیں ہوسکتی ہے۔
 DocType: Training Event,Advance,ایڈوانس
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,قرض کے خلاف:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless ادائیگی کے گیٹ وے کی ترتیبات
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,ایکسچینج گین / نقصان
 DocType: Opportunity,Lost Reason,کھو وجہ
@@ -3821,8 +3867,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,بیچ منتخب نہیں
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},غلط {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,قطار {0}: تاریخ بہن کی تاریخ پیدائش آج سے زیادہ نہیں ہوسکتی ہے۔
 DocType: Fee Validity,Reference Inv,حوالہ انو
 DocType: Sales Invoice Advance,Advance Amount,ایڈوانس رقم
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,پینلٹی سود کی شرح (٪) فی دن
 DocType: Manufacturing Settings,Capacity Planning,صلاحیت کی منصوبہ بندی
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,راؤنڈنگ ایڈجسٹمنٹ (کمپنی کرنسی
 DocType: Asset,Policy number,پالیسی نمبر
@@ -3837,7 +3885,9 @@
 DocType: Normal Test Items,Require Result Value,ضرورت کے نتائج کی ضرورت ہے
 DocType: Purchase Invoice,Pricing Rules,قیمتوں کا تعین
 DocType: Item,Show a slideshow at the top of the page,صفحے کے سب سے اوپر ایک سلائڈ شو دکھانے کے
+DocType: Appointment Letter,Body,جسم
 DocType: Tax Withholding Rate,Tax Withholding Rate,ٹیکس کو روکنے کی شرح
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,مدتی قرضوں کے لئے ادائیگی شروع کرنے کی تاریخ لازمی ہے
 DocType: Pricing Rule,Max Amt,زیادہ سے زیادہ AMT
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,سٹورز
@@ -3855,7 +3905,7 @@
 DocType: Call Log,Received By,کی طرف سے موصول
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),تقرری کا دورانیہ (منٹ میں)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,کیش فلو تعریفیں سانچہ کی تفصیلات
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,قرض مینجمنٹ
+DocType: Loan,Loan Management,قرض مینجمنٹ
 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,Update Cost,اپ ڈیٹ لاگت
@@ -3863,6 +3913,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,جی سی آر 3 بی فارم۔
 DocType: Sales Invoice,Mode of Transport,نقل و حمل کے موڈ
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,دکھائیں تنخواہ کی پرچی
+DocType: Loan,Is Term Loan,ٹرم لون ہے
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,منتقلی مواد
 DocType: Fees,Send Payment Request,ادائیگی کی درخواست بھیجیں
 DocType: Travel Request,Any other details,کوئی اور تفصیلات
@@ -3880,6 +3931,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,فنانسنگ کی طرف سے کیش فلو
 DocType: Budget Account,Budget Account,بجٹ اکاؤنٹ
 DocType: Quality Inspection,Verified By,کی طرف سے تصدیق
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,لون سیکیورٹی شامل کریں
 DocType: Travel Request,Name of Organizer,آرگنائزر کا نام
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,آمدنی ٹیک ذمہ داری ہے
@@ -3929,6 +3981,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,مطلوب پر
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",اگر جانچ پڑتال کی گئی تو ، تنخواہوں کی پرچیوں میں گول ٹون فیلڈ کو چھپاتا اور غیر فعال کرتا ہے
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,یہ سیل آرڈرز میں ترسیل کی تاریخ کا پہلے سے طے شدہ آفسیٹ (دن) ہے۔ فال بیک آفسیٹ آرڈر پلیسمنٹ کی تاریخ سے 7 دن ہے۔
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ&gt; نمبرنگ سیریز کے ذریعے ترتیب دیں
 DocType: Rename Tool,File to Rename,فائل کا نام تبدیل کرنے
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},براہ کرم بوم میں آئٹم کیلئے صف {0} منتخب کریں.
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,سبسکرائب کریں تازہ ترین معلومات
@@ -3941,6 +3994,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,سیریل نمبر بنائے گئے
 DocType: POS Profile,Applicable for Users,صارفین کے لئے قابل اطلاق
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,پرسکون- .YYYY-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,تاریخ اور تاریخ سے لازمی ہیں
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),بڑھانے اور مختص کریں (فیفا)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,کوئی کام آرڈر نہیں بنایا گیا
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ملازم کی تنخواہ کی پرچی {0} نے پہلے ہی اس کی مدت کے لئے پیدا
@@ -4044,11 +4098,12 @@
 ,Minutes to First Response for Opportunity,موقع کے لئے پہلا رسپانس منٹ
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,کل غائب
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,صف {0} سے مماثل نہیں ہے مواد کی درخواست کے لئے شے یا گودام
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,قابل ادائیگی
+DocType: Loan Repayment,Payable Amount,قابل ادائیگی
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,موقع
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,زیادہ سے زیادہ طاقت صفر سے کم نہیں ہوسکتی ہے۔
 DocType: Options,Option,آپشن۔
 DocType: Operation,Default Workstation,پہلے سے طے شدہ کارگاہ
 DocType: Payment Entry,Deductions or Loss,کٹوتیوں یا گمشدگی
@@ -4089,6 +4144,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,سود کی رقم لازمی ہے
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,بغیر تنخواہ چھٹی منظور شدہ رخصت کی درخواست ریکارڈ کے ساتھ میل نہیں کھاتا
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,اگلے مراحل
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,محفوظ کردہ اشیا
@@ -4140,8 +4196,6 @@
 DocType: Grant Application,Grant Application Details ,گرانٹ درخواست کی تفصیلات
 DocType: Employee Separation,Employee Separation,ملازم علیحدگی
 DocType: BOM Item,Original Item,اصل آئٹم
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم <a href=""#Form/Employee/{0}"">{0}</a> delete کو حذف کریں"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ڈاکٹر کی تاریخ
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},فیس ریکارڈز کی تشکیل - {0}
 DocType: Asset Category Account,Asset Category Account,ایسیٹ زمرہ اکاؤنٹ
@@ -4176,6 +4230,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,لیب ٹیسٹ آئٹم {0} پہلے سے موجود ہے
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ایک کمپنی کی چھٹی ہے
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,قابل قابل اوقات
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,ادائیگی میں تاخیر کی صورت میں روزانہ کی بنیاد پر زیر التوا سود کی رقم پر جرمانہ سود کی شرح عائد کی جاتی ہے
+DocType: Appointment Letter content,Appointment Letter content,تقرری خط کا مواد
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,حیثیت کی اطلاع چھوڑ دو
 DocType: Patient Appointment,Procedure Prescription,طریقہ کار نسخہ
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,فرنیچر اور فکسچر
@@ -4194,7 +4250,7 @@
 DocType: Opportunity,Customer / Lead Name,کسٹمر / لیڈ نام
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,کلیئرنس تاریخ کا ذکر نہیں
 DocType: Payroll Period,Taxable Salary Slabs,ٹیکس قابل تنخواہ سلیب
-DocType: Job Card,Production,پیداوار
+DocType: Plaid Settings,Production,پیداوار
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,غلط جی ایس ٹی این! آپ نے جو ان پٹ داخل کیا ہے وہ GSTIN کی شکل سے مماثل نہیں ہے۔
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,اکاؤنٹ کی قیمت
 DocType: Guardian,Occupation,کاروبار
@@ -4338,6 +4394,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,وفادار پروگرام مجموعہ
 DocType: Stock Entry Detail,Subcontracted Item,ذیلی کنکریٹ آئٹم
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},طالب علم {0} گروپ سے تعلق رکھتا ہے {1}
+DocType: Appointment Letter,Appointment Date,تقرری کی تاریخ
 DocType: Budget,Cost Center,لاگت مرکز
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,واؤچر #
 DocType: Tax Rule,Shipping Country,شپنگ ملک
@@ -4406,6 +4463,7 @@
 DocType: Accounting Dimension,Accounting Dimension,اکاؤنٹنگ طول و عرض۔
 ,Profit and Loss Statement,فائدہ اور نقصان بیان
 DocType: Bank Reconciliation Detail,Cheque Number,چیک نمبر
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,ادا کی گئی رقم صفر نہیں ہوسکتی ہے
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} کی طرف اشارہ کردہ شے پہلے سے ہی انوائس ہے
 ,Sales Browser,سیلز براؤزر
 DocType: Journal Entry,Total Credit,کل کریڈٹ
@@ -4510,6 +4568,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,کوپن کی شرائط شامل / ترمیم کریں
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,اخراجات / فرق اکاؤنٹ ({0}) ایک &#39;نفع یا نقصان کے اکاؤنٹ ہونا ضروری ہے
 DocType: Stock Entry Detail,Stock Entry Child,اسٹاک اندراج چائلڈ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,لون سیکیورٹی گروی کمپنی اور لون کمپنی ایک جیسی ہونی چاہئے
 DocType: Project,Copied From,سے کاپی
 DocType: Project,Copied From,سے کاپی
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,انوائس نے پہلے سے ہی تمام بلنگ کے گھنٹوں کے لئے تیار کیا
@@ -4518,6 +4577,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,مالیاتی لاگت ہے
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,ملازم {0} کے لئے حاضری پہلے سے نشان لگا دیا گیا
 DocType: Packing Slip,If more than one package of the same type (for print),تو اسی قسم کی ایک سے زیادہ پیکج (پرنٹ کے لئے)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,براہ کرم تعلیم&gt; تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,براہ کرم ریستوران ترتیبات میں ڈیفالٹ کسٹمر مقرر کریں
 ,Salary Register,تنخواہ رجسٹر
 DocType: Company,Default warehouse for Sales Return,ڈیفالٹ گودام برائے سیلز ریٹرن۔
@@ -4562,7 +4622,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,موجودہ سیریل نمبر
 DocType: Employee,Attendance and Leave Details,حاضری اور رخصت کی تفصیلات۔
 ,BOM Comparison Tool,BOM موازنہ کا آلہ۔
-,Requested,درخواست
+DocType: Loan Security Pledge,Requested,درخواست
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,کوئی ریمارکس
 DocType: Asset,In Maintenance,بحالی میں
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ایمیزون MWS سے اپنے سیلز آرڈر ڈیٹا کو ھیںچو کرنے کیلئے اس بٹن کو کلک کریں.
@@ -4574,7 +4634,6 @@
 DocType: Drug Prescription,Drug Prescription,دوا نسخہ
 DocType: Service Level,Support and Resolution,مدد اور قرارداد
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,مفت آئٹم کوڈ منتخب نہیں کیا گیا ہے۔
-DocType: Loan,Repaid/Closed,چکایا / بند کر دیا
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,کل متوقع مقدار
 DocType: Monthly Distribution,Distribution Name,ڈسٹری بیوشن کا نام
@@ -4606,6 +4665,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,اسٹاک کے لئے اکاؤنٹنگ انٹری
 DocType: Lab Test,LabTest Approver,LabTest کے قریب
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,آپ نے پہلے ہی تشخیص کے معیار کے تعین کی ہے {}.
+DocType: Loan Security Shortfall,Shortfall Amount,کمی کی رقم
 DocType: Vehicle Service,Engine Oil,انجن کا تیل
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},کام کے حکموں کو تشکیل دیا گیا: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},براہ کرم {0} کیلئے ای میل کی شناخت کریں
@@ -4623,6 +4683,7 @@
 DocType: Healthcare Service Unit,Occupancy Status,قبضہ کی حیثیت
 DocType: Purchase Invoice,Apply Additional Discount On,اضافی رعایت پر لاگو ہوتے ہیں
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,قسم منتخب کریں ...
+DocType: Loan Interest Accrual,Amounts,رقم
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,آپ کے ٹکٹ
 DocType: Account,Root Type,جڑ کی قسم
 DocType: Item,FIFO,فیفو
@@ -4630,6 +4691,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},صف # {0}: سے زیادہ واپس نہیں کر سکتے ہیں {1} شے کے لئے {2}
 DocType: Item Group,Show this slideshow at the top of the page,صفحے کے سب سے اوپر اس سلائڈ شو دکھانے کے
 DocType: BOM,Item UOM,آئٹم UOM
+DocType: Loan Security Price,Loan Security Price,قرض کی حفاظت کی قیمت
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ڈسکاؤنٹ رقم کے بعد ٹیکس کی رقم (کمپنی کرنسی)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ہدف گودام صف کے لئے لازمی ہے {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,ریٹیل آپریشنز
@@ -4767,6 +4829,7 @@
 DocType: Coupon Code,Coupon Description,کوپن کی تفصیل
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},بیچ {0} میں لازمی ہے
 DocType: Company,Default Buying Terms,پہلے سے طے شدہ خریداری کی شرائط۔
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,قرض کی فراہمی
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,خریداری کی رسید آئٹم فراہم
 DocType: Amazon MWS Settings,Enable Scheduled Synch,شیڈول کردہ سنچری کو فعال کریں
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,تریخ ویلہ لئے
@@ -4858,6 +4921,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,تجویز / قیمت اقتباس
 DocType: Antibiotic,Healthcare,صحت کی دیکھ بھال
 DocType: Target Detail,Target Detail,ہدف تفصیل
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,قرض کے عمل
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,سنگل مختلف
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,تمام ملازمتیں
 DocType: Sales Order,% of materials billed against this Sales Order,مواد کی٪ اس کی فروخت کے خلاف بل
@@ -4918,7 +4982,7 @@
 DocType: Item,Reorder level based on Warehouse,گودام کی بنیاد پر ترتیب کی سطح کو منتخب
 DocType: Activity Cost,Billing Rate,بلنگ کی شرح
 ,Qty to Deliver,نجات کے لئے مقدار
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,تقسیم انٹری بنائیں۔
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,تقسیم انٹری بنائیں۔
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,ایمیزون اس تاریخ کے بعد ڈیٹا کو اپ ڈیٹ کرے گا
 ,Stock Analytics,اسٹاک تجزیات
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,آپریشنز خالی نہیں چھوڑا جا سکتا
@@ -4952,6 +5016,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,بیرونی انضمام کو لنک سے جوڑیں۔
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,اسی طرح کی ادائیگی کا انتخاب کریں۔
 DocType: Pricing Rule,Item Code,آئٹم کوڈ
+DocType: Loan Disbursement,Pending Amount For Disbursal,ادائیگی کے لئے زیر التوا رقم
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU- .YYYY-
 DocType: Serial No,Warranty / AMC Details,وارنٹی / AMC تفصیلات
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,سرگرمی کی بنیاد پر گروپ کے لئے دستی طور پر طالب علموں منتخب
@@ -4977,6 +5042,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,مقدار کل
 DocType: Landed Cost Item,Receipt Document,رسید دستاویز
 DocType: Employee Education,School/University,سکول / یونیورسٹی
+DocType: Loan Security Pledge,Loan  Details,قرض کی تفصیلات
 DocType: Sales Invoice Item,Available Qty at Warehouse,گودام میں دستیاب مقدار
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,بل کی گئی رقم
 DocType: Share Transfer,(including),(بشمول)
@@ -5000,6 +5066,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,گروپ
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,اکاؤنٹ کی طرف سے گروپ
 DocType: Purchase Invoice,Hold Invoice,انوائس پکڑو
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,عہد کی حیثیت
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,براہ کرم ملازم کا انتخاب کریں
 DocType: Sales Order,Fully Delivered,مکمل طور پر ہونے والا
 DocType: Promotional Scheme Price Discount,Min Amount,کم سے کم رقم۔
@@ -5009,7 +5076,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},معاوضہ رقم قرض کی رقم سے زیادہ نہیں ہوسکتی ہے {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},قطار {0} # تخصیص کردہ رقم {1} غیر مقفل شدہ رقم سے زیادہ نہیں ہوسکتی ہے {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},آئٹم کے لئے ضروری آرڈر نمبر خریداری {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,فارورڈڈ پتے لے جائیں۔
@@ -5037,6 +5103,7 @@
 DocType: Pick List Item,Serial No and Batch,سیریل نمبر اور بیچ
 DocType: Warranty Claim,From Company,کمپنی کی طرف سے
 DocType: GSTR 3B Report,January,جنوری۔
+DocType: Loan Repayment,Principal Amount Paid,پرنسپل رقم ادا کی گئی
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,اسکور کے معیار کے معیار کا مقصد {0} ہونا ضروری ہے.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Depreciations کی تعداد بک مقرر کریں
 DocType: Supplier Scorecard Period,Calculations,حساب
@@ -5062,6 +5129,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,آپ کی کمپنی کے بارے میں
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,اسٹاک ایجنگ ڈیٹا دکھائیں۔
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,اکاؤنٹ کریڈٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے
+DocType: Loan Repayment,Penalty Amount,جرمانے کی رقم
 DocType: Donor,Donor,ڈونر
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,اشیا کے ل Update ٹیکس اپ ڈیٹ کریں
 DocType: Global Defaults,Disable In Words,الفاظ میں غیر فعال کریں
@@ -5091,6 +5159,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,لاگت کا مرکز اور بجٹ۔
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,افتتاحی بیلنس اکوئٹی
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,جزوی ادا شدہ اندراج
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,براہ کرم ادائیگی کا نظام الاوقات مرتب کریں۔
 DocType: Pick List,Items under this warehouse will be suggested,اس گودام کے تحت اشیا تجویز کی جائیں گی۔
 DocType: Purchase Invoice,N,ن
@@ -5122,7 +5191,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} آئٹم کے لئے نہیں مل سکا {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},قدر {0} اور {1} کے درمیان ہونی چاہئے
 DocType: Accounts Settings,Show Inclusive Tax In Print,پرنٹ میں شامل ٹیکس دکھائیں
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",بینک اکاؤنٹ، تاریخ اور تاریخ سے لازمی ہیں
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,پیغام بھیجا
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ کے طور پر مقرر نہیں کیا جا سکتا
 DocType: C-Form,II,II
@@ -5136,6 +5204,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,آٹو ری آرڈر کو فعال کریں۔
 DocType: Stock Settings,Item Naming By,شے کی طرف سے نام
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},ایک اور مدت بند انٹری {0} کے بعد بنایا گیا ہے {1}
+DocType: Proposed Pledge,Proposed Pledge,مجوزہ عہد
 DocType: Work Order,Material Transferred for Manufacturing,مواد مینوفیکچرنگ کے لئے منتقل
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,اکاؤنٹ {0} نہیں موجود
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,وفادار پروگرام منتخب کریں
@@ -5146,7 +5215,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",کرنے کے واقعات کی ترتیب {0}، سیلز افراد کو ذیل میں کے ساتھ منسلک ملازم ایک صارف کی شناخت کی ضرورت نہیں ہے کے بعد سے {1}
 DocType: Timesheet,Billing Details,بلنگ کی تفصیلات
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ذریعہ اور ہدف گودام مختلف ہونا لازمی ہے
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,برائے کرم انسانی وسائل&gt; HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ادائیگی ناکام ہوگئی. مزید تفصیلات کے لئے براہ کرم اپنے گوشورڈ اکاؤنٹ چیک کریں
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},نہیں کے مقابلے میں بڑی عمر کے اسٹاک لین دین کو اپ ڈیٹ کرنے کی اجازت دی {0}
 DocType: Stock Entry,Inspection Required,معائنہ مطلوب
@@ -5159,6 +5227,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,پروگرام کا
+DocType: Unpledge,Against Pledge,عہد کے خلاف
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,اس کردار کے ساتھ صارفین کو منجمد اکاؤنٹس کے خلاف اکاؤنٹنگ اندراجات منجمد اکاؤنٹس قائم کرنے اور تخلیق / ترمیم کریں کرنے کی اجازت ہے
 DocType: Plaid Settings,Plaid Environment,پلیڈ ماحول۔
 ,Project Billing Summary,پروجیکٹ بلنگ کا خلاصہ۔
@@ -5210,6 +5279,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,بیچز
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,دن کی تعداد کا تقرری پیشگی بک کیا جاسکتا ہے
 DocType: Article,LMS User,ایل ایم ایس صارف
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,محفوظ قرض کے لئے قرض کی حفاظت کا عہد لازمی ہے
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),فراہمی کی جگہ (ریاست / ریاست ہائے متحدہ امریکہ)
 DocType: Purchase Order Item Supplied,Stock UOM,اسٹاک UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,آرڈر {0} پیش نہیں کی خریداری
@@ -5282,6 +5352,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,جاب کارڈ بنائیں۔
 DocType: Quotation,Referral Sales Partner,ریفرل سیلز پارٹنر
 DocType: Quality Procedure Process,Process Description,عمل کی تفصیل
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",انپلیگ نہیں ہوسکتا ، قرض کی حفاظت کی قیمت واپس شدہ رقم سے زیادہ ہے
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,کسٹمر {0} پیدا ہوتا ہے.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,فی الحال کوئی اسٹاک کسی بھی گودام میں دستیاب نہیں ہے
 ,Payment Period Based On Invoice Date,انوائس کی تاریخ کی بنیاد پر ادائیگی کی مدت
@@ -5301,7 +5372,7 @@
 DocType: Asset,Insurance Details,انشورنس کی تفصیلات دیکھیں
 DocType: Account,Payable,قابل ادائیگی
 DocType: Share Balance,Share Type,اشتراک کی قسم
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,واپسی کا دورانیہ درج کریں
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,واپسی کا دورانیہ درج کریں
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),دیندار ({0})
 DocType: Pricing Rule,Margin,مارجن
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,نئے گاہکوں
@@ -5310,6 +5381,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,قیادت کے ذریعہ مواقع
 DocType: Appraisal Goal,Weightage (%),اہمیت (٪)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS پروفائل کو تبدیل کریں
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,قرض کی حفاظت کے لئے مقدار یا رقم کی مقدار مینڈٹروائی ہے
 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,Assessment Report,تشخیص کی رپورٹ
@@ -5344,6 +5416,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,شریک لیڈر
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,سیلز انوائس {0} نے پیدا کیا
 DocType: Employee,Confirmation Date,توثیق تاریخ
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم <a href=""#Form/Employee/{0}"">{0}</a> delete کو حذف کریں"
 DocType: Inpatient Occupancy,Check Out,اس کو دیکھو
 DocType: C-Form,Total Invoiced Amount,کل انوائس کی رقم
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,کم از کم مقدار زیادہ سے زیادہ مقدار سے زیادہ نہیں ہو سکتا
@@ -5356,7 +5430,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,فوری کتابیں کمپنی کی شناخت
 DocType: Travel Request,Travel Funding,سفر فنڈ
 DocType: Employee Skill,Proficiency,مہارت
-DocType: Loan Application,Required by Date,تاریخ کی طرف سے کی ضرورت
 DocType: Purchase Invoice Item,Purchase Receipt Detail,خریداری کی رسید تفصیل
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,تمام مقامات پر ایک لنک جس میں فصل بڑھ رہی ہے
 DocType: Lead,Lead Owner,لیڈ مالک
@@ -5375,7 +5448,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,موجودہ BOM اور نئی BOM ہی نہیں ہو سکتا
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,تنخواہ کی پرچی ID
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ریٹائرمنٹ کے تاریخ شمولیت کی تاریخ سے زیادہ ہونا چاہیے
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,سپلائر&gt; سپلائر کی قسم
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,ایک سے زیادہ متغیرات
 DocType: Sales Invoice,Against Income Account,انکم اکاؤنٹ کے خلاف
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ پھنچ گیا
@@ -5408,7 +5480,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,تشخیص قسم کے الزامات شامل کے طور پر نشان نہیں کر سکتے ہیں
 DocType: POS Profile,Update Stock,اپ ڈیٹ اسٹاک
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,ادائیگی کی تفصیلات
+DocType: Loan Repayment,Payment Details,ادائیگی کی تفصیلات
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM کی شرح
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,اپ لوڈ کردہ فائل پڑھنا۔
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",روک دیا کام کا آرڈر منسوخ نہیں کیا جاسکتا، اسے منسوخ کرنے کے لئے سب سے پہلے غیرقانونی
@@ -5442,6 +5514,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,زیادہ سے زیادہ قرض کی قیمت
 ,Stock Ledger,اسٹاک لیجر
 DocType: Company,Exchange Gain / Loss Account,ایکسچینج حاصل / نقصان کے اکاؤنٹ
 DocType: Amazon MWS Settings,MWS Credentials,MWS تصدیق نامہ
@@ -5548,7 +5621,6 @@
 DocType: Fee Schedule,Fee Schedule,فیس شیڈول
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,کالم لیبل:
 DocType: Bank Transaction,Settled,آباد ہے۔
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,قرض کی ادائیگی کے آغاز کی تاریخ کے بعد ادائیگی کی تاریخ نہیں ہوسکتی ہے۔
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,سیس
 DocType: Quality Feedback,Parameters,پیرامیٹرز
 DocType: Company,Create Chart Of Accounts Based On,اکاؤنٹس کی بنیاد پر چارٹ بنائیں
@@ -5568,6 +5640,7 @@
 DocType: Customer,Credit Limit and Payment Terms,کریڈٹ کی حد اور ادائیگی کی شرائط
 DocType: Loyalty Program,Collection Rules,مجموعہ قوانین
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,آئٹم کے 3
+DocType: Loan Security Shortfall,Shortfall Time,شارٹ فال ٹائم
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,آرڈر کی انٹری
 DocType: Purchase Order,Customer Contact Email,کسٹمر رابطہ ای میل
 DocType: Warranty Claim,Item and Warranty Details,آئٹم اور وارنٹی تفصیلات دیکھیں
@@ -5587,12 +5660,14 @@
 DocType: Sales Person,Sales Person Name,فروخت کے شخص کا نام
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,ٹیبل میں کم سے کم 1 انوائس داخل کریں
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,کوئی لیب ٹیسٹنگ نہیں بنایا گیا
+DocType: Loan Security Shortfall,Security Value ,سیکیورٹی ویلیو
 DocType: POS Item Group,Item Group,آئٹم گروپ
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,طالب علم گروپ:
 DocType: Depreciation Schedule,Finance Book Id,فنانس کتاب کی شناخت
 DocType: Item,Safety Stock,سیفٹی اسٹاک
 DocType: Healthcare Settings,Healthcare Settings,صحت کی دیکھ بھال کی ترتیبات
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,کل مختص شدہ پتیوں
+DocType: Appointment Letter,Appointment Letter,بھرتی کا حکم نامہ
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},کرنے کے لئے {0}
@@ -5648,6 +5723,7 @@
 DocType: Stock Entry,From BOM,BOM سے
 DocType: Assessment Code,Assessment Code,تشخیص کے کوڈ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,بنیادی
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,صارفین اور ملازمین سے قرض کی درخواستیں۔
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} منجمد کر رہے ہیں سے پہلے اسٹاک لین دین
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&#39;پیدا شیڈول&#39; پر کلک کریں براہ مہربانی
 DocType: Job Card,Current Time,موجودہ وقت
@@ -5674,7 +5750,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,عطا
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,کوئی بھی طالب علم گروپ بنائے.
 DocType: Purchase Invoice Item,Serial No,سیریل نمبر
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ماہانہ واپسی کی رقم قرض کی رقم سے زیادہ نہیں ہو سکتا
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,ماہانہ واپسی کی رقم قرض کی رقم سے زیادہ نہیں ہو سکتا
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,پہلے Maintaince تفصیلات درج کریں
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,قطار # {0}: متوقع ترسیل کی تاریخ خریداری آرڈر کی تاریخ سے پہلے نہیں ہوسکتی ہے
 DocType: Purchase Invoice,Print Language,پرنٹ کریں زبان
@@ -5687,6 +5763,7 @@
 DocType: Asset,Finance Books,فنانس کتب
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,ملازم ٹیکس چھوٹ اعلامیہ زمرہ
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,تمام علاقوں
+DocType: Plaid Settings,development,ترقی
 DocType: Lost Reason Detail,Lost Reason Detail,گمشدہ وجہ
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,ملازم / گریڈ ریکارڈ میں ملازم {0} کے لئے براہ کرم پالیسی چھوڑ دیں
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,منتخب کردہ کسٹمر اور آئٹم کے لئے غلط کنکریٹ آرڈر
@@ -5751,12 +5828,14 @@
 DocType: Staffing Plan Detail,Current Openings,موجودہ اوپننگ
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,آپریشنز سے کیش فلو
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST رقم
+DocType: Vehicle Log,Current Odometer value ,موجودہ اوڈومیٹر ویلیو
 apps/erpnext/erpnext/utilities/activation.py,Create Student,طالب علم بنائیں۔
 DocType: Asset Movement Item,Asset Movement Item,اثاثہ موومنٹ آئٹم
 DocType: Purchase Invoice,Shipping Rule,شپنگ حکمرانی
 DocType: Patient Relation,Spouse,بیوی
 DocType: Lab Test Groups,Add Test,ٹیسٹ شامل کریں
 DocType: Manufacturer,Limited to 12 characters,12 حروف تک محدود
+DocType: Appointment Letter,Closing Notes,نوٹس بند
 DocType: Journal Entry,Print Heading,پرنٹ سرخی
 DocType: Quality Action Table,Quality Action Table,کوالٹی ایکشن ٹیبل۔
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,کل صفر نہیں ہو سکتے
@@ -5823,6 +5902,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,سیلز خلاصہ
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),کل (AMT)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,تفریح اور تفریح
+DocType: Loan Security,Loan Security,قرض کی حفاظت
 ,Item Variant Details,آئٹم مختلف تفصیلات
 DocType: Quality Inspection,Item Serial No,آئٹم سیریل نمبر
 DocType: Payment Request,Is a Subscription,ایک سبسکرائب ہے
@@ -5835,7 +5915,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,تازہ ترین عمر۔
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,طے شدہ اور داخل شدہ تاریخیں آج سے کم نہیں ہوسکتی ہیں
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,سپلائر کے مواد کی منتقلی
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نیا سیریل کوئی گودام ہیں کر سکتے ہیں. گودام اسٹاک اندراج یا خریداری کی رسید کی طرف سے مقرر کیا جانا چاہیے
 DocType: Lead,Lead Type,لیڈ کی قسم
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,کوٹیشن تخلیق
@@ -5851,7 +5930,6 @@
 DocType: Leave Allocation,Leave Period,مدت چھوڑ دو
 DocType: Item,Default Material Request Type,پہلے سے طے شدہ مواد کی گذارش پروپوزل کی گذارش
 DocType: Supplier Scorecard,Evaluation Period,تشخیص کا دورہ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,کسٹمر&gt; کسٹمر گروپ&gt; علاقہ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,نامعلوم
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,کام آرڈر نہیں بنایا گیا
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -5936,7 +6014,8 @@
 ,Customer-wise Item Price,کسٹمر وار آئٹم قیمت۔
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,کیش فلو کا بیان
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,کوئی مادی درخواست نہیں کی گئی
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},قرض کی رقم {0} کی زیادہ سے زیادہ قرض کی رقم سے زیادہ نہیں ہوسکتی
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},قرض کی رقم {0} کی زیادہ سے زیادہ قرض کی رقم سے زیادہ نہیں ہوسکتی
+DocType: Loan,Loan Security Pledge,قرض کی حفاظت کا عہد
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,لائسنس
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,آپ کو بھی گزشتہ مالی سال کے توازن رواں مالی سال کے لئے چھوڑ دیتا شامل کرنے کے لئے چاہتے ہیں تو آگے بڑھانے براہ مہربانی منتخب کریں
@@ -5953,6 +6032,7 @@
 DocType: Pricing Rule,Price Discount Scheme,پرائس ڈسکاؤنٹ اسکیم
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,بحالی کی حیثیت منسوخ کرنا یا جمع کرنے کے لئے مکمل کرنا ہوگا
 DocType: Amazon MWS Settings,US,امریکہ
+DocType: Loan Security Pledge,Pledged,وعدہ کیا
 DocType: Holiday List,Add Weekly Holidays,ہفتہ وار چھٹیاں شامل کریں
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,آئٹم کی اطلاع دیں۔
 DocType: Staffing Plan Detail,Vacancies,خالی جگہیں
@@ -5970,7 +6050,6 @@
 DocType: Production Plan Item,Planned Start Date,منصوبہ بندی شروع کرنے کی تاریخ
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,براہ کرم ایک BOM منتخب کریں
 DocType: Purchase Invoice,Availed ITC Integrated Tax,آئی ٹی سی انٹیگریٹڈ ٹیکس کو حاصل کیا
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,واپسی کی لاگ انٹری بنائیں۔
 DocType: Purchase Order Item,Blanket Order Rate,کمبل آرڈر کی شرح
 ,Customer Ledger Summary,کسٹمر لیجر کا خلاصہ۔
 apps/erpnext/erpnext/hooks.py,Certification,تصدیق
@@ -5991,6 +6070,7 @@
 DocType: Appraisal Template,Appraisal Template Title,تشخیص سانچہ عنوان
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,کمرشل
 DocType: Patient,Alcohol Current Use,الکحل موجودہ استعمال
+DocType: Loan,Loan Closure Requested,قرض کی بندش کی درخواست کی گئی
 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,ٹیکس چھوٹ کی قسم
@@ -6014,6 +6094,7 @@
 DocType: Opening Invoice Creation Tool,Sales,سیلز
 DocType: Stock Entry Detail,Basic Amount,بنیادی رقم
 DocType: Training Event,Exam,امتحان
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,عمل سے متعلق سیکیورٹی میں کمی
 DocType: Email Campaign,Email Campaign,ای میل مہم۔
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,مارکیٹ کی خرابی
 DocType: Complaint,Complaint,شکایت
@@ -6115,6 +6196,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Used Leaves,استعمال شدہ پتیوں
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,کیا آپ مادی درخواست جمع کروانا چاہتے ہیں؟
 DocType: Job Offer,Awaiting Response,جواب کا منتظر
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,قرض لازمی ہے
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH -YYYY-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,اوپر
 DocType: Support Search Source,Link Options,لنک کے اختیارات
@@ -6127,6 +6209,7 @@
 DocType: Training Event Employee,Optional,اختیاری
 DocType: Salary Slip,Earning & Deduction,کمائی اور کٹوتی
 DocType: Agriculture Analysis Criteria,Water Analysis,پانی تجزیہ
+DocType: Pledge,Post Haircut Amount,بال کٹوانے کی رقم
 DocType: Sales Order,Skip Delivery Note,ترسیل نوٹ چھوڑ دیں
 DocType: Price List,Price Not UOM Dependent,قیمت UOM پر منحصر نہیں ہے۔
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} مختلف قسم کی تخلیق
@@ -6153,6 +6236,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,پروڈکٹ بنڈل سے اشیاء حاصل
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,مدتی قرضوں کے لئے ادائیگی کا طریقہ لازمی ہے
 DocType: Asset,Straight Line,سیدھی لکیر
 DocType: Project User,Project User,پروجیکٹ صارف
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,سپلٹ
@@ -6200,7 +6284,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,کردار منجمد اکاؤنٹس اور ترمیم منجمد اندراجات مقرر کرنے کی اجازت
 DocType: Supplier Scorecard Scoring Variable,Path,راستہ
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,یہ بچے نوڈ ہے کے طور پر لیجر لاگت مرکز میں تبدیل نہیں کرسکتا
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM کے تبادلوں کا عنصر ({0} -&gt; {1}) آئٹم کے لئے نہیں ملا: {2}
 DocType: Production Plan,Total Planned Qty,کل منصوبہ بندی کی مقدار
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,لین دین پہلے ہی بیان سے پیچھے ہٹ گیا ہے۔
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,افتتاحی ویلیو
@@ -6208,11 +6291,8 @@
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سیریل نمبر
 DocType: Material Request Plan Item,Required Quantity,مطلوبہ مقدار
 DocType: Lab Test Template,Lab Test Template,لیب ٹیسٹنگ سانچہ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,سپلائر&gt; سپلائر کی قسم
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,سیلز اکاؤنٹ
 DocType: Purchase Invoice Item,Total Weight,کل وزن
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم <a href=""#Form/Employee/{0}"">{0}</a> delete کو حذف کریں"
 DocType: Pick List Item,Pick List Item,فہرست آئٹم منتخب کریں۔
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,فروخت پر کمیشن
 DocType: Job Offer Term,Value / Description,ویلیو / تفصیل
@@ -6259,6 +6339,7 @@
 DocType: Patient Encounter,Encounter Date,تصادم کی تاریخ
 DocType: Work Order,Update Consumed Material Cost In Project,منصوبے میں استعمال شدہ مواد کی لاگت کو اپ ڈیٹ کریں۔
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,اکاؤنٹ: {0} کرنسی: {1} منتخب نہیں کیا جا سکتا
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,صارفین اور ملازمین کو فراہم کردہ قرض
 DocType: Bank Statement Transaction Settings Item,Bank Data,بینک ڈیٹا
 DocType: Purchase Receipt Item,Sample Quantity,نمونہ مقدار
 DocType: Bank Guarantee,Name of Beneficiary,فائدہ مند کا نام
@@ -6326,7 +6407,6 @@
 DocType: Contract,Signed On,سائن ان
 DocType: Bank Account,Party Type,پارٹی قسم
 DocType: Discounted Invoice,Discounted Invoice,رعایتی انوائس
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,بطور حاضری نشان زد کریں <b></b>
 DocType: Payment Schedule,Payment Schedule,ادائیگی کے شیڈول
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},دیئے گئے ملازمین کے فیلڈ ویلیو کے لئے کوئی ملازم نہیں ملا۔ &#39;{}&#39;: {
 DocType: Item Attribute Value,Abbreviation,مخفف
@@ -6396,6 +6476,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,قرض
 DocType: Assessment Plan,Assessment Name,تشخیص نام
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,صف # {0}: سیریل کوئی لازمی ہے
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,قرض کی بندش کے لئے {0} کی مقدار درکار ہے
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,آئٹم حکمت ٹیکس تفصیل
 DocType: Employee Onboarding,Job Offer,ملازمت کی پیشکش
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,انسٹی ٹیوٹ مخفف
@@ -6420,7 +6501,6 @@
 DocType: Purchase Order,To Receive,وصول کرنے کے لئے
 DocType: Leave Period,Holiday List for Optional Leave,اختیاری اجازت کے لئے چھٹیوں کی فہرست
 DocType: Item Tax Template,Tax Rates,ٹیکس کی شرح
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,آئٹم کوڈ&gt; آئٹم گروپ&gt; برانڈ
 DocType: Asset,Asset Owner,اثاثہ مالک
 DocType: Item,Website Content,ویب سائٹ کا مواد۔
 DocType: Bank Account,Integration ID,انضمام ID
@@ -6463,6 +6543,7 @@
 DocType: Customer,Mention if non-standard receivable account,ذکر غیر معیاری وصولی اکاؤنٹ تو
 DocType: Bank,Plaid Access Token,پلائڈ رسائی ٹوکن۔
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,موجودہ حصوں میں سے کوئی بھی باقی فوائد {0} کو شامل کریں
+DocType: Bank Account,Is Default Account,ڈیفالٹ اکاؤنٹ ہے
 DocType: Journal Entry Account,If Income or Expense,آمدنی یا اخراجات تو
 DocType: Course Topic,Course Topic,کورس کا عنوان۔
 DocType: Bank Statement Transaction Entry,Matching Invoices,ملاپ کے انوائس
@@ -6474,7 +6555,7 @@
 DocType: Disease,Treatment Task,علاج کا کام
 DocType: Payment Order Reference,Bank Account Details,بینک اکاؤنٹ کی تفصیلات
 DocType: Purchase Order Item,Blanket Order,کمبل آرڈر
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ادائیگی کی رقم اس سے زیادہ ہونی چاہئے۔
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ادائیگی کی رقم اس سے زیادہ ہونی چاہئے۔
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ٹیکس اثاثے
 DocType: BOM Item,BOM No,BOM کوئی
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,تازہ کاری کی تفصیلات
@@ -6529,6 +6610,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce مصنوعات
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},فارمولہ یا حالت میں مطابقت پذیر غلطی: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,اس کے بعد سے نظر انداز کر دیا آئٹم {0} اسٹاک شے نہیں ہے
+,Loan Security Status,قرض کی حفاظت کی حیثیت
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",ایک مخصوص ٹرانزیکشن میں قیمتوں کا تعین اصول لاگو نہیں کرنے کے لئے، تمام قابل اطلاق قیمتوں کا تعین قواعد غیر فعال کیا جانا چاہئے.
 DocType: Payment Term,Day(s) after the end of the invoice month,انوائس مہینے کے اختتام کے بعد دن
 DocType: Assessment Group,Parent Assessment Group,والدین کا تعین گروپ
@@ -6543,7 +6625,6 @@
 DocType: Stock Entry Detail,Additional Cost,اضافی لاگت
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",واؤچر نمبر کی بنیاد پر فلٹر کر سکتے ہیں، واؤچر کی طرف سے گروپ ہے
 DocType: Quality Inspection,Incoming,موصولہ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ&gt; نمبرنگ سیریز کے ذریعے ترتیب دیں
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,سیلز اور خریداری کے لئے پہلے سے طے شدہ ٹیکس ٹیمپلیٹس بنائے جاتے ہیں.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,تشخیص کا نتیجہ ریکارڈ {0} پہلے ہی موجود ہے.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",مثال: ABCD. #####. اگر سلسلہ سیٹ کیا جاتا ہے اور بیچ ٹرانزیکشنز میں ذکر نہیں کیا جاتا ہے، تو اس سلسلے کی بنیاد پر خود کار طریقے سے بیچ نمبر پیدا کی جائے گی. اگر آپ ہمیشہ اس آئٹم کے لئے بیچ نمبر کا ذکر کرنا چاہتے ہیں، تو اسے خالی چھوڑ دیں. نوٹ: یہ ترتیب اسٹاک کی ترتیبات میں نامنگ سیریز کے سابقہ پریفکس پر ترجیح لے گی.
@@ -6553,8 +6634,10 @@
 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,جائزہ جمع کروائیں
 DocType: Contract,Party User,پارٹی کا صارف
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',اگر گروپ سے &#39;کمپنی&#39; ہے کمپنی فلٹر کو خالی مقرر مہربانی
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,کسٹمر&gt; کسٹمر گروپ&gt; علاقہ
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,پوسٹنگ کی تاریخ مستقبل کی تاریخ میں نہیں ہو سکتا
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},صف # {0}: سیریل نمبر {1} کے ساتھ مطابقت نہیں ہے {2} {3}
+DocType: Loan Repayment,Interest Payable,قابل ادائیگی سود
 DocType: Stock Entry,Target Warehouse Address,ہدف گودام ایڈریس
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,آرام دہ اور پرسکون کی رخصت
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,شفٹ شروع ہونے سے قبل کا وقت جس کے دوران ملازمین کے داخلے کے لئے چیک ان سمجھا جاتا ہے۔
@@ -6682,6 +6765,7 @@
 DocType: Issue,Reset Service Level Agreement,خدمت کی سطح کے معاہدے کو دوبارہ ترتیب دیں۔
 ,Sales Person-wise Transaction Summary,فروخت شخص وار ٹرانزیکشن کا خلاصہ
 DocType: Training Event,Contact Number,رابطہ نمبر
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,قرض کی رقم لازمی ہے
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,گودام {0} موجود نہیں ہے
 DocType: Cashier Closing,Custody,تحمل
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,ملازم ٹیکس چھوٹ ثبوت جمع کرانے کی تفصیل
@@ -6728,6 +6812,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,بیلنس مقدار
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,مشترکہ منتخب کردہ تمام اشیاء پر شرائط کا اطلاق ہوگا۔
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,اہداف خالی نہیں رہ سکتا
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,غلط گودام
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,طلبہ داخلہ
 DocType: Item Group,Parent Item Group,والدین آئٹم گروپ
 DocType: Appointment Type,Appointment Type,تقدیر کی قسم
@@ -6783,10 +6868,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,اوسط قیمت
 DocType: Appointment,Appointment With,کے ساتھ تقرری
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ادائیگی شیڈول میں کل ادائیگی کی رقم گرینڈ / گولڈ کل کے برابر ہونا ضروری ہے
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,بطور حاضری نشان زد کریں <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;گراہک فراہم کردہ آئٹم&quot; میں ویلیو ریٹ نہیں ہوسکتا
 DocType: Subscription Plan Detail,Plan,منصوبہ
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,جنرل لیجر کے مطابق بینک کا گوشوارہ توازن
-DocType: Job Applicant,Applicant Name,درخواست گزار کا نام
+DocType: Appointment Letter,Applicant Name,درخواست گزار کا نام
 DocType: Authorization Rule,Customer / Item Name,کسٹمر / نام شے
 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**. 
 
@@ -6830,11 +6916,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,اسٹاک بہی اندراج یہ گودام کے لئے موجود ہے کے طور پر گودام خارج نہیں کیا جا سکتا.
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,تقسیم
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,ملازمین کی حیثیت &#39;بائیں&#39; پر متعین نہیں کی جاسکتی ہے کیونکہ فی الحال مندرجہ ذیل ملازمین اس ملازم کو اطلاع دے رہے ہیں:
-DocType: Journal Entry Account,Loan,قرض
+DocType: Loan Repayment,Amount Paid,رقم ادا کر دی
+DocType: Loan Security Shortfall,Loan,قرض
 DocType: Expense Claim Advance,Expense Claim Advance,اخراج دعوی ایڈانسنس
 DocType: Lab Test,Report Preference,رپورٹ کی ترجیح
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,رضاکارانہ معلومات.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,پروجیکٹ مینیجر
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,گروپ بہ کسٹمر
 ,Quoted Item Comparison,نقل آئٹم موازنہ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} اور {1} کے درمیان اسکور میں اوورلوپ
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,ڈسپیچ
@@ -6853,6 +6941,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time",ماسٹر ڈیٹا مطابقت پذیری، اس میں کچھ وقت لگ سکتا ہے
 DocType: Material Request Plan Item,Material Issue,مواد مسئلہ
 DocType: Employee Education,Qualification,اہلیت
+DocType: Loan Security Shortfall,Loan Security Shortfall,قرض کی حفاظت میں کمی
 DocType: Item Price,Item Price,شے کی قیمت
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,صابن اور ڈٹرجنٹ
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},ملازم {0} کمپنی سے تعلق نہیں رکھتا ہے {1}
@@ -6874,13 +6963,13 @@
 DocType: Appointment Booking Settings,Appointment Details,تقرری کی تفصیلات
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,تیار شدہ مصنوعات
 DocType: Warehouse,Warehouse Name,گودام نام
+DocType: Loan Security Pledge,Pledge Time,عہد نامہ
 DocType: Naming Series,Select Transaction,منتخب ٹرانزیکشن
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,کردار کی منظوری یا صارف منظوری داخل کریں
 DocType: Journal Entry,Write Off Entry,انٹری لکھنے
 DocType: BOM,Rate Of Materials Based On,شرح معدنیات کی بنیاد پر
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",اگر فعال ہو تو، فیلڈ تعلیمی ٹرم پروگرام کے اندراج کے آلے میں لازمی ہوگا.
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",مستثنیٰ ، نیل ریٹیڈ اور غیر جی ایس ٹی اندر کی فراہمی کی قدر۔
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,کسٹمر&gt; کسٹمر گروپ&gt; علاقہ
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>کمپنی</b> لازمی فلٹر ہے۔
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,تمام کو غیر منتخب
 DocType: Purchase Taxes and Charges,On Item Quantity,آئٹم کی مقدار پر۔
@@ -6926,7 +7015,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,کمی کی مقدار
 DocType: Purchase Invoice,Input Service Distributor,ان پٹ سروس ڈسٹریبیوٹر۔
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,آئٹم ویرینٹ {0} اسی صفات کے ساتھ موجود
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,براہ کرم تعلیم&gt; تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں
 DocType: Loan,Repay from Salary,تنخواہ سے ادا
 DocType: Exotel Settings,API Token,API ٹوکن۔
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},{2} {1} کے خلاف ادائیگی {2}
@@ -6945,6 +7033,7 @@
 DocType: Salary Slip,Total Interest Amount,کل دلچسپی کی رقم
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا
 DocType: BOM,Manage cost of operations,آپریشن کے اخراجات کا انتظام
+DocType: Unpledge,Unpledge,عہد نہ کریں
 DocType: Accounts Settings,Stale Days,اسٹیل دن
 DocType: Travel Itinerary,Arrival Datetime,آمد تاریخ
 DocType: Tax Rule,Billing Zipcode,بلنگ کوڈ
@@ -7126,6 +7215,7 @@
 DocType: Employee Transfer,Employee Transfer,ملازمت کی منتقلی
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,گھنٹے
 DocType: Project,Expected Start Date,متوقع شروع کرنے کی تاریخ
+DocType: Work Order,This is a location where raw materials are available.,یہ وہ مقام ہے جہاں خام مال دستیاب ہے۔
 DocType: Purchase Invoice,04-Correction in Invoice,انوائس میں 04-اصلاح
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,کام آرڈر پہلے ہی BOM کے ساتھ تمام اشیاء کے لئے تیار کیا
 DocType: Bank Account,Party Details,پارٹی کی تفصیلات
@@ -7144,6 +7234,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,کوٹیشن:
 DocType: Contract,Partially Fulfilled,جزوی طور پر مکمل
 DocType: Maintenance Visit,Fully Completed,مکمل طور پر مکمل
+DocType: Loan Security,Loan Security Name,لون سیکیورٹی نام
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",&quot;-&quot; ، &quot;#&quot; ، &quot;.&quot; ، &quot;/&quot; ، &quot;{&quot; اور &quot;}&quot; سوائے خصوصی حروف کی نام بندی سیریز میں اجازت نہیں ہے
 DocType: Purchase Invoice Item,Is nil rated or exempted,نیل ریٹیڈ یا مستثنیٰ ہے۔
 DocType: Employee,Educational Qualification,تعلیمی اہلیت
@@ -7201,6 +7292,7 @@
 DocType: Program,Is Featured,نمایاں ہے۔
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,بازیافت کر رہا ہے…
 DocType: Agriculture Analysis Criteria,Agriculture User,زراعت کا صارف
+DocType: Loan Security Shortfall,America/New_York,امریکہ / نیو یارک
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,تاریخ تک ٹرانزیکشن کی تاریخ سے پہلے درست نہیں ہوسکتا ہے
 apps/erpnext/erpnext/stock/stock_ledger.py,{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 کی قسم
@@ -7276,8 +7368,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,آپ منجمد قیمت مقرر کرنے کی اجازت نہیں ہے
 DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled لکھے حاصل
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ملازم {0} چھوڑ دو {2}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,جرنل اندراج کیلئے کوئی ادائیگی نہیں کی گئی
 DocType: Purchase Invoice,GST Category,جی ایس ٹی زمرہ۔
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,محفوظ قرضوں کے لئے مجوزہ وعدے لازمی ہیں
 DocType: Payment Reconciliation,From Invoice Date,انوائس کی تاریخ سے
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,بجٹ
 DocType: Invoice Discounting,Disbursed,منایا
@@ -7333,14 +7425,13 @@
 DocType: Restaurant,Active Menu,فعال مینو
 DocType: Accounting Dimension Detail,Default Dimension,طے شدہ طول و عرض۔
 DocType: Target Detail,Target Qty,ہدف کی مقدار
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},قرض کے خلاف: {0}
 DocType: Shopping Cart Settings,Checkout Settings,چیک آؤٹ ترتیبات
 DocType: Student Attendance,Present,موجودہ
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ترسیل کے نوٹ {0} پیش نہیں کیا جانا چاہئے
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",ملازم کو ای میل کی گئی تنخواہ کی پرچی پاس ورڈ سے محفوظ رہے گی ، پاس ورڈ کی پالیسی کی بنیاد پر پاس ورڈ تیار کیا جائے گا۔
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,اکاؤنٹ {0} بند قسم ذمہ داری / اکوئٹی کا ہونا ضروری ہے
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},ملازم کی تنخواہ کی پرچی {0} کے پاس پہلے وقت شیٹ کے لئے پیدا {1}
-DocType: Vehicle Log,Odometer,مسافت پیما
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,مسافت پیما
 DocType: Production Plan Item,Ordered Qty,کا حکم دیا مقدار
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,آئٹم {0} غیر فعال ہے
 DocType: Stock Settings,Stock Frozen Upto,اسٹاک منجمد تک
@@ -7397,7 +7488,6 @@
 DocType: Serial No,Delivery Document Type,ڈلیوری دستاویز کی قسم
 DocType: Sales Order,Partly Delivered,جزوی طور پر ہونے والا
 DocType: Item Variant Settings,Do not update variants on save,بچت پر متغیرات کو اپ ڈیٹ نہ کریں
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,کسٹمر گروپ
 DocType: Email Digest,Receivables,وصولی
 DocType: Lead Source,Lead Source,لیڈ ماخذ
 DocType: Customer,Additional information regarding the customer.,کسٹمر کے بارے میں اضافی معلومات.
@@ -7491,6 +7581,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,اصل
 DocType: Appointment,Skype ID,اسکائپ کی شناخت
 DocType: Restaurant Menu,Restaurant Manager,ریسٹورانٹ مینیجر
+DocType: Loan,Penalty Income Account,پنلٹی انکم اکاؤنٹ
 DocType: Call Log,Call Log,کال کی فہرست
 DocType: Authorization Rule,Customerwise Discount,Customerwise ڈسکاؤنٹ
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,کاموں کے لئے Timesheet.
@@ -7575,6 +7666,7 @@
 DocType: Purchase Taxes and Charges,On Net Total,نیٹ کل پر
 DocType: Pricing Rule,Product Discount Scheme,پروڈکٹ ڈسکاؤنٹ اسکیم
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,کال کرنے والے کی طرف سے کوئی مسئلہ نہیں اٹھایا گیا ہے۔
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,گروپ بذریعہ سپلائر
 DocType: Restaurant Reservation,Waitlisted,انتظار کیا
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,چھوٹ کی قسم
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,کرنسی کسی دوسرے کرنسی استعمال اندراجات کرنے کے بعد تبدیل کر دیا گیا نہیں کیا جا سکتا
@@ -7585,7 +7677,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,کنسلٹنگ
 DocType: Subscription Plan,Based on price list,قیمت کی فہرست کے مطابق
 DocType: Customer Group,Parent Customer Group,والدین گاہک گروپ
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ای وے بل جے ایسون صرف سیل انوائس سے تیار کیا جاسکتا ہے۔
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,اس کوئز کیلئے زیادہ سے زیادہ کوششیں ہوگئی!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,سبسکرائب کریں
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,فیس تخلیق کی منتقلی
@@ -7603,6 +7694,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,بچاؤ کی دیکھ بھال
 DocType: Delivery Note Item,Against Sales Invoice,فروخت انوائس کے خلاف
 DocType: Purchase Invoice,07-Others,07-دیگر
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,کوٹیشن رقم
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,سے serialized شے کے لئے سیریل نمبرز درج کریں
 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. ,انینترت چھوڑ دو آپ کو کورس کی بنیاد پر گروہوں بنانے کے دوران بیچ میں غور کرنے کے لئے نہیں کرنا چاہتے تو.
@@ -7714,6 +7806,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ادائیگی کی رسید نوٹ
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,یہ کسٹمر کے خلاف لین دین کی بنیاد پر ہے. تفصیلات کے لئے نیچے ٹائم لائن ملاحظہ کریں
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,مٹیریل ریکوسٹ بنائیں۔
+DocType: Loan Interest Accrual,Pending Principal Amount,زیر التواء پرنسپل رقم
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,کورس وار جائزہ رپورٹ
@@ -7753,6 +7846,7 @@
 DocType: Loyalty Point Entry,Purchase Amount,خریداری کی رقم
 DocType: Quotation,SAL-QTN-.YYYY.-,سال- QTN -YYYY-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,پیدا کردہ سپروٹیشن {0}
+DocType: Loan Security Unpledge,Unpledge Type,انلاج ٹائپ
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,اختتام سال شروع سال سے پہلے نہیں ہو سکتا
 DocType: Employee Benefit Application,Employee Benefits,ملازم فوائد
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ملازم کی ID
@@ -7835,6 +7929,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,کورس کا کوڈ:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ایکسپینس اکاؤنٹ درج کریں
 DocType: Quality Action Resolution,Problem,مسئلہ۔
+DocType: Loan Security Type,Loan To Value Ratio,قدر کے تناسب سے قرض
 DocType: Account,Stock,اسٹاک
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم خریداری کے آرڈر میں سے ایک، انوائس خریداری یا جرنل اندراج ہونا ضروری ہے
 DocType: Employee,Current Address,موجودہ پتہ
@@ -7852,6 +7947,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,بینک بیان ٹرانزیکشن انٹری
 DocType: Sales Invoice Item,Discount and Margin,رعایت اور مارجن
 DocType: Lab Test,Prescription,نسخہ
+DocType: Process Loan Security Shortfall,Update Time,تازہ کاری کا وقت
 DocType: Import Supplier Invoice,Upload XML Invoices,XML رسیدیں اپ لوڈ کریں
 DocType: Company,Default Deferred Revenue Account,ڈیفالٹ منتقل شدہ آمدنی کا اکاؤنٹ
 DocType: Project,Second Email,دوسرا ای میل
@@ -7865,7 +7961,7 @@
 DocType: Quality Action,Preventive,بچاؤ۔
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,غیر رجسٹرڈ افراد کو فراہمی
 DocType: Company,Date of Incorporation,ادارے کی تاریخ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,کل ٹیکس
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,کل ٹیکس
 DocType: Manufacturing Settings,Default Scrap Warehouse,طے شدہ سکریپ گودام
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,آخری خریداری کی قیمت
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,مقدار کے لئے (مقدار تیار) لازمی ہے
@@ -7883,6 +7979,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ادائیگی کا ڈیفالٹ موڈ مقرر کریں
 DocType: Stock Entry Detail,Against Stock Entry,اسٹاک اندراج کے خلاف
 DocType: Grant Application,Withdrawn,واپس لے لیا
+DocType: Loan Repayment,Regular Payment,باقاعدہ ادائیگی
 DocType: Support Search Source,Support Search Source,سپورٹ تلاش کے ذریعہ
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,چارج کرنے والا۔
 DocType: Project,Gross Margin %,مجموعی مارجن٪
@@ -7895,8 +7992,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,ٹیکس کی ادائیگی کے بغیر
 DocType: BOM Operation,BOM Operation,BOM آپریشن
 DocType: Purchase Taxes and Charges,On Previous Row Amount,پچھلے صف کی رقم پر
+DocType: Student,Home Address,گھر کا پتہ
 DocType: Options,Is Correct,درست ہے
 DocType: Item,Has Expiry Date,ختم ہونے کی تاریخ ہے
+DocType: Loan Repayment,Paid Accrual Entries,ادا شدہ ایکٹریل انٹریز
+DocType: Loan Security,Loan Security Type,قرض کی حفاظت کی قسم
 apps/erpnext/erpnext/config/support.py,Issue Type.,مسئلہ کی قسم
 DocType: POS Profile,POS Profile,پی او ایس پروفائل
 DocType: Training Event,Event Name,واقعہ کا نام
@@ -7908,6 +8008,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",ترتیب بجٹ، اہداف وغیرہ کے لئے seasonality کے
 apps/erpnext/erpnext/www/all-products/index.html,No values,کوئی قدر نہیں۔
 DocType: Supplier Scorecard Scoring Variable,Variable Name,متغیر نام
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,مفاہمت کے ل the بینک اکاؤنٹ منتخب کریں۔
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",{0} آئٹم ایک ٹیمپلیٹ ہے، اس کی مختلف حالتوں میں سے ایک کو منتخب کریں
 DocType: Purchase Invoice Item,Deferred Expense,معاوضہ خرچ
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,پیغامات پر واپس جائیں۔
@@ -7959,7 +8060,6 @@
 DocType: GL Entry,To Rename,نام بدلنا۔
 DocType: Stock Entry,Repack,repack کریں
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,سیریل نمبر شامل کرنے کے لئے منتخب کریں۔
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,براہ کرم تعلیم&gt; تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',براہ کرم گاہک &#39;٪ s&#39; کے لئے مالیاتی کوڈ مرتب کریں
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,براہ مہربانی سب سے پہلے کمپنی کا انتخاب کریں
 DocType: Item Attribute,Numeric Values,عددی اقدار
@@ -7983,6 +8083,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,فیفا پر مبنی بازیافت کریں۔
 DocType: Soil Texture,Clay Loam,مٹی لوام
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,روٹ ترمیم نہیں کیا جا سکتا.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,قرض کی حفاظت کی قیمت
 DocType: Item,Units of Measure,پیمائش کی اکائیوں
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,میٹرو شہر میں کرایہ پر
 DocType: Supplier,Default Tax Withholding Config,پہلے سے طے شدہ ٹیکس کو برقرار رکھنے کی ترتیب
@@ -8029,6 +8130,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,پہلے زمرہ منتخب کریں
 apps/erpnext/erpnext/config/projects.py,Project master.,پروجیکٹ ماسٹر.
 DocType: Contract,Contract Terms,معاہدہ شرائط
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,منظور شدہ رقم کی حد
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,ترتیب جاری رکھیں۔
 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,Maximum benefit amount of component {0} exceeds {1},اجزاء {0} کی زیادہ سے زیادہ فائدہ رقم {1} سے زیادہ ہے
@@ -8073,3 +8175,4 @@
 DocType: Account,Cash,کیش
 DocType: Sales Invoice,Unpaid and Discounted,بغیر معاوضہ اور چھوٹ
 DocType: Employee,Short biography for website and other publications.,ویب سائٹ اور دیگر مطبوعات کے لئے مختصر سوانح عمری.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,قطار # {0}: ذیلی ٹھیکیدار کو خام مال کی فراہمی کے دوران سپلائر گودام کا انتخاب نہیں کیا جاسکتا
diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv
index e7fdd01..f8b8ea6 100644
--- a/erpnext/translations/uz.csv
+++ b/erpnext/translations/uz.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Imkoniyatni yo&#39;qotish sababi
 DocType: Patient Appointment,Check availability,Mavjudligini tekshirib ko&#39;ring
 DocType: Retention Bonus,Bonus Payment Date,Bonus To&#39;lov sanasi
-DocType: Employee,Job Applicant,Ish beruvchi
+DocType: Appointment Letter,Job Applicant,Ish beruvchi
 DocType: Job Card,Total Time in Mins,"Umumiy vaqt, daqiqada"
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Bog&#39;lanish uchun ma&#39;lumot
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Hamma narsani qidirish ...
 ,Stock and Account Value Comparison,Stok va hisob qiymatini taqqoslash
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Berilgan summa kredit miqdoridan ko&#39;p bo&#39;lmasligi kerak
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Qiziquvchan
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Ochilish
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Dastur:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Vaqtning amal qilishi Valid Upto vaqtidan kamroq bo&#39;lishi kerak.
 DocType: Item,Copy From Item Group,Mavzu guruhidan nusxa olish
 DocType: Journal Entry,Opening Entry,Kirish ochish
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Hisob faqatgina to&#39;laydi
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Baholash
 DocType: Restaurant Table,No of Seats,O&#39;rindiqlar soni
+DocType: Loan Type,Grace Period in Days,Kunlarda imtiyozli davr
 DocType: Sales Invoice,Overdue and Discounted,Kechiktirilgan va chegirma
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},{0} aktivi {1} valiy egasiga tegishli emas
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Qo&#39;ng&#39;iroq uzilib qoldi
@@ -389,7 +392,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Belgilangan protseduralar
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Faqat qalinni ko&#39;rsatish
 DocType: Supplier Group,Supplier Group Name,Yetkazib beruvchining guruh nomi
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Davomi sifatida belgilang <b></b>
 DocType: Driver,Driving License Categories,Haydovchilik guvohnomasi kategoriyalari
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Iltimos, etkazib berish sanasi kiriting"
 DocType: Depreciation Schedule,Make Depreciation Entry,Amortizatsiyani kiritish
@@ -406,10 +408,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Faoliyatning tafsilotlari.
 DocType: Asset Maintenance Log,Maintenance Status,Xizmat holati
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Qiymatga kiritilgan soliq summasi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Kredit xavfsizligini ta&#39;minlash
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Registratsiya tafsilotlari
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Yetkazib beruvchi to&#39;lash kerak hisobiga {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Mahsulotlar va narxlanish
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Umumiy soatlar: {0}
+DocType: Loan,Loan Manager,Kreditlar bo&#39;yicha menejer
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Sana boshlab Moliya yilida bo&#39;lishi kerak. Sana = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-YYYYY.-
 DocType: Drug Prescription,Interval,Interval
@@ -468,6 +472,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',&quot;Time log&quot; orqali yangilangan
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Mijozni yoki yetkazib beruvchini tanlang.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Fayldagi mamlakat kodi tizimda o&#39;rnatilgan mamlakat kodiga mos kelmadi
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},{0} hisobi {1} kompaniyasiga tegishli emas
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Odatiy sifatida faqat bitta ustuvorlikni tanlang.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -545,7 +550,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Blokdan chiqing
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bank yozuvlari
-DocType: Customer,Is Internal Customer,Ichki mijoz
+DocType: Sales Invoice,Is Internal Customer,Ichki mijoz
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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 №
@@ -569,6 +574,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,Materiallar talabi
 DocType: Bank Reconciliation,Update Clearance Date,Bo&#39;shatish tarixini yangilash
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Qty to&#39;plami
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Ilova ma&#39;qullanmaguncha ssudani yaratib bo&#39;lmaydi
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -576,6 +582,7 @@
 DocType: Quiz Result,Correct,To&#39;g&#39;ri
 DocType: Student Guardian,Mother,Ona
 DocType: Restaurant Reservation,Reservation End Time,Rezervasyon tugash vaqti
+DocType: Salary Slip Loan,Loan Repayment Entry,Kreditni qaytarish uchun kirish
 DocType: Crop,Biennial,Biennale
 ,BOM Variance Report,BOM Variants hisoboti
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Xaridorlarning buyurtmalari tasdiqlangan.
@@ -597,6 +604,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} ga nisbatan to&#39;lov Olingan miqdordan ortiq bo&#39;lmasligi mumkin {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Barcha sog&#39;liqni saqlash bo&#39;limlari
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Imkoniyatni o&#39;zgartirish to&#39;g&#39;risida
+DocType: Loan,Total Principal Paid,Asosiy to&#39;langan pul
 DocType: Bank Account,Address HTML,HTML-manzil
 DocType: Lead,Mobile No.,Mobil telefon raqami
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,To&#39;lov tartibi
@@ -615,12 +623,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Asosiy valyutada muvozanat
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Maks daraja
 DocType: Email Digest,New Quotations,Yangi takliflar
+DocType: Loan Interest Accrual,Loan Interest Accrual,Kredit bo&#39;yicha foizlarni hisoblash
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Davom etish {0} uchun {1} sifatida qoldirilmadi.
 DocType: Journal Entry,Payment Order,To&#39;lov Buyurtma
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Elektron pochtani tasdiqlang
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Boshqa manbalardan olinadigan daromadlar
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Agar bo&#39;sh bo&#39;lsa, ota-ona ombori hisob qaydnomasi yoki kompaniyaning standart holati ko&#39;rib chiqiladi"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Xodimga ish haqi elektron pochtasi xodimiga tanlangan e-pochtaga asoslanib yuboriladi
+DocType: Work Order,This is a location where operations are executed.,Bu operatsiyalar bajariladigan joy.
 DocType: Tax Rule,Shipping County,Yuk tashish hududi
 DocType: Currency Exchange,For Selling,Sotish uchun
 apps/erpnext/erpnext/config/desktop.py,Learn,O&#39;rganish
@@ -629,6 +639,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Amaliy Kupon kodi
 DocType: Asset,Next Depreciation Date,Keyingi Amortizatsiya sanasi
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Xodimga ko&#39;ra harajatlar
+DocType: Loan Security,Haircut %,Sartaroshlik%
 DocType: Accounts Settings,Settings for Accounts,Hisob sozlamalari
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},Yetkazib beruvchi hisob-fakturasi yo&#39;q {0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Sotuvdagi shaxslar daraxti boshqaruvi.
@@ -666,6 +677,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Iltimos, Hotel Room Rate ni {} belgilang."
 DocType: Journal Entry,Multi Currency,Ko&#39;p valyuta
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura turi
+DocType: Loan,Loan Security Details,Kredit xavfsizligi tafsilotlari
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Yaroqlilik muddati sanadan kam bo&#39;lishi kerak
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},{0} yarashtirishda istisno ro&#39;y berdi.
 DocType: Purchase Invoice,Set Accepted Warehouse,Qabul qilingan omborni o&#39;rnating
@@ -772,7 +784,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Laboratoriya tekshiruvini tasdiqlashni talab qiling
 DocType: Attendance,Working Hours,Ish vaqti
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Umumiy natija
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konversiya koeffitsienti ({0} -&gt; {1}) quyidagi element uchun topilmadi: {2}
 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: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Siz buyurtma qilingan miqdordan ko&#39;proq hisob-kitob qilishingiz mumkin bo&#39;lgan foiz. Masalan: Agar buyurtma qiymati bir mahsulot uchun 100 dollarni tashkil etsa va sabr-toqat 10% bo&#39;lsa, sizga 110 dollarga to&#39;lashingiz mumkin."
 DocType: Dosage Strength,Strength,Kuch-quvvat
@@ -790,6 +801,7 @@
 DocType: Purchase Receipt,Vehicle Date,Avtomobil tarixi
 DocType: Campaign Email Schedule,Campaign Email Schedule,Kampaniyaning elektron pochta jadvali
 DocType: Student Log,Medical,Tibbiy
+DocType: Work Order,This is a location where scraped materials are stored.,Bu hurda materiallar saqlanadigan joy.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,"Iltimos, Dori-ni tanlang"
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,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
 DocType: Announcement,Receiver,Qabul qiluvchisi
@@ -885,7 +897,7 @@
 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: BOM,Total Cost (Company Currency),Umumiy xarajat (kompaniya valyutasi)
-DocType: Loan,Total Payment,Jami to&#39;lov
+DocType: Repayment Schedule,Total Payment,Jami to&#39;lov
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,Barcha savdo buyurtma ma&#39;lumotlar uchun yaratilgan PO
@@ -911,6 +923,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Sotib olish buyurtmalarini ogohlantiring
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Sana boshlab ijaraga olingan
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Qurilish uchun yetarli qismlar
+DocType: Loan Security,Loan Security Code,Kredit xavfsizligi kodi
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Avval saqlang
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,U bilan bog&#39;liq bo&#39;lgan xom ashyoni olish uchun narsalar talab qilinadi.
 DocType: POS Profile User,POS Profile User,Qalin Foydalanuvchining profili
@@ -967,6 +980,7 @@
 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,Stock Entries already created for Work Order ,Ish tartibi uchun allaqachon yaratilgan aktsion yozuvlar
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Element kodi&gt; Mahsulotlar guruhi&gt; Tovar
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,O&#39;tgan buyurtmalarga qarang
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} suhbatlar
 DocType: Vital Signs,Respiratory rate,Nafas olish darajasi
@@ -999,7 +1013,6 @@
 DocType: Company,Delete Company Transactions,Kompaniya jarayonini o&#39;chirish
 DocType: Production Plan Item,Quantity and Description,Miqdori va tavsifi
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Bank bo&#39;yicha bitim uchun Yo&#39;naltiruvchi Yo&#39;naltiruvchi va Yo&#39;nalish sanasi majburiy hisoblanadi
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Iltimos, sozlash&gt; Sozlamalar&gt; Nomlash seriyalari orqali {0} uchun nomlash seriyasini o&#39;rnating"
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Soliqlarni va to&#39;lovlarni qo&#39;shish / tahrirlash
 DocType: Payment Entry Reference,Supplier Invoice No,Yetkazib beruvchi hisob raqami №
 DocType: Territory,For reference,Malumot uchun
@@ -1030,6 +1043,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Soliq to&#39;lashni hisobga olish
 DocType: Pricing Rule,Sales Partner,Savdo hamkori
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Barcha etkazib beruvchi kartalari.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Buyurtma miqdori
+DocType: Loan,Disbursed Amount,To&#39;langan miqdor
 DocType: Buying Settings,Purchase Receipt Required,Qabul qilish pulligizga.Albatta talab qilinadi
 DocType: Sales Invoice,Rail,Rail
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Haqiqiy xarajat
@@ -1070,6 +1085,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks-ga ulangan
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Iltimos, hisob qaydnomasini (Ledger) aniqlang / yarating - {0}"
 DocType: Bank Statement Transaction Entry,Payable Account,To&#39;lanadigan hisob
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,To&#39;lov yozuvlarini olish uchun hisob qaydnomasi majburiydir
 DocType: Payment Entry,Type of Payment,To&#39;lov turi
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Yarim kunlik sana majburiydir
 DocType: Sales Order,Billing and Delivery Status,To&#39;lov va etkazib berish holati
@@ -1106,7 +1122,7 @@
 DocType: Purchase Order Item,Billed Amt,Billing qilingan Amt
 DocType: Training Result Employee,Training Result Employee,Ta&#39;lim natijalari Xodim
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Qimmatbaho qog&#39;ozlar kiritilgan mantiqiy ombor.
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Asosiy miqdori
+DocType: Repayment Schedule,Principal Amount,Asosiy miqdori
 DocType: Loan Application,Total Payable Interest,To&#39;lanadigan foiz
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Umumiy natija: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Kontaktni oching
@@ -1120,6 +1136,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Yangilash jarayonida xatolik yuz berdi
 DocType: Restaurant Reservation,Restaurant Reservation,Restoran rezervasyoni
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Sizning narsalaringiz
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Ta&#39;minotchi&gt; Ta&#39;minotchi turi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Takliflarni Yozish
 DocType: Payment Entry Deduction,Payment Entry Deduction,To&#39;lovni to&#39;lashni kamaytirish
 DocType: Service Level Priority,Service Level Priority,Xizmat darajasi ustuvorligi
@@ -1152,6 +1169,7 @@
 DocType: Batch,Batch Description,Ommaviy tavsif
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Talabalar guruhlarini yaratish
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","To&#39;lov shlyuzi hisobini yaratib bo&#39;lmadi, iltimos, bir qo&#39;lda yarating."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},"Guruh omborlaridan tranzaksiyalarda foydalanib bo&#39;lmaydi. Iltimos, {0} qiymatini o&#39;zgartiring"
 DocType: Supplier Scorecard,Per Year,Bir yilda
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ushbu dasturda DOBga mos kelmasligi mumkin
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,# {0} qatori: Xaridorga buyurtma berilgan {1} elementni o&#39;chirib bo&#39;lmaydi.
@@ -1274,7 +1292,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","{0} bolalar kompaniyasida hisob yaratishda {1} ota-ona hisobi topilmadi. Iltimos, tegishli COAda ota-ona hisobini yarating"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Split muammo
 DocType: Student Attendance,Student Attendance,Isoning shogirdi ishtiroki
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Eksport qilish uchun ma’lumot yo‘q
 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
@@ -1287,6 +1304,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Haqiqiy etkazib berish sanasi
 DocType: Lab Test,Test Template,Viktorina shablonni
+DocType: Loan Security Pledge,Securities,Qimmatli qog&#39;ozlar
 DocType: Restaurant Order Entry Item,Served,Xizmat qildi
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Bo&#39;lim haqida ma&#39;lumot.
 DocType: Account,Accounts,Hisoblar
@@ -1380,6 +1398,7 @@
 DocType: Inpatient Record,O Negative,O salbiy
 DocType: Work Order Operation,Planned End Time,Rejalashtirilgan muddat
 DocType: POS Profile,Only show Items from these Item Groups,Faqat ushbu mahsulot guruhlarida elementlarni ko&#39;rsatish
+DocType: Loan,Is Secured Loan,Kafolatlangan kredit
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,Mavjud bitim bilan hisob qaydnomasiga o&#39;tkazilmaydi
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Xodimlar haqida ma&#39;lumot
 DocType: Delivery Note,Customer's Purchase Order No,Xaridorning Buyurtma no
@@ -1416,6 +1435,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Bemor uchrashuvidan oling
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konversiyalash koeffitsienti ({0} -&gt; {1}) quyidagi element uchun topilmadi: {2}
 DocType: Subscriber,Subscriber,Abonent
 DocType: Item Attribute Value,Item Attribute Value,Mavzu xususiyati qiymati
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valyuta almashinuvi xarid yoki sotish uchun tegishli bo&#39;lishi kerak.
@@ -1495,6 +1515,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Izoh yo&#39;q
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,Shartnomani bajarish nazorat ro&#39;yxati
 DocType: Vital Signs,Heart Rate / Pulse,Yurak urishi / zarba
+DocType: Customer,Default Company Bank Account,Kompaniyaning bank hisob qaydnomasi
 DocType: Supplier,Default Bank Account,Standart bank hisobi
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",Partiyaga asoslangan filtrni belgilash uchun birinchi navbatda Partiya turini tanlang
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"&quot;Yangilash kabinetga&quot; tekshirilishi mumkin emas, chunki elementlar {0}"
@@ -1612,7 +1633,6 @@
 DocType: Sales Team,Incentives,Rag&#39;batlantirish
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Sinxron bo&#39;lmagan qiymatlar
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Farq qiymati
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Iltimos Setup&gt; Raqamlash seriyalari orqali qatnashish uchun raqamlash seriyasini sozlang
 DocType: SMS Log,Requested Numbers,Talab qilingan raqamlar
 DocType: Volunteer,Evening,Oqshom
 DocType: Quiz,Quiz Configuration,Viktorina sozlamalari
@@ -1632,6 +1652,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Oldingi qatorda jami
 DocType: Purchase Invoice Item,Rejected Qty,Rad etilgan Qty
 DocType: Setup Progress Action,Action Field,Faoliyat maydoni
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Foizlar va foizlar stavkalari uchun kredit turi
 DocType: Healthcare Settings,Manage Customer,Xaridorni boshqaring
 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
@@ -1643,6 +1664,7 @@
 ,Final Assessment Grades,Yakuniy chiqishlar Baholari
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Ushbu tizimni o&#39;rnatayotgan kompaniyangizning nomi.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Dam olish kunlari jami no. Ish kunlari
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,Umumiy Jami foizdan
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Institutni ERP-matnida sozlang
 DocType: Agriculture Analysis Criteria,Plant Analysis,O&#39;simliklar tahlili
 DocType: Task,Timeline,Yilnoma
@@ -1650,9 +1672,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Muqobil ob&#39;ekt
 DocType: Shopify Log,Request Data,Ma&#39;lumotlarni so&#39;rash
 DocType: Employee,Date of Joining,Ishtirok etish sanasi
+DocType: Delivery Note,Inter Company Reference,Inter kompaniyasining ma&#39;lumotnomasi
 DocType: Naming Series,Update Series,Yangilash turkumi
 DocType: Supplier Quotation,Is Subcontracted,Subpudrat
 DocType: Restaurant Table,Minimum Seating,Minimal yashash joyi
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Savol takrorlanishi mumkin emas
 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,Purchase Receipt,Xarid qilish arizasi
@@ -1754,6 +1778,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Oflayn xaritalarni sinxronlash
 DocType: Payment Request,Paid,To&#39;langan
 DocType: Service Level,Default Priority,Birlamchi ustuvorlik
+DocType: Pledge,Pledge,Garov
 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."
@@ -1767,6 +1792,7 @@
 DocType: Guardian,Guardian Name,Guardian nomi
 DocType: Cheque Print Template,Has Print Format,Bosib chiqarish formati mavjud
 DocType: Support Settings,Get Started Sections,Boshlash bo&#39;limlari
+,Loan Repayment and Closure,Kreditni qaytarish va yopish
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-YYYYY.-
 DocType: Invoice Discounting,Sanctioned,Sanktsiya
 ,Base Amount,Baza miqdori
@@ -1777,10 +1803,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Joydan
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Kredit summasi {0} dan ko&#39;p bo&#39;lmasligi kerak
 DocType: Student Admission,Publish on website,Saytda e&#39;lon qiling
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Yetkazib beruvchi hisob-fakturasi sanasi yuborish kunidan kattaroq bo&#39;lishi mumkin emas
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-YYYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Element kodi&gt; Tovar guruhi&gt; Tovar
 DocType: Subscription,Cancelation Date,Bekor qilish sanasi
 DocType: Purchase Invoice Item,Purchase Order Item,Buyurtma Buyurtma Buyurtma
 DocType: Agriculture Task,Agriculture Task,Qishloq xo&#39;jaligi masalalari
@@ -1799,7 +1825,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Qo&#39;shimcha imtiyozli foiz
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Barcha yordam videoslarining ro&#39;yxatini ko&#39;ring
 DocType: Agriculture Analysis Criteria,Soil Texture,Tuproq to&#39;qimalari
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Hisobni topshirgan bank boshlig&#39;ini tanlang.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Foydalanuvchilarda narx-navo saviyasini operatsiyalarda o&#39;zgartirishga ruxsat bering
 DocType: Pricing Rule,Max Qty,Maks Qty
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Hisobot kartasini chop etish
@@ -1931,7 +1956,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Bir marta o&#39;rnatilgach, ushbu hisob-faktura belgilangan vaqtgacha kutib turiladi"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Sotish miqdori
-DocType: Repayment Schedule,Interest Amount,Foiz miqdori
+DocType: Loan Interest Accrual,Interest Amount,Foiz miqdori
 DocType: Job Card,Time Logs,Vaqt jurnallari
 DocType: Sales Invoice,Loyalty Amount,Sadoqat miqdori
 DocType: Employee Transfer,Employee Transfer Detail,Xodimlarning transferi bo&#39;yicha batafsil ma&#39;lumot
@@ -1946,6 +1971,7 @@
 DocType: Cashier Closing,Returns,Qaytishlar
 DocType: Job Card,WIP Warehouse,WIP ombori
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},No {0} seriyali parvarish shartnoma bo&#39;yicha {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Sanktsiyalangan miqdor cheklovi {0} {1} uchun o&#39;tdi
 apps/erpnext/erpnext/config/hr.py,Recruitment,Ishga olish
 DocType: Lead,Organization Name,Tashkilot nomi
 DocType: Support Settings,Show Latest Forum Posts,Oxirgi forum yozuvlarini ko&#39;rsatish
@@ -1972,7 +1998,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,Buyurtma buyurtma qilish muddati kechiktirilgan
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,Pochta indeksi
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Savdo Buyurtma {0} - {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Aktsiyalarni kiritish
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Ishtirokchi maqomini chapga targ&#39;ib qila olmaydi
@@ -2056,7 +2081,6 @@
 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,Start Year,Boshlanish yili
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Kredit yaratish
 DocType: Purchase Invoice,Start date of current invoice's period,Joriy hisob-kitob davri boshlanish sanasi
 DocType: Shift Type,Process Attendance After,Jarayonga keyin
 ,IRS 1099,IRS 1099
@@ -2077,6 +2101,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Domenlaringizni tanlang
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Ta&#39;minlovchini xarid qiling
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,To&#39;lov billing elementlari
+DocType: Repayment Schedule,Is Accrued,Hisoblangan
 DocType: Payroll Entry,Employee Details,Xodimlarning tafsilotlari
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML fayllarini qayta ishlash
 DocType: Amazon MWS Settings,CN,CN
@@ -2108,6 +2133,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Sadoqat nuqtasi yozuvi
 DocType: Employee Checkin,Shift End,Shift tugashi
 DocType: Stock Settings,Default Item Group,Standart element guruhi
+DocType: Loan,Partially Disbursed,Qisman to&#39;langan
 DocType: Job Card Time Log,Time In Mins,Muddatli vaqt
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Grant haqida ma&#39;lumot.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ushbu amal ERPNext-ni bank hisoblaringiz bilan birlashtiradigan har qanday tashqi xizmatdan ajratadi. Buni ortga qaytarib bo‘lmaydi. Ishonasizmi?
@@ -2123,6 +2149,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,Xuddi shu element bir necha marta kiritilmaydi.
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"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: Loan Repayment,Loan Closure,Kreditni yopish
 DocType: Call Log,Lead,Qo&#39;rg&#39;oshin
 DocType: Email Digest,Payables,Qarzlar
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2155,6 +2182,7 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON faqat taqdim qilingan hujjat asosida yaratilishi mumkin
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Xodimlarga soliq va imtiyozlar
 DocType: Bank Guarantee,Validity in Days,Kunlarning amal qilish muddati
+DocType: Unpledge,Haircut,Soch kesish
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-formasi Billing uchun qo&#39;llanilmaydi: {0}
 DocType: Certified Consultant,Name of Consultant,Konsultantning nomi
 DocType: Payment Reconciliation,Unreconciled Payment Details,Bevosita to&#39;lov ma&#39;lumoti
@@ -2207,7 +2235,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Dunyoning qolgan qismi
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,{0} bandda partiyalar mavjud emas
 DocType: Crop,Yield UOM,Hosildorlik
+DocType: Loan Security Pledge,Partially Pledged,Qisman garovga qo&#39;yilgan
 ,Budget Variance Report,Byudjet o&#39;zgaruvchilari hisoboti
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Sanktsiyalangan kredit miqdori
 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,Get Items from Healthcare Services,Sog&#39;liqni saqlash xizmatidan ma&#39;lumotlar oling
@@ -2242,6 +2272,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Yangi sifat tartibi
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Hisob uchun {0} muvozanat har doim {1} bo&#39;lishi kerak
 DocType: Patient Appointment,More Info,Qo&#39;shimcha ma&#39;lumot
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Tug&#39;ilgan sana qo&#39;shilish sanasidan oshib ketmasligi kerak.
 DocType: Supplier Scorecard,Scorecard Actions,Scorecard faoliyati
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Yetkazib beruvchi {0} {1} da topilmadi
 DocType: Purchase Invoice,Rejected Warehouse,Rad etilgan ombor
@@ -2338,6 +2369,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,Avval Mahsulot kodini o&#39;rnating
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc turi
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Kredit xavfsizligi garovi yaratilgan: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Uchrashuvlar va bemor uchrashuvlari
@@ -2393,6 +2425,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Bir vaqtning o&#39;zida tayinlanganlar soni
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Ishni boshlash
 DocType: Purchase Invoice,Taxes and Charges Calculation,Soliqlar va hisob-kitoblarni hisoblash
+DocType: Loan Interest Accrual,Payable Principal Amount,To&#39;lanadigan asosiy summa
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Kitob aktivlarining amortizatsiyasini avtomatik tarzda kiritish
 DocType: BOM Operation,Workstation,Ish stantsiyani
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,Buyurtma beruvchi etkazib beruvchisi
@@ -2429,7 +2462,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Ovqat
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Qarish oralig&#39;i 3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Qalin yopish voucher tafsilotlari
-DocType: Bank Account,Is the Default Account,Standart hisob
 DocType: Shopify Log,Shopify Log,Jurnalni xarid qilish
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Hech qanday aloqa topilmadi.
 DocType: Inpatient Occupancy,Check In,Belgilanish
@@ -2487,12 +2519,14 @@
 DocType: Sales Order Item,Planned Quantity,Rejalashtirilgan miqdori
 DocType: Water Analysis,Water Analysis Criteria,Suv tahlil mezonlari
 DocType: Item,Maintain Stock,Qimmatli qog&#39;ozlar bozori
+DocType: Loan Security Unpledge,Unpledge Time,Bekor qilish vaqti
 DocType: Terms and Conditions,Applicable Modules,Qo&#39;llaniladigan modullar
 DocType: Employee,Prefered Email,Tanlangan elektron pochta
 DocType: Student Admission,Eligibility and Details,Imtiyoz va tafsilotlar
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Yalpi foyda ichiga kiritilgan
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Ruxsat etilgan aktivlardagi aniq o&#39;zgarish
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Bu oxirgi mahsulot saqlanadigan joy.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Maks: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime&#39;dan
@@ -2533,8 +2567,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Kafolat / AMC Status
 ,Accounts Browser,Hisoblar brauzeri
 DocType: Procedure Prescription,Referral,Yuborish
+,Territory-wise Sales,Mintaqani oqilona sotish
 DocType: Payment Entry Reference,Payment Entry Reference,To&#39;lov uchun ariza namunasi
 DocType: GL Entry,GL Entry,GL Kirish
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,# {0} qatori: qabul qilingan ombor va etkazib beruvchi ombor bir xil bo&#39;lmasligi mumkin
 DocType: Support Search Source,Response Options,Javob imkoniyatiga ega
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Bir nechta narx qoidalarini qo&#39;llang
 DocType: HR Settings,Employee Settings,Xodimlarning sozlashlari
@@ -2592,6 +2628,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Qishloq xo&#39;jaligi (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Qoplamali sumkasi
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Iltimos, sozlash&gt; Sozlamalar&gt; Nomlash seriyalari orqali {0} uchun nomlash seriyasini o&#39;rnating"
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Ofis ijarasi
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS-gateway sozlamalarini to&#39;g&#39;rilash
 DocType: Disease,Common Name,Umumiy nom
@@ -2608,6 +2645,7 @@
 DocType: Item,Sales Details,Sotish tafsilotlari
 DocType: Coupon Code,Used,Ishlatilgan
 DocType: Opportunity,With Items,Mahsulotlar bilan
+DocType: Vehicle Log,last Odometer Value ,oxirgi Odometr qiymati
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',&quot;{0}&quot; kampaniyasi {1} &#39;{2}&#39; uchun allaqachon mavjud
 DocType: Asset Maintenance,Maintenance Team,Xizmat jamoasi
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Qaysi bo&#39;limlar paydo bo&#39;lishi kerakligini buyurtma qiling. 0 birinchi, 1 ikkinchi va hokazo."
@@ -2618,7 +2656,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Avtomobil logi uchun {0} xarajat talabi allaqachon mavjud
 DocType: Asset Movement Item,Source Location,Manba joylashuvi
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institutning nomi
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,To&#39;lov miqdorini kiriting
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,To&#39;lov miqdorini kiriting
 DocType: Shift Type,Working Hours Threshold for Absent,Ish vaqti yo&#39;qligi uchun eng yuqori chegara
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,O&#39;tkazilgan jami sarf-xarajatlar asosida bir necha bosqichli yig&#39;ish omili bo&#39;lishi mumkin. Lekin to&#39;lovni qabul qilish faktori barcha qatlam uchun hamisha bir xil bo&#39;ladi.
 apps/erpnext/erpnext/config/help.py,Item Variants,Variant variantlari
@@ -2642,6 +2680,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} {2} dan kichik bo‘lishi kerak
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Avval Arizachi turini tanlang
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty va ombor uchun tanlang"
 DocType: GST HSN Code,GST HSN Code,GST HSN kodi
 DocType: Employee External Work History,Total Experience,Umumiy tajriba
@@ -2732,7 +2771,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",{0} elementi uchun faol BOM topilmadi. \ Serial No orqali etkazib bo&#39;lmaydi
 DocType: Sales Partner,Sales Partner Target,Savdo hamkorining maqsadi
-DocType: Loan Type,Maximum Loan Amount,Maksimal kredit summasi
+DocType: Loan Application,Maximum Loan Amount,Maksimal kredit summasi
 DocType: Coupon Code,Pricing Rule,Raqobatchilar qoidasi
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Talabalar uchun {0}
 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Buyurtma buyurtmasiga buyurtma berish
@@ -2755,6 +2794,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},{0} uchun muvaffaqiyatli tarzda ajratilgan qoldirilganlar
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,To&#39;plam uchun hech narsa yo&#39;q
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Hozirda faqat .csv va .xlsx fayllari ishlaydi
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Iltimos, xodimlarni nomlash tizimini inson resurslari&gt; Kadrlar sozlamalarida o&#39;rnating"
 DocType: Shipping Rule Condition,From Value,Qiymatdan
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Ishlab chiqarish miqdori majburiydir
 DocType: Loan,Repayment Method,Qaytarilish usuli
@@ -2836,6 +2876,7 @@
 DocType: Customer,Customer POS Id,Xaridor QO&#39;ShI Id
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,{0} elektron pochtasi bo&#39;lgan talaba mavjud emas
 DocType: Account,Account Name,Hisob nomi
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Sanksiya qilingan kredit miqdori {1} kompaniyasiga qarshi {0} uchun allaqachon mavjud
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Sana Sana&#39;dan ko&#39;ra kattaroq bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Seriya No {0} miqdori {1} bir qism emas
 DocType: Pricing Rule,Apply Discount on Rate,Narx bo&#39;yicha chegirmalarni qo&#39;llang
@@ -2907,6 +2948,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Sof foyda
 DocType: Purchase Invoice,Eligibility For ITC,ITC uchun muvofiqlik
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-YYYYY.-
+DocType: Loan Security Pledge,Unpledged,Ishlov berilmagan
 DocType: Journal Entry,Entry Type,Kirish turi
 ,Customer Credit Balance,Xaridorlarning kredit balansi
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,To&#39;lanadigan qarzlarning sof o&#39;zgarishi
@@ -2918,6 +2960,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Ishtirok etish moslamasi identifikatori (Biometrik / RF yorlig&#39;i identifikatori)
 DocType: Quotation,Term Details,Terim detallari
 DocType: Item,Over Delivery/Receipt Allowance (%),Yetkazib berish / qabul qilish orqali ruxsat (%)
+DocType: Appointment Letter,Appointment Letter Template,Uchrashuv xatining shabloni
 DocType: Employee Incentive,Employee Incentive,Ishchilarni rag&#39;batlantirish
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Hammasi bo&#39;lib (soliqsiz)
@@ -2940,6 +2983,7 @@
 					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."
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Billingni bekor qilish bo&#39;yicha to&#39;lovni uzish
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Kredit bo&#39;yicha foizlarni hisoblash jarayoni
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Qo`yilgan O`chiratkichni o`zgartirishni o`zgartirish dastlabki Avtomobil Odometridan {0}
 ,Purchase Order Items To Be Received or Billed,Qabul qilinishi yoki to&#39;ldirilishi kerak bo&#39;lgan buyurtma buyumlari
 DocType: Restaurant Reservation,No Show,Ko&#39;rish yo&#39;q
@@ -3025,6 +3069,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: &quot;Qor va ziyon&quot; hisobiga {2} uchun xarajatlar markazi talab qilinadi. Iltimos, Kompaniya uchun standart narx markazini o&#39;rnating."
 DocType: Payment Schedule,Payment Term,To&#39;lov muddati
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Xaridorlar guruhi shu nom bilan mavjud bo&#39;lib, xaridor nomini o&#39;zgartiring yoki xaridorlar guruhini o&#39;zgartiring"
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Qabulni tugatish sanasi qabulning boshlanish sanasidan katta bo&#39;lishi kerak.
 DocType: Location,Area,Hudud
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Yangi kontakt
 DocType: Company,Company Description,Kompaniya tavsifi
@@ -3099,6 +3144,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Maplangan ma&#39;lumotlar
 DocType: Purchase Order Item,Warehouse and Reference,QXI va Yo&#39;naltiruvchi
 DocType: Payroll Period Date,Payroll Period Date,Ish haqi muddati
+DocType: Loan Disbursement,Against Loan,Qarzga qarshi
 DocType: Supplier,Statutory info and other general information about your Supplier,Ta&#39;minlovchingiz haqidagi qonuniy ma&#39;lumotlar va boshqa umumiy ma&#39;lumotlar
 DocType: Item,Serial Nos and Batches,Seriya nos va paketlar
 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Talabalar guruhining kuchi
@@ -3165,6 +3211,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Kompaniyani tanlang
 DocType: Delivery Settings,Delivery Settings,Yetkazib berish sozlamalari
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ma&#39;lumotlarni olish
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},{0} qidan {0} dan ko&#39;pini olib tashlab bo&#39;lmaydi
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},{0} turidagi ruxsat etilgan maksimal ruxsatnoma {1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 ta mahsulotni nashr qiling
 DocType: SMS Center,Create Receiver List,Qabul qiluvchining ro&#39;yxatini yaratish
@@ -3312,6 +3359,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Asosiy miqdor (Kompaniya valyutasi)
 DocType: Purchase Invoice,Registered Regular,Ro&#39;yxatdan o&#39;tgan muntazam
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Xom ashyolar
+DocType: Plaid Settings,sandbox,qum qutisi
 DocType: Payment Reconciliation Payment,Reference Row,Reference Row
 DocType: Installation Note,Installation Time,O&#39;rnatish vaqti
 DocType: Sales Invoice,Accounting Details,Hisobot tafsilotlari
@@ -3324,12 +3372,11 @@
 DocType: Leave Ledger Entry,Transaction Type,Jurnal turi
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,Qabul shartlari
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Iltimos, yuqoridagi jadvalda Materiallar talablarini kiriting"
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,To&#39;lanadigan qarz miqdori
 DocType: Task,Expected Time (in hours),Kutilgan vaqt (soatda)
 DocType: Item Reorder,Check in (group),Kirish (guruh)
 DocType: Soil Texture,Silt,Silt
@@ -3360,6 +3407,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Belgilangan soliq imtiyozlarini tasdiqlash uchun olinadigan soliq
 DocType: Volunteer,Anytime,Har doim
 DocType: Bank Account,Bank Account No,Bank hisob raqami
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,To&#39;lash va to&#39;lash
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Ish beruvchi soliq imtiyozlari tasdiqlash
 DocType: Patient,Surgical History,Jarrohlik tarixi
 DocType: Bank Statement Settings Item,Mapped Header,Joylashtirilgan sarlavha
@@ -3423,6 +3471,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Savdo shkalasi bo&#39;yicha sinov laboratoriyasini yaratish
 DocType: Serial No,Invoice Details,Faktura tafsilotlari
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Ish haqi tarkibi soliq imtiyozlari deklaratsiyasini topshirishdan oldin topshirilishi kerak
+DocType: Loan Application,Proposed Pledges,Taklif qilingan garovlar
 DocType: Grant Application,Show on Website,Saytda ko&#39;rsatish
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Boshlang
 DocType: Hub Tracked Item,Hub Category,Hub-toifa
@@ -3434,7 +3483,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Yetkazib beruvchi Koreya kartasi
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Mahsulot {1} uchun topilmadi.
 DocType: Contract Fulfilment Checklist,Requirement,Talab
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Iltimos, xodimlarni nomlash tizimini inson resurslari&gt; Kadrlar sozlamalarida o&#39;rnating"
 DocType: Journal Entry,Accounts Receivable,Kutilgan tushim
 DocType: Quality Goal,Objectives,Maqsadlar
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Kechiktirilgan ta&#39;til arizasini yaratishga ruxsat berilgan rol
@@ -3447,6 +3495,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Muvofiqlashtiriladigan yozuvlarni qo&#39;shing
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Ajratilgan umumiy miqdor ({0}) to&#39;langan summadan ({1}) oshib ketgan.
 DocType: Landed Cost Voucher,Distribute Charges Based On,To&#39;lov asosida to&#39;lovlarni taqsimlash
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},To&#39;langan miqdor {0} dan kam bo&#39;lmasligi kerak
 DocType: Projects Settings,Timesheets,Vaqt jadvallari
 DocType: HR Settings,HR Settings,HRni sozlash
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Buxgalteriya ustalari
@@ -3592,6 +3641,7 @@
 DocType: Employee,Health Insurance,Tibbiy sug&#39;urta
 DocType: Asset Repair,Manufacturing Manager,Ishlab chiqarish menejeri
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Har qanday {0} gacha {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Kredit summasi taklif qilingan qimmatli qog&#39;ozlarga ko&#39;ra kreditning maksimal miqdoridan {0} dan ko&#39;pdir
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimal ruxsat qiymati
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,{0} foydalanuvchisi allaqachon mavjud
 apps/erpnext/erpnext/hooks.py,Shipments,Yuklar
@@ -3635,7 +3685,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Biznes turi
 DocType: Sales Invoice,Consumer,Iste&#39;molchi
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Iltimos, atigi bir qatorda ajratilgan miqdori, hisob-faktura turi va hisob-faktura raqami-ni tanlang"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,"Iltimos, sozlash&gt; Sozlamalar&gt; Nomlash seriyalari orqali {0} uchun nomlash seriyasini o&#39;rnating"
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Yangi xarid qiymati
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},{0} band uchun zarur Sotuvdagi Buyurtma
 DocType: Grant Application,Grant Description,Grantlar tavsifi
@@ -3644,6 +3693,7 @@
 DocType: Subscription,Discounts,Chegirmalar
 DocType: Bank Transaction,Unallocated Amount,Dividendlar miqdori
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,"Iltimos, Buyurtma buyurtmasi bo&#39;yicha amal qilishi mumkin va Rezervasyon haqiqiy xarajatlarga nisbatan qo&#39;llaniladi"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} kompaniyaning bank hisobi emas
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Mos keladigan elementni topib bo&#39;lmadi. {0} uchun boshqa qiymatni tanlang.
 DocType: POS Profile,Taxes and Charges,Soliqlar va yig&#39;imlar
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Xarid qilingan, sotiladigan yoki sotiladigan mahsulot yoki xizmat."
@@ -3692,6 +3742,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Kiritilgan sana amaldagi Upto DATE dan kamroq bo&#39;lishi kerak.
 DocType: Employee Skill,Evaluation Date,Baholash sanasi
 DocType: Quotation Item,Stock Balance,Kabinetga balansi
+DocType: Loan Security Pledge,Total Security Value,Umumiy xavfsizlik qiymati
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sotish Buyurtma To&#39;lovi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Bosh ijrochi direktor
 DocType: Purchase Invoice,With Payment of Tax,Soliq to&#39;lash bilan
@@ -3704,6 +3755,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},{1} boshqaruv panelida {0} hisobi mavjud emas.
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Variant xususiyatlarini ko&#39;rsatish
@@ -3785,6 +3837,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Joriy baholash darajasi
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Ildiz hisoblarining soni 4 tadan kam bo&#39;lmasligi kerak
 DocType: Training Event,Advance,Advance
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Qarzga qarshi:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardsiz to&#39;lov shluzi sozlamalari
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Almashinish / Zarar
 DocType: Opportunity,Lost Reason,Yo&#39;qotilgan sabab
@@ -3868,8 +3921,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Partiya no. Ni tanlang
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Noto&#39;g&#39;ri {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,{0} satri: Qarindosh tug&#39;ilgan sana bugungi kundan katta bo&#39;lishi mumkin emas.
 DocType: Fee Validity,Reference Inv,Malumot
 DocType: Sales Invoice Advance,Advance Amount,Advance miqdori
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Bir kun uchun foiz stavkasi (%)
 DocType: Manufacturing Settings,Capacity Planning,Imkoniyatlarni rejalashtirish
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Dumaloq tuzatish (Kompaniya valyutasi
 DocType: Asset,Policy number,Siyosat raqami
@@ -3885,7 +3940,9 @@
 DocType: Normal Test Items,Require Result Value,Natijada qiymat talab qiling
 DocType: Purchase Invoice,Pricing Rules,Narxlarni belgilash qoidalari
 DocType: Item,Show a slideshow at the top of the page,Sahifaning yuqori qismidagi slayd-shouni ko&#39;rsatish
+DocType: Appointment Letter,Body,Tanasi
 DocType: Tax Withholding Rate,Tax Withholding Rate,Soliqni ushlab turish darajasi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,To&#39;lovni boshlash muddati muddatli kreditlar uchun majburiydir
 DocType: Pricing Rule,Max Amt,Maks Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Do&#39;konlar
@@ -3905,7 +3962,7 @@
 DocType: Call Log,Received By,Tomonidan qabul qilingan
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Uchrashuvning davomiyligi (daqiqada)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pul oqimi xaritalash shablonini tafsilotlar
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Kreditni boshqarish
+DocType: Loan,Loan Management,Kreditni boshqarish
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Mahsulot vertikal yoki bo&#39;linmalari uchun alohida daromad va xarajatlarni izlang.
 DocType: Rename Tool,Rename Tool,Vositachi nomini o&#39;zgartirish
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Narxni yangilash
@@ -3913,6 +3970,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B-shakl
 DocType: Sales Invoice,Mode of Transport,Tashish tartibi
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Ish haqi slipini ko&#39;rsatish
+DocType: Loan,Is Term Loan,Muddatli kredit
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Transfer materiallari
 DocType: Fees,Send Payment Request,To&#39;lov talabnomasini yuboring
 DocType: Travel Request,Any other details,Boshqa tafsilotlar
@@ -3930,6 +3988,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Moliyadan pul oqimi
 DocType: Budget Account,Budget Account,Byudjet hisobi
 DocType: Quality Inspection,Verified By,Tasdiqlangan
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Kredit xavfsizligini qo&#39;shing
 DocType: Travel Request,Name of Organizer,Tashkilotchi nomi
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kompaniya amaldagi valyutani o&#39;zgartira olmaydi, chunki mavjud bitimlar mavjud. Standart valyutani o&#39;zgartirish uchun bitimlar bekor qilinadi."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Daromad solig&#39;i bo&#39;yicha javobgarlik
@@ -3980,6 +4039,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Majburiy On
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Agar belgilansa, &quot;Ish haqi&quot; dagi &quot;yuvarlatilgan&quot; maydonini yashiradi va o&#39;chiradi"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Bu Sotish Buyurtmalarida etkazib berish sanasi uchun odatiy hisob-kitob (kunlar). Qayta tiklash qiymati buyurtma berilgan kundan boshlab 7 kun.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Iltimos Setup&gt; Raqamlash seriyalari orqali qatnashish uchun raqamlash seriyasini sozlang
 DocType: Rename Tool,File to Rename,Qayta nomlash uchun fayl
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Iltimos, Row {0} qatori uchun BOM-ni tanlang"
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Obunani yangilang
@@ -3992,6 +4052,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Seriya raqamlari yaratildi
 DocType: POS Profile,Applicable for Users,Foydalanuvchilar uchun amal qiladi
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Sana va sanadan boshlab majburiydir
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,{0} holatiga Loyiha va barcha vazifalarni o&#39;rnatish kerakmi?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Avanslarni belgilash va ajratish (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Ish buyurtmalari yaratilmagan
@@ -4001,6 +4062,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Mualliflar tomonidan
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Xarid qilingan buyumlarning narxi
 DocType: Employee Separation,Employee Separation Template,Xodimlarni ajratish shabloni
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},{0} kredit uchun garovga qo&#39;yilgan {0}
 DocType: Selling Settings,Sales Order Required,Savdo buyurtmasi kerak
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Sotuvchi bo&#39;l
 ,Procurement Tracker,Xaridlarni kuzatuvchi
@@ -4098,11 +4160,12 @@
 ,Minutes to First Response for Opportunity,Imkoniyatlar uchun birinchi javob daqiqalari
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Hammasi yo&#39;q
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,{0} satriga yoki odatdagi materialga Material talabiga mos kelmaydi
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,To&#39;lanadigan miqdor
+DocType: Loan Repayment,Payable Amount,To&#39;lanadigan miqdor
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Imkoniyat
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Maksimal quvvat noldan kam bo&#39;lmasligi kerak.
 DocType: Options,Option,Variant
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Siz yopiq hisobot davrida buxgalteriya yozuvlarini yaratolmaysiz {0}
 DocType: Operation,Default Workstation,Standart ish stantsiyani
@@ -4144,6 +4207,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Foiz summasi majburiydir
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Keyingi qadamlar
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Saqlangan narsalar
@@ -4194,8 +4258,6 @@
 DocType: Grant Application,Grant Application Details ,Dastur haqida batafsil ma&#39;lumot
 DocType: Employee Separation,Employee Separation,Xodimlarni ajratish
 DocType: BOM Item,Original Item,Asl modda
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Ushbu hujjatni bekor qilish uchun <a href=""#Form/Employee/{0}"">{0}</a> \ xodimini o&#39;chiring"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc tarixi
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Yaratilgan yozuvlar - {0}
 DocType: Asset Category Account,Asset Category Account,Aktiv turkumidagi hisob
@@ -4231,6 +4293,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,{0} laboratoriya sinov elementi allaqachon mavjud
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} kompaniya bayramidir
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,To‘lov vaqti
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,"To&#39;lov kechiktirilgan taqdirda, har kuni to&#39;lanadigan foizlar miqdorida penyalar foiz stavkasi olinadi"
+DocType: Appointment Letter content,Appointment Letter content,Uchrashuv xatining tarkibi
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Vaziyat bayonnomasini qoldiring
 DocType: Patient Appointment,Procedure Prescription,Protsedura sarlavhalari
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Mebel va anjomlar
@@ -4250,7 +4314,7 @@
 DocType: Opportunity,Customer / Lead Name,Xaridor / qo&#39;rg&#39;oshin nomi
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Bo&#39;shatish tarixi eslatma topilmadi
 DocType: Payroll Period,Taxable Salary Slabs,Soliqqa tortiladigan ish haqi plitalari
-DocType: Job Card,Production,Ishlab chiqarish
+DocType: Plaid Settings,Production,Ishlab chiqarish
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Noto‘g‘ri GSTIN! Siz kiritgan kirish GSTIN formatiga mos kelmadi.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Hisob qiymati
 DocType: Guardian,Occupation,Kasbingiz
@@ -4392,6 +4456,7 @@
 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,Student {0} does not belong to group {1},Shogird {0} {1} guruhiga tegishli emas
+DocType: Appointment Letter,Appointment Date,Uchrashuv sanasi
 DocType: Budget,Cost Center,Xarajat markazi
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Voucher #
 DocType: Tax Rule,Shipping Country,Yuk tashish davlati
@@ -4462,6 +4527,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Buxgalteriya o&#39;lchami
 ,Profit and Loss Statement,Qor va ziyon bayonnomasi
 DocType: Bank Reconciliation Detail,Cheque Number,Raqamni tekshiring
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,To&#39;langan miqdor nolga teng bo&#39;lmaydi
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0} - {1} tomonidan havola qilingan element allaqachon faturalanmıştır
 ,Sales Browser,Sotuvlar brauzeri
 DocType: Journal Entry,Total Credit,Jami kredit
@@ -4566,6 +4632,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Kupon shartlarini qo&#39;shish / tahrirlash
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Xarajatlar / farq statistikasi ({0}) &quot;Qor yoki ziyon&quot; hisobiga bo&#39;lishi kerak
 DocType: Stock Entry Detail,Stock Entry Child,Stokga kirish bolasi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Kredit xavfsizligi garov kompaniyasi va kredit kompaniyasi bir xil bo&#39;lishi kerak
 DocType: Project,Copied From,Ko&#39;chirildi
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Hisob-faktura barcha hisob-kitob soatlarida yaratilgan
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Ism xato: {0}
@@ -4573,6 +4640,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Moliya narximi?
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Xodimga ({0} davomi allaqachon belgilangan
 DocType: Packing Slip,If more than one package of the same type (for print),Agar bir xil turdagi bir nechta paketi (chop etish uchun)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Iltimos, Ta&#39;lim beruvchiga nom berish tizimini Ta&#39;lim sozlamalarida o&#39;rnating"
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Restoran sozlamalarida standart mijozni tanlang
 ,Salary Register,Ish haqi registrati
 DocType: Company,Default warehouse for Sales Return,Sotishni qaytarish uchun odatiy ombor
@@ -4617,7 +4685,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Hozirgi seriya raqami
 DocType: Employee,Attendance and Leave Details,Qatnashish va tark etish tafsilotlari
 ,BOM Comparison Tool,BOM taqqoslash vositasi
-,Requested,Talab qilingan
+DocType: Loan Security Pledge,Requested,Talab qilingan
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4629,7 +4697,6 @@
 DocType: Drug Prescription,Drug Prescription,Dori retsepti
 DocType: Service Level,Support and Resolution,Qo&#39;llab-quvvatlash va qaror
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Bepul mahsulot kodi tanlanmagan
-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
@@ -4663,6 +4730,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Siz allaqachon baholash mezonlari uchun baholagansiz {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Kamchilik miqdori
 DocType: Vehicle Service,Engine Oil,Motor moyi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Yaratilgan ishlar: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Etakchi {0} uchun e-pochta identifikatorini kiriting.
@@ -4681,6 +4749,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Hisoblash jadvali {0} jadvalida o&#39;rnatilmagan
 DocType: Purchase Invoice,Apply Additional Discount On,Qo&#39;shimcha imtiyozni yoqish
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Turini tanlang ...
+DocType: Loan Interest Accrual,Amounts,Miqdor
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Sizning chiptalaringiz
 DocType: Account,Root Type,Ildiz turi
 DocType: Item,FIFO,FIFO
@@ -4688,6 +4757,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},{0} qatori: {1} dan ortiq {2}
 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: Loan Security Price,Loan Security Price,Kredit kafolati narxi
 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,Target warehouse is mandatory for row {0},Nishon ombor {0} satr uchun majburiydir.
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Chakana operatsiyalar
@@ -4826,6 +4896,7 @@
 DocType: Coupon Code,Coupon Description,Kupon tavsifi
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},{0} qatorida paketli bo&#39;lish kerak
 DocType: Company,Default Buying Terms,Odatiy sotib olish shartlari
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Kreditni to&#39;lash
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Qabul qilish uchun ma&#39;lumot elementi yetkazib berildi
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Jadvaldagi sinxronlashni yoqish
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime-ga
@@ -4854,6 +4925,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0} va {1} oralig&#39;idagi qiymatni kiriting
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"So&#39;rovnomaning manbasi kampaniya bo&#39;lsa, kampaniyaning nomini kiriting"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Gazeta nashriyoti
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},{0} uchun <b>kredit kafolati narxi</b> topilmadi.
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Kelgusi sanalar ruxsat etilmaydi
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Kutilayotgan etkazib berish sanasi Sotuvdagi Buyurtma tarixidan keyin bo&#39;lishi kerak
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Tartibni qayta tartibga solish
@@ -4920,6 +4992,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,Taklif / narx taklifi
 DocType: Antibiotic,Healthcare,Sog&#39;liqni saqlash
 DocType: Target Detail,Target Detail,Maqsad tafsilotlari
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,Kredit jarayonlari
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Bitta variant
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Barcha ishlar
 DocType: Sales Order,% of materials billed against this Sales Order,Ushbu Buyurtma Buyurtma uchun taqdim etilgan materiallarning%
@@ -4982,7 +5055,7 @@
 DocType: Item,Reorder level based on Warehouse,Qoidalarga asoslangan qayta tartiblash
 DocType: Activity Cost,Billing Rate,Billing darajasi
 ,Qty to Deliver,Miqdorni etkazish
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,To&#39;lov yozuvini yarating
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,To&#39;lov yozuvini yarating
 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,Operations cannot be left blank,Operatsiyalarni bo&#39;sh qoldirib bo&#39;lmaydi
@@ -5016,6 +5089,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Tashqi integratsiyani ajratish
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Tegishli to&#39;lovni tanlang
 DocType: Pricing Rule,Item Code,Mahsulot kodi
+DocType: Loan Disbursement,Pending Amount For Disbursal,To&#39;lash uchun kutilayotgan miqdor
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-YYYYY.-
 DocType: Serial No,Warranty / AMC Details,Kafolat / AMC tafsilotlari
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Faoliyatga asoslangan guruh uchun talabalarni qo&#39;lda tanlang
@@ -5039,6 +5113,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Miqdor jami
 DocType: Landed Cost Item,Receipt Document,Qabul hujjati
 DocType: Employee Education,School/University,Maktab / Universitet
+DocType: Loan Security Pledge,Loan  Details,Kredit haqida ma&#39;lumot
 DocType: Sales Invoice Item,Available Qty at Warehouse,Mavjud QXI da
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,To&#39;lov miqdori
 DocType: Share Transfer,(including),(shu jumladan)
@@ -5062,6 +5137,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Guruhlar
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Hisobga ko&#39;ra guruh
 DocType: Purchase Invoice,Hold Invoice,Billingni ushlab turing
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Garov holati
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,"Iltimos, Ishchi-ni tanlang"
 DocType: Sales Order,Fully Delivered,To&#39;liq topshirildi
 DocType: Promotional Scheme Price Discount,Min Amount,Minimal miqdor
@@ -5071,7 +5147,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},Ish haqi miqdori Kredit summasidan katta bo&#39;lishi mumkin emas {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} # Ajratilgan miqdor {1} da&#39;vo qilinmagan miqdordan ortiq bo&#39;lmasligi mumkin {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},{0} band uchun xaridni tartib raqami talab qilinadi
 DocType: Leave Allocation,Carry Forwarded Leaves,Qayta yuborilgan barglarni olib boring
@@ -5099,6 +5174,7 @@
 DocType: Pick List Item,Serial No and Batch,Seriya raqami va to&#39;plami
 DocType: Warranty Claim,From Company,Kompaniyadan
 DocType: GSTR 3B Report,January,Yanvar
+DocType: Loan Repayment,Principal Amount Paid,To&#39;langan asosiy miqdor
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Ko&#39;rib chiqishlar kriterlarining yig&#39;indisi {0} bo&#39;lishi kerak.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Iltimos, ko&#39;rsatilgan Amortizatsiya miqdorini belgilang"
 DocType: Supplier Scorecard Period,Calculations,Hisoblashlar
@@ -5124,6 +5200,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Sizning kompaniyangiz haqida
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Birja qarishi haqidagi ma&#39;lumotni ko&#39;rsatish
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Hisobga olish uchun Hisob balansi yozuvi bo&#39;lishi kerak
+DocType: Loan Repayment,Penalty Amount,Jarima miqdori
 DocType: Donor,Donor,Donor
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Soliqlar uchun soliqlarni yangilang
 DocType: Global Defaults,Disable In Words,So&#39;zlarda o&#39;chirib qo&#39;yish
@@ -5154,6 +5231,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Xarajatlar markazi va byudjetlashtirish
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Balansni muomalaga kiritish
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Qisman pulli kirish
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Iltimos, to&#39;lov jadvalini o&#39;rnating"
 DocType: Pick List,Items under this warehouse will be suggested,Ushbu ombor ostidagi narsalar taklif qilinadi
 DocType: Purchase Invoice,N,N
@@ -5187,7 +5265,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} elementi uchun {0} topilmadi
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Qiymat {0} va {1} orasida bo‘lishi kerak
 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,"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,Message Sent,Xabar yuborildi
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,"Bola düğümleri bo&#39;lgan hisob, kitoblar sifatida ayarlanamaz"
 DocType: C-Form,II,II
@@ -5201,6 +5278,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Avtomatik buyurtmani yoqish
 DocType: Stock Settings,Item Naming By,Nomlanishi nomga ega
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},Boshqa bir davrni yopish {0} {1}
+DocType: Proposed Pledge,Proposed Pledge,Taklif qilingan garov
 DocType: Work Order,Material Transferred for Manufacturing,Ishlab chiqarish uchun mo&#39;ljallangan material
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Hisob {0} mavjud emas
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Sadoqat dasturini tanlang
@@ -5211,7 +5289,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Tadbirlarni {0} ga sozlash, chunki quyida ko&#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
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Resurslar va maqsadli omborlar boshqacha bo&#39;lishi kerak
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,"Iltimos, xodimlarni nomlash tizimini inson resurslari&gt; Kadrlar sozlamalarida o&#39;rnating"
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"To&#39;lov amalga oshmadi. Iltimos, batafsil ma&#39;lumot uchun GoCardsiz hisobingizni tekshiring"
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} dan katta aktsiyalarini yangilash uchun ruxsat berilmadi
 DocType: Stock Entry,Inspection Required,Tekshirish kerak
@@ -5224,6 +5301,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},{0} aksessuarlari uchun yetkazib berish ombori
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Paketning umumiy og&#39;irligi. Odatda aniq og&#39;irlik + qadoqlash materialining og&#39;irligi. (chop etish uchun)
 DocType: Assessment Plan,Program,Dastur
+DocType: Unpledge,Against Pledge,Garovga qarshi
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Ushbu rolga ega foydalanuvchilar muzlatilgan hisoblarni o&#39;rnatish va muzlatilgan hisoblarga qarshi buxgalter yozuvlarini yaratish / o&#39;zgartirishga ruxsat beriladi
 DocType: Plaid Settings,Plaid Environment,Pleid muhiti
 ,Project Billing Summary,Loyihani taqdim etish bo&#39;yicha qisqacha ma&#39;lumot
@@ -5275,6 +5353,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Kassalar
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Uchrashuv kunlarini oldindan buyurtma qilish mumkin
 DocType: Article,LMS User,LMS foydalanuvchisi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Kredit ta&#39;minoti uchun garov garovidir
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Ta&#39;minot joyi (Shtat / UT)
 DocType: Purchase Order Item Supplied,Stock UOM,Qimmatli qog&#39;ozlar UOM
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,Buyurtma {0} topshirilmadi
@@ -5349,6 +5428,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Ish kartasini yarating
 DocType: Quotation,Referral Sales Partner,Yo&#39;naltiruvchi savdo bo&#39;yicha hamkori
 DocType: Quality Procedure Process,Process Description,Jarayon tavsifi
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Ajratib bo&#39;lmadi, kreditning qiymati qaytarilgan summadan katta"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Xaridor {0} yaratildi.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5369,7 +5449,7 @@
 DocType: Asset,Insurance Details,Sug&#39;urta detallari
 DocType: Account,Payable,To&#39;lanishi kerak
 DocType: Share Balance,Share Type,Share toifa
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,To&#39;lov muddatlarini kiriting
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,To&#39;lov muddatlarini kiriting
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Qarzdorlar ({0})
 DocType: Pricing Rule,Margin,Marjin
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Yangi mijozlar
@@ -5378,6 +5458,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,POS profilini o&#39;zgartirish
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Qty yoki Miqdor - bu kreditni ta&#39;minlash uchun mandatroy
 DocType: Bank Reconciliation Detail,Clearance Date,Bo&#39;shatish sanasi
 DocType: Delivery Settings,Dispatch Notification Template,Xabarnoma shablonini yuborish
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Baholash bo&#39;yicha hisobot
@@ -5413,6 +5494,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledgerni ulashing
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Savdo shaxsi {0} yaratildi
 DocType: Employee,Confirmation Date,Tasdiqlash sanasi
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","Ushbu hujjatni bekor qilish uchun <a href=""#Form/Employee/{0}"">{0}</a> \ xodimini o&#39;chiring"
 DocType: Inpatient Occupancy,Check Out,Tekshirib ko&#39;rmoq
 DocType: C-Form,Total Invoiced Amount,Umumiy hisobdagi mablag &#39;
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Min Kty Maksimum kattaridan kattaroq bo&#39;la olmaydi
@@ -5426,7 +5509,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks Kompaniya identifikatori
 DocType: Travel Request,Travel Funding,Sayohat mablag&#39;lari
 DocType: Employee Skill,Proficiency,Malakali
-DocType: Loan Application,Required by Date,Sana bo&#39;yicha talab qilinadi
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Xarid kvitantsiyasining tafsilotlari
 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
 DocType: Lead,Lead Owner,Qurilish egasi
@@ -5445,7 +5527,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Joriy BOM va yangi BOM bir xil bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Ish haqi miqdori
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensiya tarixi sanasi qo&#39;shilish sanasidan katta bo&#39;lishi kerak
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Ta&#39;minotchi&gt; Ta&#39;minotchi turi
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Bir nechta varianti
 DocType: Sales Invoice,Against Income Account,Daromad hisobiga qarshi
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% taslim etildi
@@ -5478,7 +5559,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Baholashning turi to&#39;lovlari inklyuziv sifatida belgilanishi mumkin emas
 DocType: POS Profile,Update Stock,Stokni yangilang
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,To&#39;lov ma&#39;lumoti
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM darajasi
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Yuklangan faylni o&#39;qish
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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"
@@ -5513,6 +5594,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Partiya raqami {0} element uchun majburiydir.
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Kreditning maksimal qiymati
 ,Stock Ledger,Qimmatli qog&#39;ozlar bozori
 DocType: Company,Exchange Gain / Loss Account,Birgalikdagi daromad / yo&#39;qotish hisobi
 DocType: Amazon MWS Settings,MWS Credentials,MWS hisobga olish ma&#39;lumotlari
@@ -5520,6 +5602,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Maqsad {0} dan biri bo&#39;lishi kerak
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,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,Community Forum,Jamoa forumi
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Xodimga ajratilgan hech qanday varaq: {0} uchun: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Aksiyada haqiqiy miqdor
 DocType: Homepage,"URL for ""All Products""",&quot;Barcha mahsulotlar&quot; uchun URL
 DocType: Leave Application,Leave Balance Before Application,Ilovadan oldin muvozanat qoldiring
@@ -5621,7 +5704,6 @@
 DocType: Fee Schedule,Fee Schedule,Ish haqi jadvali
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Ustun yorliqlari:
 DocType: Bank Transaction,Settled,O&#39;rnatilgan
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,To&#39;lov sanasi qarzni to&#39;lashni boshlash sanasidan keyin bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Sessiya
 DocType: Quality Feedback,Parameters,Parametrlar
 DocType: Company,Create Chart Of Accounts Based On,Hisoblar jadvalini tuzish
@@ -5641,6 +5723,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Kredit cheklovi va to&#39;lov shartlari
 DocType: Loyalty Program,Collection Rules,To&#39;plam qoidalari
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,3-modda
+DocType: Loan Security Shortfall,Shortfall Time,Kamchilik vaqti
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Buyurtma yozuvi
 DocType: Purchase Order,Customer Contact Email,Mijozlar bilan aloqa elektron pochta
 DocType: Warranty Claim,Item and Warranty Details,Mahsulot va Kafolat haqida ma&#39;lumot
@@ -5660,12 +5743,14 @@
 DocType: Sales Person,Sales Person Name,Sotuvchining ismi
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Iltimos, stolda atleast 1-fakturani kiriting"
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Laborator tekshiruvi yaratilmagan
+DocType: Loan Security Shortfall,Security Value ,Xavfsizlik qiymati
 DocType: POS Item Group,Item Group,Mavzu guruhi
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Isoning shogirdi guruhi:
 DocType: Depreciation Schedule,Finance Book Id,Moliya kitobi Id
 DocType: Item,Safety Stock,Xavfsizlik kabinetga
 DocType: Healthcare Settings,Healthcare Settings,Sog&#39;liqni saqlash sozlamalari
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Jami ajratilgan barglar
+DocType: Appointment Letter,Appointment Letter,Uchrashuv xati
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Bir vazifa uchun% progress 100 dan ortiq bo&#39;lishi mumkin emas.
 DocType: Stock Reconciliation Item,Before reconciliation,Yig&#39;ilishdan oldin
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},{0} uchun
@@ -5720,6 +5805,7 @@
 DocType: Stock Entry,From BOM,BOM&#39;dan
 DocType: Assessment Code,Assessment Code,Baholash kodi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Asosiy
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Mijozlar va xodimlarning kredit buyurtmalari.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} dan oldin birja bitimlari muzlatilgan
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',&quot;Jadvalni yarat&quot; tugmasini bosing
 DocType: Job Card,Current Time,Hozirgi vaqt
@@ -5746,7 +5832,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Grant
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Hech qanday talabalar guruhi yaratilmagan.
 DocType: Purchase Invoice Item,Serial No,Serial №
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Oylik qaytarib beriladigan pul miqdori Kredit miqdoridan kattaroq bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,Oylik qaytarib beriladigan pul miqdori Kredit miqdoridan kattaroq bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,"Iltimos, birinchi navbatda Tafsilotlarni kiriting"
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Kutilayotgan etkazib berish sanasi Buyurtma tarixidan oldin bo&#39;lishi mumkin emas
 DocType: Purchase Invoice,Print Language,Chop etish tili
@@ -5760,6 +5846,7 @@
 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,All Territories,Barcha hududlar
+DocType: Plaid Settings,development,rivojlanish
 DocType: Lost Reason Detail,Lost Reason Detail,Yo&#39;qotilgan sabablar tafsiloti
 apps/erpnext/erpnext/hr/utils.py,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,Invalid Blanket Order for the selected Customer and Item,Tanlangan buyurtmachi va mahsulot uchun yorliqli buyurtma
@@ -5822,12 +5909,14 @@
 DocType: Staffing Plan Detail,Current Openings,Joriy ochilishlar
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Operatsiyalardan pul oqimi
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST miqdori
+DocType: Vehicle Log,Current Odometer value ,Odometrning joriy qiymati
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Student yaratish
 DocType: Asset Movement Item,Asset Movement Item,Aktivlar harakati elementi
 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
 DocType: Manufacturer,Limited to 12 characters,12 ta belgi bilan cheklangan
+DocType: Appointment Letter,Closing Notes,Yakunlovchi eslatmalar
 DocType: Journal Entry,Print Heading,Bosib sarlavhasi
 DocType: Quality Action Table,Quality Action Table,Sifat bo&#39;yicha harakatlar jadvali
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Jami nol bo&#39;lmasligi mumkin
@@ -5894,6 +5983,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Jami (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},"Iltimos, turini ko&#39;rish uchun hisob qaydnomasini (guruhini) aniqlang / yarating - {0}"
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,O&#39;yin-kulgi va hordiq
+DocType: Loan Security,Loan Security,Kredit xavfsizligi
 ,Item Variant Details,Mavzu variantlari tafsilotlari
 DocType: Quality Inspection,Item Serial No,Mahsulot Seriya raqami
 DocType: Payment Request,Is a Subscription,Obuna bo&#39;lganmi?
@@ -5906,7 +5996,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,So&#39;nggi asr
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Rejalashtirilgan va qabul qilingan kunlar bugungi kundan kam bo&#39;lmasligi kerak
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Materialni etkazib beruvchiga topshirish
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"Yangi seriyali yo&#39;q, QXK bo&#39;lishi mumkin emas. QXI kabinetga kirish yoki Xarid qilish Qabulnomasi bilan o&#39;rnatilishi kerak"
 DocType: Lead,Lead Type,Qo&#39;rg&#39;oshin turi
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Kotirovka yarating
@@ -5924,7 +6013,6 @@
 DocType: Leave Allocation,Leave Period,Davrni qoldiring
 DocType: Item,Default Material Request Type,Standart material talabi turi
 DocType: Supplier Scorecard,Evaluation Period,Baholash davri
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Xaridor&gt; Mijozlar guruhi&gt; Hudud
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Noma&#39;lum
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ish tartibi yaratilmadi
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6008,7 +6096,8 @@
 ,Customer-wise Item Price,Xaridorga mos keladigan mahsulot narxi
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Naqd pul oqimlari bayonoti
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Hech qanday material talabi yaratilmagan
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredit summasi {0} maksimum kredit summasidan oshib ketmasligi kerak.
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredit summasi {0} maksimum kredit summasidan oshib ketmasligi kerak.
+DocType: Loan,Loan Security Pledge,Kredit garovi
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,Litsenziya
 DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Agar avvalgi moliyaviy yil balanslarini ushbu moliyaviy yilga qo&#39;shishni xohlasangiz, iltimos, Tashkillashtirishni tanlang"
 DocType: GL Entry,Against Voucher Type,Voucher turiga qarshi
@@ -6025,6 +6114,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Narxlarni chegirma sxemasi
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Xizmat holatini bekor qilish yoki topshirish uchun bajarilishi lozim
 DocType: Amazon MWS Settings,US,Biz
+DocType: Loan Security Pledge,Pledged,Garovga qo&#39;yilgan
 DocType: Holiday List,Add Weekly Holidays,Haftalik dam olish kunlarini qo&#39;shish
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Xabar berish
 DocType: Staffing Plan Detail,Vacancies,Bo&#39;sh ish o&#39;rinlari
@@ -6043,7 +6133,6 @@
 DocType: Production Plan Item,Planned Start Date,Rejalashtirilgan boshlanish sanasi
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,"Iltimos, BOM-ni tanlang"
 DocType: Purchase Invoice,Availed ITC Integrated Tax,ITC Integrated Tax solingan
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,To&#39;lov yozuvini yarating
 DocType: Purchase Order Item,Blanket Order Rate,Yorqinlik darajasi
 ,Customer Ledger Summary,Xaridor kassirlarining xulosasi
 apps/erpnext/erpnext/hooks.py,Certification,Sertifikatlash
@@ -6064,6 +6153,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Baholash shablonlari nomi
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Savdo
 DocType: Patient,Alcohol Current Use,Spirtli ichimliklarni ishlatish
+DocType: Loan,Loan Closure Requested,Kreditni yopish so&#39;raladi
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Uyning ijara haqi miqdori
 DocType: Student Admission Program,Student Admission Program,Talabalarni qabul qilish dasturi
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Soliq imtiyozlari toifasi
@@ -6087,6 +6177,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Savdo
 DocType: Stock Entry Detail,Basic Amount,Asosiy miqdori
 DocType: Training Event,Exam,Test
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Kredit ssudasi garovi
 DocType: Email Campaign,Email Campaign,Elektron pochta kampaniyasi
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Bozor xatosi
 DocType: Complaint,Complaint,Shikoyat
@@ -6166,6 +6257,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Xodimlar yozuvini yaratish uchun uni yuboring
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Kredit garovi narxi {0} bilan mos keladi
 DocType: Item Default,Item Default,Mavzu Default
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Davlat ichidagi etkazib berish
 DocType: Chapter Member,Leave Reason,Reasonni qoldiring
@@ -6192,6 +6284,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} ishlatilgan kupon {1}. Ruxsat berilgan miqdor tugadi
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Talabnomani topshirishni xohlaysizmi
 DocType: Job Offer,Awaiting Response,Javobni kutish
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Qarz berish majburiydir
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Yuqorida
 DocType: Support Search Source,Link Options,Aloqa parametrlari
@@ -6204,6 +6297,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
+DocType: Pledge,Post Haircut Amount,Soch turmagidan keyin miqdori
 DocType: Sales Order,Skip Delivery Note,Yetkazib berish haqida eslatmani o&#39;tkazib yuboring
 DocType: Price List,Price Not UOM Dependent,Narx UOMga bog&#39;liq emas
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0} variantlar yaratildi.
@@ -6230,6 +6324,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Mahsulot paketidagi narsalarni oling
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,To&#39;lash usuli muddatli kreditlar uchun majburiydir
 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,Split,Split
@@ -6274,7 +6369,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Muzlatilgan hisoblarni sozlash va muzlatilgan yozuvlarni tahrir qilish uchun roli mumkin
 DocType: Supplier Scorecard Scoring Variable,Path,Yo&#39;l
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Xarajatli markazni kitob nusxa ko&#39;chirish qurilmasiga aylantira olmaysiz, chunki u tugmachalarga ega"
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},UOM konversiya koeffitsienti ({0} -&gt; {1}) quyidagi element uchun topilmadi: {2}
 DocType: Production Plan,Total Planned Qty,Jami rejalashtirilgan miqdori
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Bitimlar allaqachon bayonotdan uzoqlashgan
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Ochilish qiymati
@@ -6283,11 +6377,8 @@
 DocType: Material Request Plan Item,Required Quantity,Kerakli miqdori
 DocType: Lab Test Template,Lab Test Template,Laboratoriya viktorina namunasi
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Hisob-kitob davri {0} bilan mos keladi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Ta&#39;minotchi&gt; Ta&#39;minotchi turi
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Savdo hisobi
 DocType: Purchase Invoice Item,Total Weight,Jami Og&#39;irligi
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","Ushbu hujjatni bekor qilish uchun <a href=""#Form/Employee/{0}"">{0}</a> \ xodimini o&#39;chiring"
 DocType: Pick List Item,Pick List Item,Ro‘yxat bandini tanlang
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Savdo bo&#39;yicha komissiya
 DocType: Job Offer Term,Value / Description,Qiymati / ta&#39;rifi
@@ -6334,6 +6425,7 @@
 DocType: Patient Encounter,Encounter Date,Uchrashuv sanalari
 DocType: Work Order,Update Consumed Material Cost In Project,Loyihada iste&#39;mol qilingan material narxini yangilang
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Hisob: {0} valyutaga: {1} tanlanmaydi
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,Mijozlar va xodimlarga berilgan kreditlar.
 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
@@ -6402,7 +6494,6 @@
 DocType: Contract,Signed On,Imzolangan
 DocType: Bank Account,Party Type,Partiya turi
 DocType: Discounted Invoice,Discounted Invoice,Chegirilgan hisob-faktura
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Davomi sifatida belgilang <b></b>
 DocType: Payment Schedule,Payment Schedule,To&#39;lov jadvali
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Berilgan xodimning maydon qiymati uchun xodim topilmadi. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Qisqartirish
@@ -6474,6 +6565,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditorlar
 DocType: Assessment Plan,Assessment Name,Baholashning nomi
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,# {0} qatori: seriya raqami majburiy emas
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Kreditni yopish uchun {0} miqdori talab qilinadi
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Maqola Wise Soliq Batafsil
 DocType: Employee Onboarding,Job Offer,Ishga taklif
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut qisqartmasi
@@ -6497,7 +6589,6 @@
 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
 DocType: Item Tax Template,Tax Rates,Soliq stavkalari
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Element kodi&gt; Tovar guruhi&gt; Tovar
 DocType: Asset,Asset Owner,Shaxs egasi
 DocType: Item,Website Content,Veb-sayt tarkibi
 DocType: Bank Account,Integration ID,Integratsiya identifikatori
@@ -6513,6 +6604,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Sinxronizatsiya Buyurtma
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Ishlab chiqarish uchun chiqarilgan buyurtmalar.
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Moliyaviy yilni tanlang ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Iltimos {0} uchun kredit turini tanlang.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6541,6 +6633,7 @@
 DocType: Customer,Mention if non-standard receivable account,Standart bo&#39;lmagan deb hisob-kitobni eslab qoling
 DocType: Bank,Plaid Access Token,Plaid kirish tokenlari
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Qolgan imtiyozlarni {0} mavjud tarkibiy qismlardan biriga qo&#39;shing
+DocType: Bank Account,Is Default Account,Bu odatiy hisob
 DocType: Journal Entry Account,If Income or Expense,Agar daromad yoki xarajat bo&#39;lsa
 DocType: Course Topic,Course Topic,Kurs mavzusi
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},{1} va {2} sanalari orasida {0} uchun POS-yopilish vaucher muddati tugadi.
@@ -6553,7 +6646,7 @@
 DocType: Disease,Treatment Task,Davolash vazifasi
 DocType: Payment Order Reference,Bank Account Details,Bank hisobi ma&#39;lumotlari
 DocType: Purchase Order Item,Blanket Order,Yorqin buyurtma
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,To&#39;lov miqdori bundan katta bo&#39;lishi kerak
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,To&#39;lov miqdori bundan katta bo&#39;lishi kerak
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Soliq aktivlari
 DocType: BOM Item,BOM No,BOM No
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Tafsilotlarni yangilang
@@ -6609,6 +6702,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce mahsulotlari
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Formulada yoki vaziyatda sintaksik xato: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,{0} elementi hissa moddasi bo&#39;lmagani uchun e&#39;tibordan chetda
+,Loan Security Status,Qarz xavfsizligi holati
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",Raqobatchilar qoidasini muayyan operatsiyalarda qo&#39;llamaslik uchun barcha amaldagi narx qoidalari bekor qilinishi kerak.
 DocType: Payment Term,Day(s) after the end of the invoice month,Vaqtinchalik hisob-varag&#39;i tugagandan so&#39;ng kun (lar)
 DocType: Assessment Group,Parent Assessment Group,Ota-ona baholash guruhi
@@ -6623,7 +6717,6 @@
 DocType: Stock Entry Detail,Additional Cost,Qo&#39;shimcha xarajatlar
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Voucher tomonidan guruhlangan bo&#39;lsa, Voucher No ga asoslangan holda filtrlay olmaydi"
 DocType: Quality Inspection,Incoming,Kiruvchi
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Iltimos Setup&gt; Raqamlash seriyalari orqali qatnashish uchun raqamlash seriyasini sozlang
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Savdo va xarid uchun odatiy soliq namunalari yaratilgan.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Baholash natijasi {0} allaqachon mavjud.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Misol: ABCD. #####. Jarayonlarda seriya o&#39;rnatilgan bo&#39;lsa va Batch No ko&#39;rsatilgan bo&#39;lsa, bu ketma-ketlik asosida avtomatik partiya raqami yaratiladi. Agar siz doimo bu element uchun &quot;Partiya No&quot; ni aniq ko&#39;rsatishni istasangiz, bo&#39;sh qoldiring. Eslatma: Ushbu sozlama Stok Sozlamalarida Nominal Seriya Prefiksidan ustunlik qiladi."
@@ -6634,8 +6727,10 @@
 DocType: Contract,Party User,Partiya foydalanuvchisi
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b> uchun obyektlar yaratilmagan. Siz aktivlarni qo&#39;lda yaratishingiz kerak.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Guruh tomonidan &quot;Kompaniya&quot; bo&#39;lsa, Kompaniya filtrini bo&#39;sh qoldiring."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Xaridor&gt; Mijozlar guruhi&gt; Hudud
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Kiritilgan sana kelajakdagi sana bo&#39;la olmaydi
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},# {0} qatori: ketma-ket No {1} {2} {3}
+DocType: Loan Repayment,Interest Payable,To&#39;lanadigan foizlar
 DocType: Stock Entry,Target Warehouse Address,Nishon QXI manzili
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Oddiy chiqish
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Ishchilarni ro&#39;yxatdan o&#39;tkazilishi qatnashish uchun hisobga olinadigan smena boshlanishidan oldingi vaqt.
@@ -6764,6 +6859,7 @@
 DocType: Issue,Reset Service Level Agreement,Xizmat darajasi to&#39;g&#39;risidagi kelishuvni asl holatiga qaytarish
 ,Sales Person-wise Transaction Summary,Savdoni jismoniy shaxslar bilan ishlash xulosasi
 DocType: Training Event,Contact Number,Aloqa raqami
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Qarz miqdori majburiydir
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6812,6 +6908,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balans miqdori
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Tanlangan barcha narsalarga shartlar qo&#39;shiladi.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Maqsadlar bo&#39;sh bo&#39;lishi mumkin emas
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Noto&#39;g&#39;ri ombor
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Talabalar ro&#39;yxatga olish
 DocType: Item Group,Parent Item Group,Ota-ona guruhi
 DocType: Appointment Type,Appointment Type,Uchrashuv turi
@@ -6865,10 +6962,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,O&#39;rtacha narx
 DocType: Appointment,Appointment With,Uchrashuv bilan
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,To&#39;lov tarifidagi umumiy to&#39;lov miqdori Grand / Rounded Totalga teng bo&#39;lishi kerak
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Davomi sifatida belgilang <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Buyurtmachiga taqdim etilgan mahsulot&quot; baho qiymatiga ega bo&#39;lolmaydi
 DocType: Subscription Plan Detail,Plan,Reja
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bank Bosh balansidagi balans balansi
-DocType: Job Applicant,Applicant Name,Ariza beruvchi nomi
+DocType: Appointment Letter,Applicant Name,Ariza beruvchi nomi
 DocType: Authorization Rule,Customer / Item Name,Xaridor / Mahsulot nomi
 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**. 
 
@@ -6912,11 +7010,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Tarqatish
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,"Xodimning maqomini &quot;Chap&quot; ga sozlab bo&#39;lmaydi, chunki quyidagi xodimlar ushbu xodimga hisobot berishmoqda:"
-DocType: Journal Entry Account,Loan,Kredit
+DocType: Loan Repayment,Amount Paid,To&#39;lov miqdori
+DocType: Loan Security Shortfall,Loan,Kredit
 DocType: Expense Claim Advance,Expense Claim Advance,Xarajatlar bo&#39;yicha da&#39;vo Advance
 DocType: Lab Test,Report Preference,Hisobot afzalligi
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Ixtiyoriy ma&#39;lumot.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Proyekt menejeri
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Guruh mijoz tomonidan
 ,Quoted Item Comparison,Qisqartirilgan ob&#39;ektni solishtirish
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0} va {1} orasida
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,Dispetcher
@@ -6936,6 +7036,7 @@
 DocType: Material Request Plan Item,Material Issue,Moddiy muammolar
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Narxlar qoidasida belgilanmagan bepul mahsulot {0}
 DocType: Employee Education,Qualification,Malakali
+DocType: Loan Security Shortfall,Loan Security Shortfall,Kredit ta&#39;minotidagi kamchilik
 DocType: Item Price,Item Price,Mahsulot narxi
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sovun va detarjen
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},{0} xodimi {1} kompaniyasiga tegishli emas
@@ -6958,6 +7059,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Uchrashuv tafsilotlari
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Tayyor mahsulot
 DocType: Warehouse,Warehouse Name,Ombor nomi
+DocType: Loan Security Pledge,Pledge Time,Garov muddati
 DocType: Naming Series,Select Transaction,Jurnalni tanlang
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Iltimos, rozni rozilikni kiriting yoki foydalanuvchini tasdiqlang"
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,{0} turi va {1} subyekt bilan xizmat ko&#39;rsatish darajasi to&#39;g&#39;risidagi kelishuv allaqachon mavjud.
@@ -6965,7 +7067,6 @@
 DocType: BOM,Rate Of Materials Based On,Materiallar asoslari
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Agar yoqilsa, dasturni ro&#39;yxatga olish vositasida Akademiyasi muddat majburiy bo&#39;ladi."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Ishlab chiqarilmaydigan, nolga teng va GST bo&#39;lmagan ichki ta&#39;minot qiymatlari"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Xaridor&gt; Mijozlar guruhi&gt; Hudud
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Kompaniya</b> majburiy filtrdir.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Barchasini olib tashlang
 DocType: Purchase Taxes and Charges,On Item Quantity,Miqdori miqdori bo&#39;yicha
@@ -7010,7 +7111,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Miqdori miqdori
 DocType: Purchase Invoice,Input Service Distributor,Kirish xizmati tarqatuvchisi
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,{0} mahsulot varianti bir xil xususiyatlarga ega
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Iltimos, Ta&#39;lim beruvchiga nom berish tizimini Ta&#39;lim sozlamalarida o&#39;rnating"
 DocType: Loan,Repay from Salary,Ish haqidan to&#39;lash
 DocType: Exotel Settings,API Token,API token
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},{0} {1} dan {2}
@@ -7030,6 +7130,7 @@
 DocType: Salary Slip,Total Interest Amount,Foiz miqdori
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Olib tashlash
 DocType: Accounts Settings,Stale Days,Eski kunlar
 DocType: Travel Itinerary,Arrival Datetime,Arrival Datetime
 DocType: Tax Rule,Billing Zipcode,Billing kodi
@@ -7216,6 +7317,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Soatlar
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Sizga yangi uchrashuv tayinlandi {0}
 DocType: Project,Expected Start Date,Kutilayotgan boshlanish sanasi
+DocType: Work Order,This is a location where raw materials are available.,Bu xom ashyo mavjud bo&#39;lgan joy.
 DocType: Purchase Invoice,04-Correction in Invoice,04-fakturadagi tuzatish
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM bilan ishlaydigan barcha elementlar uchun yaratilgan buyurtma
 DocType: Bank Account,Party Details,Partiya tafsilotlari
@@ -7234,6 +7336,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Qo&#39;shtirnoq:
 DocType: Contract,Partially Fulfilled,Qisman bajarildi
 DocType: Maintenance Visit,Fully Completed,To&#39;liq bajarildi
+DocType: Loan Security,Loan Security Name,Kredit kafolati nomi
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","&quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Va &quot;}&quot; belgilaridan tashqari maxsus belgilarga ruxsat berilmaydi."
 DocType: Purchase Invoice Item,Is nil rated or exempted,Nol baholanmagan yoki ozod qilingan
 DocType: Employee,Educational Qualification,Ta&#39;lim malakasi
@@ -7290,6 +7393,7 @@
 DocType: Program,Is Featured,Tanlangan
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Yuklanmoqda ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Qishloq xo&#39;jaligi foydalanuvchisi
+DocType: Loan Security Shortfall,America/New_York,Amerika / Nyu_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,O&#39;tgan sanaga qadar amal qilish muddati tranzaksiya sanasidan oldin bo&#39;lishi mumkin emas
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7367,8 +7471,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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/attendance/attendance.py,Employee {0} is on Leave on {1},{0} xodimi {1} ta&#39;tilda
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,Jurnalga kirish uchun to&#39;lovlar tanlanmadi
 DocType: Purchase Invoice,GST Category,GST toifasi
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Taklif etilayotgan garovlar kafolatlangan kreditlar uchun majburiydir
 DocType: Payment Reconciliation,From Invoice Date,Faktura sanasidan boshlab
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budjetlar
 DocType: Invoice Discounting,Disbursed,Qabul qilingan
@@ -7426,14 +7530,13 @@
 DocType: Restaurant,Active Menu,Faol menyu
 DocType: Accounting Dimension Detail,Default Dimension,Odatiy o&#39;lchov
 DocType: Target Detail,Target Qty,Nishon Miqdor
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Qarzga qarshi: {0}
 DocType: Shopping Cart Settings,Checkout Settings,To&#39;lov sozlamalari
 DocType: Student Attendance,Present,Mavjud
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Yetkazib berish eslatmasi {0} yuborilmasligi kerak
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Xodimga yuborilgan ish haqi to&#39;g&#39;risidagi ma&#39;lumot parol bilan himoyalangan, parol parol siyosati asosida yaratiladi."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,Salary Slip of employee {0} already created for time sheet {1},Ish staji {1} vaqt jadvalini uchun yaratilgan ({0})
-DocType: Vehicle Log,Odometer,Odometer
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,Odometer
 DocType: Production Plan Item,Ordered Qty,Buyurtma miqdori
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,{0} element o&#39;chirib qo&#39;yilgan
 DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Upto
@@ -7490,7 +7593,6 @@
 DocType: Serial No,Delivery Document Type,Hujjatning turi
 DocType: Sales Order,Partly Delivered,Qisman etkazib berildi
 DocType: Item Variant Settings,Do not update variants on save,Saqlash bo&#39;yicha variantlarni yangilang
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer guruhi
 DocType: Email Digest,Receivables,Oladiganlar
 DocType: Lead Source,Lead Source,Qo&#39;rg&#39;oshin manbai
 DocType: Customer,Additional information regarding the customer.,Xaridor haqida qo&#39;shimcha ma&#39;lumot.
@@ -7586,6 +7688,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Haqiqiy
 DocType: Appointment,Skype ID,Skype identifikatori
 DocType: Restaurant Menu,Restaurant Manager,Restoran menejeri
+DocType: Loan,Penalty Income Account,Jazo daromadlari hisobi
 DocType: Call Log,Call Log,Qo&#39;ng&#39;iroqlar jurnali
 DocType: Authorization Rule,Customerwise Discount,Xaridor tomonidan taklif qilingan chegirmalar
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Vazifalar uchun vaqt jadvalini.
@@ -7673,6 +7776,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Mahsulot chegirma sxemasi
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Qo&#39;ng&#39;iroqda hech qanday muammo ko&#39;tarilmagan.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Guruh etkazib beruvchi tomonidan
 DocType: Restaurant Reservation,Waitlisted,Kutib turildi
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Istisno kategoriyasi
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valyutani boshqa valyutani qo&#39;llagan holda kiritish o&#39;zgartirilmaydi
@@ -7683,7 +7787,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Konsalting
 DocType: Subscription Plan,Based on price list,Narxlar ro&#39;yxatiga asoslangan
 DocType: Customer Group,Parent Customer Group,Ota-xaridorlar guruhi
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON-ni faqat Sotilgan hisob-fakturadan olish mumkin
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Ushbu viktorinada maksimal urinishlar soni erishildi!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Obuna
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Ish haqi yaratilishi kutilmoqda
@@ -7701,6 +7804,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Profilaktik xizmat
 DocType: Delivery Note Item,Against Sales Invoice,Sotuvdagi schyot-fakturaga qarshi
 DocType: Purchase Invoice,07-Others,07-Boshqalar
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Kotirovka miqdori
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Serileştirilmiş element uchun seriya raqamlarini kiriting
 DocType: Bin,Reserved Qty for Production,Ishlab chiqarish uchun belgilangan miqdor
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Kursga asoslangan guruhlarni tashkil qilishda partiyani ko&#39;rib chiqishni istamasangiz, belgilanmasdan qoldiring."
@@ -7808,6 +7912,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,To&#39;lov ma&#39;lumotnomasi
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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"
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Talabnomani yaratish
+DocType: Loan Interest Accrual,Pending Principal Amount,Asosiy miqdor kutilmoqda
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Ish haqi davri davridagi boshlanish va tugash sanalari, {0} ni hisoblab chiqa olmaydi"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7851,6 +7956,7 @@
 											to fullfill Sales Order {2}","{1} mahsulotining yo&#39;q {0} seriyasini sotish mumkin emas, chunki Savdo Buyurtmani to&#39;liq to&#39;ldirish uchun {2}"
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Yetkazib beruvchi quo {0} yaratildi
+DocType: Loan Security Unpledge,Unpledge Type,Ajratish turi
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,End Year Year Year oldin bo&#39;lishi mumkin emas
 DocType: Employee Benefit Application,Employee Benefits,Ishchilarning nafaqalari
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Xodimning shaxsini tasdiqlovchi hujjat
@@ -7933,6 +8039,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Kurs kodi:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Marhamat, hisobni kiriting"
 DocType: Quality Action Resolution,Problem,Muammo
+DocType: Loan Security Type,Loan To Value Ratio,Qarz qiymatining nisbati
 DocType: Account,Stock,Aksiyalar
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -7950,6 +8057,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bank bayonnomasi
 DocType: Sales Invoice Item,Discount and Margin,Dasturi va margin
 DocType: Lab Test,Prescription,Ortga nazar tashlash
+DocType: Process Loan Security Shortfall,Update Time,Yangilash vaqti
 DocType: Import Supplier Invoice,Upload XML Invoices,XML hisob-fakturalarini yuklang
 DocType: Company,Default Deferred Revenue Account,Ertelenmiş daromad qaydnomasi
 DocType: Project,Second Email,Ikkinchi elektron pochta
@@ -7963,7 +8071,7 @@
 DocType: Quality Action,Preventive,Profilaktik
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Ro&#39;yxatdan o&#39;tmagan shaxslarga etkazib beriladigan materiallar
 DocType: Company,Date of Incorporation,Tashkilot sanasi
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Jami Soliq
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Jami Soliq
 DocType: Manufacturing Settings,Default Scrap Warehouse,Odatiy Scrap Warehouse
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Oxirgi xarid narxi
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Miqdor uchun (ishlab chiqarilgan Qty) majburiydir
@@ -7982,6 +8090,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Standart to&#39;lov usulini belgilang
 DocType: Stock Entry Detail,Against Stock Entry,Aksiyalar kiritilishiga qarshi
 DocType: Grant Application,Withdrawn,Qaytarildi
+DocType: Loan Repayment,Regular Payment,Doimiy to&#39;lov
 DocType: Support Search Source,Support Search Source,Qidirishni qidirish manbai
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Zaryad
 DocType: Project,Gross Margin %,Yalpi marj%
@@ -7994,8 +8103,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Soliq to&#39;lamasdan
 DocType: BOM Operation,BOM Operation,BOM operatsiyasi
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Oldingi qatorlar miqdori bo&#39;yicha
+DocType: Student,Home Address,Uy manzili
 DocType: Options,Is Correct,To&#39;g&#39;ri
 DocType: Item,Has Expiry Date,Tugatish sanasi
+DocType: Loan Repayment,Paid Accrual Entries,To&#39;langan hisob-kitob yozuvlari
+DocType: Loan Security,Loan Security Type,Kredit xavfsizligi turi
 apps/erpnext/erpnext/config/support.py,Issue Type.,Muammo turi.
 DocType: POS Profile,POS Profile,Qalin profil
 DocType: Training Event,Event Name,Voqealar nomi
@@ -8007,6 +8119,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Byudjetni belgilashning mavsumiyligi, maqsadlari va boshqalar."
 apps/erpnext/erpnext/www/all-products/index.html,No values,Qiymatlar yo&#39;q
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Argumentlar nomi
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Yaratish uchun Bank hisobini tanlang.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} element shablon bo&#39;lib, uning variantlaridan birini tanlang"
 DocType: Purchase Invoice Item,Deferred Expense,Ertelenmiş ketadi
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Xabarlarga qaytish
@@ -8058,7 +8171,6 @@
 DocType: GL Entry,To Rename,Nomini o&#39;zgartirish uchun
 DocType: Stock Entry,Repack,Qaytarib oling
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seriya raqamini qo&#39;shish uchun tanlang.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,"Iltimos, Ta&#39;lim beruvchiga nom berish tizimini Ta&#39;lim sozlamalarida o&#39;rnating"
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Iltimos, &#39;% s&#39; mijozi uchun soliq kodini o&#39;rnating."
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Avval Kompaniya-ni tanlang
 DocType: Item Attribute,Numeric Values,Raqamli qiymatlar
@@ -8082,6 +8194,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,FIFO asosida olib kelish
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Ildiz tahrirlanmaydi.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Kredit kafolati qiymati
 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
@@ -8128,6 +8241,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,"Iltimos, oldin Turkum tanlang"
 apps/erpnext/erpnext/config/projects.py,Project master.,Loyiha bo&#39;yicha mutaxassis.
 DocType: Contract,Contract Terms,Shartnoma shartlari
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Sanktsiyalangan miqdor cheklovi
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Konfiguratsiyani davom ettiring
 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,Maximum benefit amount of component {0} exceeds {1},{0} komponentining maksimal foyda miqdori {1} dan oshib ketdi
@@ -8160,6 +8274,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Qo&#39;ng&#39;iroqlar jurnalini ko&#39;rish
 DocType: BOM Operation,Operating Cost(Company Currency),Faoliyat xarajati (Kompaniya valyutasi)
 DocType: Loan Application,Rate of Interest,Foiz stavkasi
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Kredit bilan garovga qo&#39;yilgan garov garovi {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Sanktsiya miqdori
 DocType: Item,Shelf Life In Days,Raf umri kunlarda
 DocType: GL Entry,Is Opening,Ochilishmi?
@@ -8173,3 +8288,4 @@
 DocType: Account,Cash,Naqd pul
 DocType: Sales Invoice,Unpaid and Discounted,To&#39;lanmagan va chegirmali
 DocType: Employee,Short biography for website and other publications.,Veb-sayt va boshqa adabiyotlar uchun qisqacha biografiya.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,# {0} qator: Pudratchiga xom ashyo etkazib berishda omborxonani tanlab bo&#39;lmaydi
diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv
index 5d6a765..2bed8e9 100644
--- a/erpnext/translations/vi.csv
+++ b/erpnext/translations/vi.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,Cơ hội mất lý do
 DocType: Patient Appointment,Check availability,Sẵn sàng kiểm tra
 DocType: Retention Bonus,Bonus Payment Date,Ngày thanh toán thưởng
-DocType: Employee,Job Applicant,Nộp đơn công việc
+DocType: Appointment Letter,Job Applicant,Nộp đơn công việc
 DocType: Job Card,Total Time in Mins,Tổng thời gian tính bằng phút
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,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
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,Thông tin liên lạc
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Tìm kiếm bất cứ điều gì ...
 ,Stock and Account Value Comparison,So sánh giá trị cổ phiếu và tài khoản
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,Số tiền đã giải ngân không thể lớn hơn số tiền cho vay
 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
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,Quan tâm
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,Mở ra
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Chương trình:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,Thời gian hợp lệ phải nhỏ hơn thời gian tối đa hợp lệ.
 DocType: Item,Copy From Item Group,Sao chép Từ mục Nhóm
 DocType: Journal Entry,Opening Entry,Mở nhập
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,Tài khoản Chỉ Thanh toán
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,Cấp
 DocType: Restaurant Table,No of Seats,Số ghế
+DocType: Loan Type,Grace Period in Days,Thời gian ân sủng trong ngày
 DocType: Sales Invoice,Overdue and Discounted,Quá hạn và giảm giá
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Tài sản {0} không thuộc về người giám sát {1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Cuộc gọi bị ngắt kết nối
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Thủ tục quy định
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Chỉ hiển thị POS
 DocType: Supplier Group,Supplier Group Name,Tên nhóm nhà cung cấp
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Đánh dấu tham dự như <b></b>
 DocType: Driver,Driving License Categories,Lái xe hạng mục
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vui lòng nhập ngày giao hàng
 DocType: Depreciation Schedule,Make Depreciation Entry,Tạo bút toán khấu hao
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Chi tiết về các hoạt động thực hiện.
 DocType: Asset Maintenance Log,Maintenance Status,Tình trạng bảo trì
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Mục thuế Số tiền bao gồm trong giá trị
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,Bảo đảm cho vay
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,Chi tiết thành viên
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Nhà cung cấp được yêu cầu đối với Khoản phải trả {2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,Hàng hóa và giá cả
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Tổng số giờ: {0}
+DocType: Loan,Loan Manager,Quản lý khoản vay
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Từ ngày phải được trong năm tài chính. Giả sử Từ ngày = {0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,Khoảng thời gian
@@ -469,6 +473,7 @@
 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,Select the customer or supplier.,Chọn khách hàng hoặc nhà cung cấp.
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Mã quốc gia trong tệp không khớp với mã quốc gia được thiết lập trong hệ thống
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},Tài khoản {0} không thuộc về Công ty {1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Chỉ chọn một Ưu tiên làm Mặc định.
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,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,"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}"
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Đã chặn việc dời đi
 apps/erpnext/erpnext/stock/doctype/item/item.py,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,Bank Entries,Bút toán Ngân hàng
-DocType: Customer,Is Internal Customer,Là khách hàng nội bộ
+DocType: Sales Invoice,Is Internal Customer,Là khách hàng nội bộ
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,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
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Gói số lượng
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,Không thể tạo khoản vay cho đến khi đơn được chấp thuận
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,Chính xác
 DocType: Student Guardian,Mother,Mẹ
 DocType: Restaurant Reservation,Reservation End Time,Thời gian Kết thúc Đặt phòng
+DocType: Salary Slip Loan,Loan Repayment Entry,Trả nợ vay
 DocType: Crop,Biennial,Hai năm
 ,BOM Variance Report,Báo cáo chênh lệch BOM
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,Đơn hàng đã được khách xác nhận
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Thanh toán đối với {0} {1} không thể lớn hơn số tiền đang nợ {2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,Tất cả các đơn vị dịch vụ y tế
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,Về cơ hội chuyển đổi
+DocType: Loan,Total Principal Paid,Tổng số tiền gốc
 DocType: Bank Account,Address HTML,Địa chỉ HTML
 DocType: Lead,Mobile No.,Số Điện thoại di động.
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,Phương thức thanh toán
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,Số dư bằng tiền gốc
 DocType: Supplier Scorecard Scoring Standing,Max Grade,Max Grade
 DocType: Email Digest,New Quotations,Trích dẫn mới
+DocType: Loan Interest Accrual,Loan Interest Accrual,Tiền lãi cộng dồn
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Khiếu nại không được gửi cho {0} là {1} khi rời đi.
 DocType: Journal Entry,Payment Order,Đề nghị thanh toán
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Xác nhận Email
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,Thu nhập từ các nguồn khác
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Nếu trống, Tài khoản kho mẹ hoặc mặc định của công ty sẽ được xem xét"
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,trượt email lương cho nhân viên dựa trên email ưa thích lựa chọn trong nhân viên
+DocType: Work Order,This is a location where operations are executed.,Đây là một vị trí nơi các hoạt động được thực hiện.
 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,Learn,Học
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,Mã giảm giá áp dụng
 DocType: Asset,Next Depreciation Date,Kỳ hạn khấu hao tiếp theo
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,Chi phí hoạt động cho một nhân viên
+DocType: Loan Security,Haircut %,Cắt tóc%
 DocType: Accounts Settings,Settings for Accounts,Cài đặt cho tài khoản
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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/crm.py,Manage Sales Person Tree.,Quản lý cây người bán hàng
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Vui lòng đặt Giá phòng khách sạn vào {}
 DocType: Journal Entry,Multi Currency,Đa ngoại tệ
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,Loại hóa đơn
+DocType: Loan,Loan Security Details,Chi tiết bảo mật khoản vay
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Có hiệu lực từ ngày phải nhỏ hơn ngày hợp lệ
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},Ngoại lệ xảy ra trong khi điều hòa {0}
 DocType: Purchase Invoice,Set Accepted Warehouse,Đặt kho được chấp nhận
@@ -776,7 +788,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,Yêu cầu phê duyệt thử nghiệm Lab
 DocType: Attendance,Working Hours,Giờ làm việc
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Tổng số
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Không tìm thấy yếu tố chuyển đổi UOM ({0} -&gt; {1}) cho mục: {2}
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,Thay đổi bắt đầu / hiện số thứ tự của một loạt hiện có.
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Tỷ lệ phần trăm bạn được phép lập hóa đơn nhiều hơn số tiền đặt hàng. Ví dụ: Nếu giá trị đơn hàng là 100 đô la cho một mặt hàng và dung sai được đặt là 10% thì bạn được phép lập hóa đơn cho 110 đô la.
 DocType: Dosage Strength,Strength,Sức mạnh
@@ -794,6 +805,7 @@
 DocType: Purchase Receipt,Vehicle Date,Ngày của phương tiện
 DocType: Campaign Email Schedule,Campaign Email Schedule,Lịch trình email chiến dịch
 DocType: Student Log,Medical,Y khoa
+DocType: Work Order,This is a location where scraped materials are stored.,Đây là một vị trí nơi lưu trữ các tài liệu bị loại bỏ.
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,Vui lòng chọn thuốc
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,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
 DocType: Announcement,Receiver,Người nhận
@@ -891,7 +903,7 @@
 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: BOM,Total Cost (Company Currency),Tổng chi phí (Tiền tệ công ty)
-DocType: Loan,Total Payment,Tổng tiền thanh toán
+DocType: Repayment Schedule,Total Payment,Tổng tiền thanh toán
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,PO đã được tạo cho tất cả các mục đặt hàng
@@ -917,6 +929,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Lệnh mua hàng cảnh báo
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,Cho thuê từ ngày
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Phần đủ để xây dựng
+DocType: Loan Security,Loan Security Code,Mã bảo đảm tiền vay
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Vui lòng lưu trước
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Các mặt hàng được yêu cầu để kéo các nguyên liệu thô được liên kết với nó.
 DocType: POS Profile User,POS Profile User,Người dùng Hồ sơ POS
@@ -975,6 +988,7 @@
 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,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/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Mã hàng&gt; Nhóm vật phẩm&gt; Thương hiệu
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Xem đơn đặt hàng trước
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} cuộc hội thoại
 DocType: Vital Signs,Respiratory rate,Tỉ lệ hô hấp
@@ -1007,7 +1021,6 @@
 DocType: Company,Delete Company Transactions,Xóa Giao dịch Công ty
 DocType: Production Plan Item,Quantity and Description,Số lượng và mô tả
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Số tham khảo và Kỳ hạn tham khảo là bắt buộc đối với giao dịch ngân hàng
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt&gt; Cài đặt&gt; Sê-ri đặt tên
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,Thêm / Sửa Thuế và phí
 DocType: Payment Entry Reference,Supplier Invoice No,Nhà cung cấp hóa đơn Không
 DocType: Territory,For reference,Để tham khảo
@@ -1038,6 +1051,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,Tài khoản khấu trừ thuế
 DocType: Pricing Rule,Sales Partner,Đại lý bán hàng
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tất cả phiếu ghi của Nhà cung cấp.
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,Số lượng đơn đặt hàng
+DocType: Loan,Disbursed Amount,Số tiền giải ngân
 DocType: Buying Settings,Purchase Receipt Required,Yêu cầu biên lai nhận hàng
 DocType: Sales Invoice,Rail,Đường sắt
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Gia thật
@@ -1078,6 +1093,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,Đã kết nối với QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vui lòng xác định / tạo Tài khoản (Sổ cái) cho loại - {0}
 DocType: Bank Statement Transaction Entry,Payable Account,Tài khoản phải trả
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,Tài khoản là bắt buộc để có được các mục thanh toán
 DocType: Payment Entry,Type of Payment,Loại thanh toán
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Ngày Nửa Ngày là bắt buộc
 DocType: Sales Order,Billing and Delivery Status,Trạng thái phiếu t.toán và giao nhận
@@ -1117,7 +1133,7 @@
 DocType: Purchase Order Item,Billed Amt,Amt đã lập hóa đơn
 DocType: Training Result Employee,Training Result Employee,Đào tạo Kết quả của nhân viên
 DocType: Warehouse,A logical Warehouse against which stock entries are made.,Một Kho thích hợp gắn với các phiếu nhập kho đã được tạo
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Số tiền chính
+DocType: Repayment Schedule,Principal Amount,Số tiền chính
 DocType: Loan Application,Total Payable Interest,Tổng số lãi phải trả
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Tổng số: {0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Liên hệ mở
@@ -1131,6 +1147,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,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/public/js/hub/Sidebar.vue,Your Items,Những hạng mục của bạn
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Nhà cung cấp&gt; Loại nhà cung cấp
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Đề nghị Viết
 DocType: Payment Entry Deduction,Payment Entry Deduction,Bút toán thanh toán khấu trừ
 DocType: Service Level Priority,Service Level Priority,Ưu tiên cấp độ dịch vụ
@@ -1164,6 +1181,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Tạo nhóm sinh viên
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,Tạo nhóm sinh viên
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Cổng thanh toán tài khoản không được tạo ra, hãy tạo một cách thủ công."
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},Kho nhóm không thể được sử dụng trong các giao dịch. Vui lòng thay đổi giá trị của {0}
 DocType: Supplier Scorecard,Per Year,Mỗi năm
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Không đủ điều kiện tham gia vào chương trình này theo DOB
 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Hàng # {0}: Không thể xóa mục {1} được chỉ định cho đơn đặt hàng của khách hàng.
@@ -1288,7 +1306,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Trong khi tạo tài khoản cho Công ty con {0}, không tìm thấy tài khoản mẹ {1}. Vui lòng tạo tài khoản mẹ trong COA tương ứng"
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,Tách vấn đề
 DocType: Student Attendance,Student Attendance,Tham dự sinh
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,Không có dữ liệu để xuất
 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ã
@@ -1301,6 +1318,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Ngày giao hàng thực tế
 DocType: Lab Test,Test Template,Mẫu thử nghiệm
+DocType: Loan Security Pledge,Securities,Chứng khoán
 DocType: Restaurant Order Entry Item,Served,Phục vụ
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,Thông tin về chương.
 DocType: Account,Accounts,Tài khoản kế toán
@@ -1395,6 +1413,7 @@
 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
 DocType: POS Profile,Only show Items from these Item Groups,Chỉ hiển thị các mục từ các nhóm mục này
+DocType: Loan,Is Secured Loan,Khoản vay có bảo đảm
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,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
@@ -1431,6 +1450,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,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,Get from Patient Encounter,Nhận từ Bệnh nhân gặp
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Không tìm thấy yếu tố chuyển đổi UOM ({0} -&gt; {1}) cho mục: {2}
 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/setup/doctype/currency_exchange/currency_exchange.py,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.
@@ -1510,6 +1530,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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
 DocType: Vital Signs,Heart Rate / Pulse,Nhịp tim / Pulse
+DocType: Customer,Default Company Bank Account,Tài khoản ngân hàng công ty mặc định
 DocType: Supplier,Default Bank Account,Tài khoản Ngân hàng mặc định
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first","Để lọc dựa vào Đối tác, chọn loại đối tác đầu tiên"
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"""Cập nhật hàng hóa"" không thể được kiểm tra  vì  vật tư không được vận chuyển với {0}"
@@ -1628,7 +1649,6 @@
 DocType: Sales Team,Incentives,Ưu đãi
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Giá trị không đồng bộ
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Giá trị chênh lệch
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vui lòng thiết lập chuỗi đánh số cho Tham dự thông qua Cài đặt&gt; Sê-ri đánh số
 DocType: SMS Log,Requested Numbers,Số yêu cầu
 DocType: Volunteer,Evening,Tối
 DocType: Quiz,Quiz Configuration,Cấu hình câu đố
@@ -1648,6 +1668,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,Dựa trên tổng tiền dòng trên
 DocType: Purchase Invoice Item,Rejected Qty,Số lượng bị từ chối
 DocType: Setup Progress Action,Action Field,Trường hoạt động
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,Loại cho vay đối với lãi suất và lãi suất phạt
 DocType: Healthcare Settings,Manage Customer,Quản lý khách hàng
 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
@@ -1659,6 +1680,7 @@
 ,Final Assessment Grades,Các lớp đánh giá cuối cùng
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,Tên của công ty bạn đang thiết lập hệ thống này.
 DocType: HR Settings,Include holidays in Total no. of Working Days,Bao gồm các ngày lễ trong Tổng số. của các ngày làm việc
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,Tổng số%
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,Thiết lập Viện của bạn trong ERPNext
 DocType: Agriculture Analysis Criteria,Plant Analysis,Phân tích thực vật
 DocType: Task,Timeline,Mốc thời gian
@@ -1666,9 +1688,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Mục thay thế
 DocType: Shopify Log,Request Data,Yêu cầu dữ liệu
 DocType: Employee,Date of Joining,ngày gia nhập
+DocType: Delivery Note,Inter Company Reference,Tham khảo công ty
 DocType: Naming Series,Update Series,Cập nhật sê ri
 DocType: Supplier Quotation,Is Subcontracted,Được ký hợp đồng phụ
 DocType: Restaurant Table,Minimum Seating,Ghế tối thiểu
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,Câu hỏi không thể trùng lặp
 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,Purchase Receipt,Biên lai nhận hàng
@@ -1770,6 +1794,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Đồng bộ hóa offline Hoá đơn
 DocType: Payment Request,Paid,Đã trả
 DocType: Service Level,Default Priority,Ưu tiên mặc định
+DocType: Pledge,Pledge,Lời hứa
 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."
@@ -1783,6 +1808,7 @@
 DocType: Guardian,Guardian Name,Tên người giám hộ
 DocType: Cheque Print Template,Has Print Format,Có Định dạng In
 DocType: Support Settings,Get Started Sections,Mục bắt đầu
+,Loan Repayment and Closure,Trả nợ và đóng
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,xử phạt
 ,Base Amount,Lượng cơ sở
@@ -1793,10 +1819,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,Từ địa điểm
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},Số tiền cho vay không thể lớn hơn {0}
 DocType: Student Admission,Publish on website,Xuất bản trên trang web
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Ngày trên h.đơn mua hàng không thể lớn hơn ngày hạch toán
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Mã hàng&gt; Nhóm vật phẩm&gt; Thương hiệu
 DocType: Subscription,Cancelation Date,Ngày hủy
 DocType: Purchase Invoice Item,Purchase Order Item,Mua hàng mục
 DocType: Agriculture Task,Agriculture Task,Nhiệm vụ Nông nghiệp
@@ -1815,7 +1841,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,Tỷ lệ giảm giá bổ sung
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,Xem danh sách tất cả các video giúp đỡ
 DocType: Agriculture Analysis Criteria,Soil Texture,Cấu tạo của đất
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Chọn đầu tài khoản của ngân hàng nơi kiểm tra đã được gửi.
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Cho phép người dùng chỉnh sửa Giá liệt kê Tỷ giá giao dịch
 DocType: Pricing Rule,Max Qty,Số lượng tối đa
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,In Báo cáo Thẻ
@@ -1950,7 +1975,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Sau khi được đặt, hóa đơn này sẽ bị giữ cho đến ngày đặt"
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,Số tiền bán
-DocType: Repayment Schedule,Interest Amount,Số tiền lãi
+DocType: Loan Interest Accrual,Interest Amount,Số tiền lãi
 DocType: Job Card,Time Logs,Thời gian Logs
 DocType: Sales Invoice,Loyalty Amount,Số tiền khách hàng
 DocType: Employee Transfer,Employee Transfer Detail,Chi tiết Chuyển khoản Nhân viên
@@ -1965,6 +1990,7 @@
 DocType: Cashier Closing,Returns,Các lần trả lại
 DocType: Job Card,WIP Warehouse,WIP kho
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},Không nối tiếp {0} là theo hợp đồng bảo trì tối đa {1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},Giới hạn số tiền bị xử phạt được vượt qua cho {0} {1}
 apps/erpnext/erpnext/config/hr.py,Recruitment,tuyển dụng
 DocType: Lead,Organization Name,Tên tổ chức
 DocType: Support Settings,Show Latest Forum Posts,Hiển thị bài viết mới nhất
@@ -1991,7 +2017,6 @@
 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,ZIP Code,Mã Bưu Chính
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Đơn hàng {0} là {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,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/help.py,Making Stock Entries,Làm Bút toán tồn kho
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,Không thể quảng bá Nhân viên có trạng thái Trái
@@ -2077,7 +2102,6 @@
 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,Start Year,Năm bắt đầu
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Tạo khoản vay
 DocType: Purchase Invoice,Start date of current invoice's period,Ngày bắt đầu hóa đơn hiện tại
 DocType: Shift Type,Process Attendance After,Tham dự quá trình sau
 ,IRS 1099,IRS 1099
@@ -2098,6 +2122,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Chọn tên miền của bạn
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Nhà cung cấp Shopify
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,Mục hóa đơn thanh toán
+DocType: Repayment Schedule,Is Accrued,Được tích lũy
 DocType: Payroll Entry,Employee Details,Chi tiết nhân viên
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Xử lý tệp XML
 DocType: Amazon MWS Settings,CN,CN
@@ -2129,6 +2154,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,Mục nhập điểm trung thành
 DocType: Employee Checkin,Shift End,Thay đổi kết thúc
 DocType: Stock Settings,Default Item Group,Mặc định mục Nhóm
+DocType: Loan,Partially Disbursed,phần giải ngân
 DocType: Job Card Time Log,Time In Mins,Thời gian tính bằng phút
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,Cấp thông tin.
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Hành động này sẽ hủy liên kết tài khoản này khỏi mọi dịch vụ bên ngoài tích hợp ERPNext với tài khoản ngân hàng của bạn. Nó không thể được hoàn tác. Bạn chắc chứ ?
@@ -2144,6 +2170,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,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,"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: Loan Repayment,Loan Closure,Đóng khoản vay
 DocType: Call Log,Lead,Tiềm năng
 DocType: Email Digest,Payables,Phải trả
 DocType: Amazon MWS Settings,MWS Auth Token,Mã xác thực MWS
@@ -2177,6 +2204,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Thuế và lợi ích nhân viên
 DocType: Bank Guarantee,Validity in Days,Hiệu lực trong Ngày
 DocType: Bank Guarantee,Validity in Days,Hiệu lực trong Ngày
+DocType: Unpledge,Haircut,Cắt tóc
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-Form không được áp dụng cho hóa đơn: {0}
 DocType: Certified Consultant,Name of Consultant,Tên tư vấn
 DocType: Payment Reconciliation,Unreconciled Payment Details,Chi tiết Thanh toán không hòa giải
@@ -2230,7 +2258,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,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,The Item {0} cannot have Batch,Mẫu hàng {0} không thể theo lô
 DocType: Crop,Yield UOM,Yield UOM
+DocType: Loan Security Pledge,Partially Pledged,Cam kết một phần
 ,Budget Variance Report,Báo cáo chênh lệch ngân sách
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,Số tiền cho vay bị xử phạt
 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,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
@@ -2265,6 +2295,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,Thủ tục chất lượng mới
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Số dư cho Tài khoản {0} luôn luôn phải {1}
 DocType: Patient Appointment,More Info,Xem thông tin
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,Ngày sinh không thể lớn hơn Ngày tham gia.
 DocType: Supplier Scorecard,Scorecard Actions,Hành động Thẻ điểm
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,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
@@ -2362,6 +2393,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,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,Doc Type,Loại doc
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},Cam kết bảo mật khoản vay được tạo: {0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,Các cuộc hẹn và cuộc gặp gỡ bệnh nhân
@@ -2417,6 +2449,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,Số lượng các cuộc hẹn đồng thời
 apps/erpnext/erpnext/config/desktop.py,Getting Started,Bắt đầu
 DocType: Purchase Invoice,Taxes and Charges Calculation,tính toán Thuế và Phí
+DocType: Loan Interest Accrual,Payable Principal Amount,Số tiền gốc phải trả
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,sách khấu hao tài sản cho bút toán tự động
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Sách khấu hao tài sản cho bút toán tự động
 DocType: BOM Operation,Workstation,Trạm làm việc
@@ -2454,7 +2487,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Thực phẩm
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,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: Bank Account,Is the Default Account,Là tài khoản mặc định
 DocType: Shopify Log,Shopify Log,Nhật ký Shopify
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,Không tìm thấy thông tin liên lạc.
 DocType: Inpatient Occupancy,Check In,Đăng ký vào
@@ -2512,12 +2544,14 @@
 DocType: Sales Order Item,Planned Quantity,Số lượng dự kiến
 DocType: Water Analysis,Water Analysis Criteria,Tiêu chí phân tích nước
 DocType: Item,Maintain Stock,Duy trì hàng tồn kho
+DocType: Loan Security Unpledge,Unpledge Time,Thời gian mở
 DocType: Terms and Conditions,Applicable Modules,Mô-đun áp dụng
 DocType: Employee,Prefered Email,Email  đề xuất
 DocType: Student Admission,Eligibility and Details,Tính hợp lệ và chi tiết
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Bao gồm trong lợi nhuận gộp
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,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,Reqd Qty,Reqd Qty
+DocType: Work Order,This is a location where final product stored.,Đây là một vị trí nơi lưu trữ sản phẩm cuối cùng.
 apps/erpnext/erpnext/controllers/accounts_controller.py,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,Max: {0},Tối đa: {0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Từ Datetime
@@ -2558,8 +2592,10 @@
 DocType: Warranty Claim,Warranty / AMC Status,Bảo hành /tình trạng AMC
 ,Accounts Browser,Trình duyệt tài khoản
 DocType: Procedure Prescription,Referral,Giới thiệu
+,Territory-wise Sales,Bán hàng theo lãnh thổ
 DocType: Payment Entry Reference,Payment Entry Reference,Bút toán thanh toán tham khảo
 DocType: GL Entry,GL Entry,GL nhập
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Accepted Warehouse and Supplier Warehouse cannot be same,Hàng # {0}: Kho được chấp nhận và Kho nhà cung cấp không thể giống nhau
 DocType: Support Search Source,Response Options,Tùy chọn phản hồi
 DocType: Pricing Rule,Apply Multiple Pricing Rules,Áp dụng nhiều quy tắc định giá
 DocType: HR Settings,Employee Settings,Thiết lập nhân viên
@@ -2619,6 +2655,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,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,Agriculture (beta),Nông nghiệp (beta)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,Bảng đóng gói
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt&gt; Cài đặt&gt; Sê-ri đặt tên
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,Thuê văn phòng
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Cài đặt thiết lập cổng SMS
 DocType: Disease,Common Name,Tên gọi chung
@@ -2635,6 +2672,7 @@
 DocType: Item,Sales Details,Thông tin chi tiết bán hàng
 DocType: Coupon Code,Used,Đã sử dụng
 DocType: Opportunity,With Items,Với mục
+DocType: Vehicle Log,last Odometer Value ,Giá trị đo đường cuối cùng
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',Chiến dịch &#39;{0}&#39; đã tồn tại cho {1} &#39;{2}&#39;
 DocType: Asset Maintenance,Maintenance Team,Đội bảo trì
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","Thứ tự trong đó phần sẽ xuất hiện. 0 là thứ nhất, 1 là thứ hai và cứ thế."
@@ -2645,7 +2683,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Chi phí khiếu nại {0} đã tồn tại cho Log xe
 DocType: Asset Movement Item,Source Location,Vị trí nguồn
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Tên học viện
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vui lòng nhập trả nợ Số tiền
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,Vui lòng nhập trả nợ Số tiền
 DocType: Shift Type,Working Hours Threshold for Absent,Ngưỡng giờ làm việc vắng mặt
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Có thể có nhiều yếu tố thu thập theo cấp dựa trên tổng chi tiêu. Nhưng yếu tố chuyển đổi để quy đổi sẽ luôn giống nhau đối với tất cả các cấp.
 apps/erpnext/erpnext/config/help.py,Item Variants,Mục Biến thể
@@ -2669,6 +2707,7 @@
 apps/erpnext/erpnext/education/utils.py,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/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}: {1} phải nhỏ hơn {2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,Vui lòng chọn Loại người đăng ký trước
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","Chọn BOM, Qty và cho kho"
 DocType: GST HSN Code,GST HSN Code,mã GST HSN
 DocType: Employee External Work History,Total Experience,Kinh nghiệm tổng thể
@@ -2762,7 +2801,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",Không tìm thấy BOM hiện hữu cho mặt hàng {0}. Giao hàng bằng \ Số Serial không thể đảm bảo
 DocType: Sales Partner,Sales Partner Target,Mục tiêu DT của Đại lý
-DocType: Loan Type,Maximum Loan Amount,Số tiền cho vay tối đa
+DocType: Loan Application,Maximum Loan Amount,Số tiền cho vay tối đa
 DocType: Coupon Code,Pricing Rule,Quy tắc định giá
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Số cuộn trùng nhau cho sinh viên {0}
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},Số cuộn trùng nhau cho sinh viên {0}
@@ -2786,6 +2825,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,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,No Items to pack,Không có mẫu hàng để đóng gói
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,Hiện tại chỉ có các tệp .csv và .xlsx được hỗ trợ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,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 Nhân sự&gt; Cài đặt nhân sự
 DocType: Shipping Rule Condition,From Value,Từ giá trị gia tăng
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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ợ
@@ -2869,6 +2909,7 @@
 DocType: Customer,Customer POS Id,POS ID Khách hàng
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Sinh viên có email {0} không tồn tại
 DocType: Account,Account Name,Tên Tài khoản
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},Số tiền cho vay bị xử phạt đã tồn tại cho {0} đối với công ty {1}
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"""Từ ngày"" không có thể lớn hơn ""Đến ngày"""
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,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ỏ
 DocType: Pricing Rule,Apply Discount on Rate,Áp dụng giảm giá theo tỷ lệ
@@ -2940,6 +2981,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,Lợi nhuận ròng
 DocType: Purchase Invoice,Eligibility For ITC,Điều kiện Đối với ITC
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,Không ghép
 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,Net Change in Accounts Payable,Chênh lệch giá tịnh trong tài khoản phải trả
@@ -2951,6 +2993,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID thiết bị tham dự (ID thẻ sinh trắc học / RF)
 DocType: Quotation,Term Details,Chi tiết điều khoản
 DocType: Item,Over Delivery/Receipt Allowance (%),Giao hàng quá mức / Phụ cấp nhận hàng (%)
+DocType: Appointment Letter,Appointment Letter Template,Mẫu thư bổ nhiệm
 DocType: Employee Incentive,Employee Incentive,Khuyến khích nhân viên
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,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,Total (Without Tax),Tổng (Không Thuế)
@@ -2975,6 +3018,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",Không thể đảm bảo giao hàng theo Số Serial \ Mặt hàng {0} được tạo và không có thiết lập đảm bảo giao hàng đúng \ số Serial
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Bỏ liên kết Thanh toán Hủy hóa đơn
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,Quá trình cho vay lãi tích lũy
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Hiện đo dặm đọc vào phải lớn hơn ban đầu Xe máy đo dặm {0}
 ,Purchase Order Items To Be Received or Billed,Mua các mặt hàng để được nhận hoặc thanh toán
 DocType: Restaurant Reservation,No Show,Không hiển thị
@@ -3061,6 +3105,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Trung tâm Chi phí là yêu cầu bắt buộc đối với tài khoản 'Lãi và Lỗ' {2}. Vui lòng thiết lập một Trung tâm Chi phí mặc định cho Công ty.
 DocType: Payment Schedule,Payment Term,Chính sách thanh toán
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Một Nhóm khách hàng cùng tên đã tồn tại. Hãy thay đổi tên khách hàng hoặc đổi tên nhóm khách hàng
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,Ngày kết thúc nhập học phải lớn hơn Ngày bắt đầu nhập học.
 DocType: Location,Area,Khu vực
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Liên hệ Mới
 DocType: Company,Company Description,Mô tả công ty
@@ -3136,6 +3181,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,Dữ liệu được ánh xạ
 DocType: Purchase Order Item,Warehouse and Reference,Kho hàng và tham chiếu
 DocType: Payroll Period Date,Payroll Period Date,Thời hạn biên chế
+DocType: Loan Disbursement,Against Loan,Chống cho vay
 DocType: Supplier,Statutory info and other general information about your Supplier,Thông tin theo luật định và các thông tin chung khác về nhà cung cấp của bạn
 DocType: Item,Serial Nos and Batches,Số hàng loạt và hàng loạt
 DocType: Item,Serial Nos and Batches,Số hàng loạt và hàng loạt
@@ -3204,6 +3250,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,Chọn một công ty
 DocType: Delivery Settings,Delivery Settings,Cài đặt phân phối
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Tìm nạp dữ liệu
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},Không thể hủy bỏ nhiều hơn {0} qty của {0}
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,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}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Xuất bản 1 mục
 DocType: SMS Center,Create Receiver List,Tạo ra nhận Danh sách
@@ -3353,6 +3400,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),Số tiền cơ sở(Công ty ngoại tệ)
 DocType: Purchase Invoice,Registered Regular,Đăng ký thường xuyên
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Nguyên liệu thô
+DocType: Plaid Settings,sandbox,hộp cát
 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
@@ -3365,12 +3413,11 @@
 DocType: Leave Ledger Entry,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_plan/production_plan.py,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,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: Loan,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ờ)
 DocType: Item Reorder,Check in (group),Kiểm tra trong (nhóm)
 DocType: Soil Texture,Silt,Silt
@@ -3402,6 +3449,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,Khấu trừ thuế đối với chứng từ miễn thuế chưa nộp
 DocType: Volunteer,Anytime,Bất cứ lúc nào
 DocType: Bank Account,Bank Account No,Số Tài khoản Ngân hàng
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,Giải ngân và hoàn trả
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Gửi bằng chứng miễn thuế cho nhân viên
 DocType: Patient,Surgical History,Lịch sử phẫu thuật
 DocType: Bank Statement Settings Item,Mapped Header,Tiêu đề được ánh xạ
@@ -3466,6 +3514,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Tạo (các) Bài kiểm tra Lab trên Hóa đơn bán hàng
 DocType: Serial No,Invoice Details,Chi tiết hóa đơn
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,Cơ cấu tiền lương phải được nộp trước khi nộp Tuyên bố miễn thuế
+DocType: Loan Application,Proposed Pledges,Dự kiến cam kết
 DocType: Grant Application,Show on Website,Hiển thị trên trang web
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,Bắt đầu vào
 DocType: Hub Tracked Item,Hub Category,Danh mục Trung tâm
@@ -3477,7 +3526,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Nhà cung cấp thẻ điểm chấm điểm
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Dãy {0}: Hóa đơn nguyên vật liệu không được tìm thấy cho mẫu hàng {1}
 DocType: Contract Fulfilment Checklist,Requirement,Yêu cầu
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự&gt; Cài đặt nhân sự
 DocType: Journal Entry,Accounts Receivable,Tài khoản Phải thu
 DocType: Quality Goal,Objectives,Mục tiêu
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Vai trò được phép tạo ứng dụng nghỉ việc lạc hậu
@@ -3490,6 +3538,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,Bao gồm Các bút toán hòa giải
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,Tổng số tiền được phân bổ ({0}) lớn hơn số tiền được trả ({1}).
 DocType: Landed Cost Voucher,Distribute Charges Based On,Phân phối Phí Dựa Trên
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},Số tiền phải trả không thể nhỏ hơn {0}
 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ự
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Thạc sĩ kế toán
@@ -3635,6 +3684,7 @@
 DocType: Employee,Health Insurance,Bảo hiểm y tế
 DocType: Asset Repair,Manufacturing Manager,QUản lý sản xuất
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},Không nối tiếp {0} được bảo hành tối đa {1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,Số tiền cho vay vượt quá số tiền cho vay tối đa {0} theo chứng khoán được đề xuất
 DocType: Plant Analysis Criteria,Minimum Permissible Value,Giá trị tối thiểu cho phép
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,Người dùng {0} đã tồn tại
 apps/erpnext/erpnext/hooks.py,Shipments,Lô hàng
@@ -3679,7 +3729,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Loại hình kinh doanh
 DocType: Sales Invoice,Consumer,Khách hàng
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vui lòng chọn Số tiền phân bổ, Loại hóa đơn và hóa đơn số trong ít nhất một hàng"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt&gt; Cài đặt&gt; Sê-ri đặt tên
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Chi phí mua hàng mới
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Đặt hàng bán hàng cần thiết cho mục {0}
 DocType: Grant Application,Grant Description,Mô tả Grant
@@ -3688,6 +3737,7 @@
 DocType: Subscription,Discounts,Giảm giá
 DocType: Bank Transaction,Unallocated Amount,Số tiền chưa được phân bổ
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,Vui lòng bật Áp dụng cho Đơn đặt hàng và Áp dụng cho Chi phí thực tế của đặt phòng
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0} không phải là tài khoản ngân hàng của công ty
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,Không thể tìm thấy một kết hợp Item. Hãy chọn một vài giá trị khác cho {0}.
 DocType: POS Profile,Taxes and Charges,Thuế và phí
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Một sản phẩm hay một dịch vụ được mua, bán hoặc lưu giữ trong kho."
@@ -3738,6 +3788,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Ngày hợp lệ từ ngày phải nhỏ hơn Ngày hết hạn hợp lệ.
 DocType: Employee Skill,Evaluation Date,Ngày đánh giá
 DocType: Quotation Item,Stock Balance,Số tồn kho
+DocType: Loan Security Pledge,Total Security Value,Tổng giá trị bảo mật
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Đặt hàng bán hàng để thanh toán
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,Với việc thanh toán thuế
@@ -3750,6 +3801,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,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,ĐVT trọng lượng
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},Tài khoản {0} không tồn tại trong biểu đồ bảng điều khiển {1}
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,Hiển thị Thuộc tính Variant
@@ -3831,6 +3883,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,Hiện tại Rate Định giá
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,Số tài khoản root không thể ít hơn 4
 DocType: Training Event,Advance,Nâng cao
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,Chống cho vay:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,Cài đặt cổng thanh toán GoCardless
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Trao đổi Lãi / lỗ
 DocType: Opportunity,Lost Reason,Lý do bị mất
@@ -3915,8 +3968,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,Chọn Batch No
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},Không hợp lệ {0}: {1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,Hàng {0}: Ngày sinh của anh chị em không thể lớn hơn ngày hôm nay.
 DocType: Fee Validity,Reference Inv,Inv Inv
 DocType: Sales Invoice Advance,Advance Amount,Số tiền ứng trước
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,Lãi suất phạt (%) mỗi ngày
 DocType: Manufacturing Settings,Capacity Planning,Kế hoạch công suất
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,Điều chỉnh làm tròn (Đơn vị tiền tệ của công ty
 DocType: Asset,Policy number,Số chính sách
@@ -3932,7 +3987,9 @@
 DocType: Normal Test Items,Require Result Value,Yêu cầu Giá trị Kết quả
 DocType: Purchase Invoice,Pricing Rules,Quy tắc định giá
 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: Appointment Letter,Body,Thân hình
 DocType: Tax Withholding Rate,Tax Withholding Rate,Thuế khấu trừ thuế
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,Ngày bắt đầu hoàn trả là bắt buộc đối với các khoản vay có kỳ hạn
 DocType: Pricing Rule,Max Amt,Tối đa
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOMs
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,Cửa hàng
@@ -3952,7 +4009,7 @@
 DocType: Call Log,Received By,Nhận bởi
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Thời hạn bổ nhiệm (Trong vài phút)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Chi tiết Mẫu Bản đồ Tiền mặt
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,Quản lý khoản vay
+DocType: Loan,Loan Management,Quản lý khoản vay
 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Theo dõi thu nhập và chi phí riêng cho ngành dọc sản phẩm hoặc bộ phận.
 DocType: Rename Tool,Rename Tool,Công cụ đổi tên
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Update Cost,Cập nhật giá
@@ -3960,6 +4017,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,Mẫu GSTR3B
 DocType: Sales Invoice,Mode of Transport,Phương thức vận tải
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,Trượt Hiện Lương
+DocType: Loan,Is Term Loan,Vay có kỳ hạn
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,Vật liệu chuyển
 DocType: Fees,Send Payment Request,Gửi yêu cầu thanh toán
 DocType: Travel Request,Any other details,Mọi chi tiết khác
@@ -3977,6 +4035,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,Lưu chuyển tiền tệ từ tài chính
 DocType: Budget Account,Budget Account,Tài khoản ngân sách
 DocType: Quality Inspection,Verified By,Xác nhận bởi
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,Thêm bảo đảm tiền vay
 DocType: Travel Request,Name of Organizer,Tên tổ chức
 apps/erpnext/erpnext/setup/doctype/company/company.py,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Không thể thay đổi tiền tệ mặc định của công ty, bởi vì có giao dịch hiện có. Giao dịch phải được hủy bỏ để thay đổi tiền tệ mặc định."
 DocType: Cash Flow Mapping,Is Income Tax Liability,Trách nhiệm pháp lý về Thuế thu nhập
@@ -4027,6 +4086,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Đã yêu cầu với
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Nếu được chọn, ẩn và vô hiệu hóa trường Tổng số được làm tròn trong Bảng lương"
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Đây là phần bù mặc định (ngày) cho Ngày giao hàng trong Đơn đặt hàng. Thời gian bù dự phòng là 7 ngày kể từ ngày đặt hàng.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vui lòng thiết lập chuỗi đánh số cho Tham dự thông qua Cài đặt&gt; Sê-ri đánh số
 DocType: Rename Tool,File to Rename,Đổi tên tệp tin
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,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,Fetch Subscription Updates,Tìm nạp cập nhật đăng ký
@@ -4039,6 +4099,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Số sê-ri được tạo
 DocType: POS Profile,Applicable for Users,Áp dụng cho người dùng
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,Từ ngày đến ngày là bắt buộc
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Đặt Project và tất cả các Nhiệm vụ thành trạng thái {0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Đặt tiến bộ và phân bổ (FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Không có Đơn đặt hàng làm việc nào được tạo
@@ -4048,6 +4109,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Mục của
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Chi phí Mua Items
 DocType: Employee Separation,Employee Separation Template,Mẫu tách nhân viên
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},Không có số lượng {0} cam kết cho vay {0}
 DocType: Selling Settings,Sales Order Required,Đơn đặt hàng đã yêu cầu
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Trở thành người bán
 ,Procurement Tracker,Theo dõi mua sắm
@@ -4146,11 +4208,12 @@
 ,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,Total Absent,Tổng số Vắng
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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/hr/report/loan_repayment/loan_repayment.py,Payable Amount,Số tiền phải trả
+DocType: Loan Repayment,Payable Amount,Số tiền phải trả
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,Cơ hội
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,Sức mạnh tối đa không thể nhỏ hơn không.
 DocType: Options,Option,Tùy chọn
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Bạn không thể tạo các mục kế toán trong kỳ kế toán đã đóng {0}
 DocType: Operation,Default Workstation,Mặc định Workstation
@@ -4192,6 +4255,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,Số tiền lãi là bắt buộc
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Next Steps,Những bước tiếp theo
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Các mục đã lưu
@@ -4243,8 +4307,6 @@
 DocType: Grant Application,Grant Application Details ,Chi tiết Đơn xin Cấp phép
 DocType: Employee Separation,Employee Separation,Tách nhân viên
 DocType: BOM Item,Original Item,Mục gốc
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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/regional/report/eway_bill/eway_bill.py,Doc Date,Ngày tài liệu
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Hồ sơ Phí Tạo - {0}
 DocType: Asset Category Account,Asset Category Account,Loại tài khoản tài sản
@@ -4280,6 +4342,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Mục thử nghiệm {0} đã tồn tại
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} là một kỳ nghỉ của công ty
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Giờ có thể tính hóa đơn
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,Lãi suất phạt được tính trên số tiền lãi đang chờ xử lý hàng ngày trong trường hợp trả nợ chậm
+DocType: Appointment Letter content,Appointment Letter content,Nội dung thư hẹn
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Để lại thông báo trạng thái
 DocType: Patient Appointment,Procedure Prescription,Thủ tục toa thuốc
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,Nội thất và Đèn
@@ -4299,7 +4363,7 @@
 DocType: Opportunity,Customer / Lead Name,Tên Khách hàng / Tiềm năng
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Ngày chốt sổ không được đề cập
 DocType: Payroll Period,Taxable Salary Slabs,Bảng lương chịu thuế
-DocType: Job Card,Production,Sản xuất
+DocType: Plaid Settings,Production,Sản xuất
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN không hợp lệ! Đầu vào bạn đã nhập không khớp với định dạng của GSTIN.
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Giá trị tài khoản
 DocType: Guardian,Occupation,Nghề Nghiệp
@@ -4445,6 +4509,7 @@
 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,Student {0} does not belong to group {1},Sinh viên {0} không thuộc nhóm {1}
+DocType: Appointment Letter,Appointment Date,Ngày hẹn
 DocType: Budget,Cost Center,Bộ phận chi phí
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,Chứng từ #
 DocType: Tax Rule,Shipping Country,Vận Chuyển quốc gia
@@ -4515,6 +4580,7 @@
 DocType: Accounting Dimension,Accounting Dimension,Kích thước kế toán
 ,Profit and Loss Statement,Báo cáo lợi nhuận
 DocType: Bank Reconciliation Detail,Cheque Number,Số séc
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,Số tiền thanh toán không thể bằng không
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,Mục được tham chiếu bởi {0} - {1} đã được lập hoá đơn
 ,Sales Browser,Doanh số bán hàng của trình duyệt
 DocType: Journal Entry,Total Credit,Tổng số nợ
@@ -4631,6 +4697,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,Thêm / Chỉnh sửa điều kiện phiếu giảm giá
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Chi phí tài khoản / khác biệt ({0}) phải là một ""lợi nhuận hoặc lỗ 'tài khoản"
 DocType: Stock Entry Detail,Stock Entry Child,Nhập cảnh trẻ em
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,Công ty cầm cố bảo đảm tiền vay và công ty cho vay phải giống nhau
 DocType: Project,Copied From,Sao chép từ
 DocType: Project,Copied From,Sao chép từ
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Hóa đơn đã được tạo cho tất cả giờ thanh toán
@@ -4639,6 +4706,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,Chi phí Tài chính
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,Tại nhà cho nhân viên {0} đã được đánh dấu
 DocType: Packing Slip,If more than one package of the same type (for print),Nếu có nhiều hơn một gói cùng loại (đối với in)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vui lòng thiết lập Hệ thống đặt tên giảng viên trong giáo dục&gt; Cài đặt giáo dục
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,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: Company,Default warehouse for Sales Return,Kho mặc định cho doanh thu bán hàng
@@ -4683,7 +4751,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,Số sê-ri hiện tại
 DocType: Employee,Attendance and Leave Details,Tham dự và để lại chi tiết
 ,BOM Comparison Tool,Công cụ so sánh BOM
-,Requested,Yêu cầu
+DocType: Loan Security Pledge,Requested,Yêu cầu
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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.
@@ -4695,7 +4763,6 @@
 DocType: Drug Prescription,Drug Prescription,Thuốc theo toa
 DocType: Service Level,Support and Resolution,Hỗ trợ và giải quyết
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,Mã mặt hàng miễn phí không được chọn
-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
@@ -4729,6 +4796,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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,You have already assessed for the assessment criteria {}.,Bạn đã đánh giá các tiêu chí đánh giá {}.
+DocType: Loan Security Shortfall,Shortfall Amount,Số tiền thiếu
 DocType: Vehicle Service,Engine Oil,Dầu động cơ
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},Đơn hàng Công việc Đã Được Tạo: {0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},Vui lòng đặt id email cho khách hàng tiềm năng {0}
@@ -4747,6 +4815,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Tài khoản không được đặt cho biểu đồ bảng điều khiển {0}
 DocType: Purchase Invoice,Apply Additional Discount On,Áp dụng khác Giảm Ngày
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Lựa chọn đối tượng...
+DocType: Loan Interest Accrual,Amounts,Lượng
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vé của bạn
 DocType: Account,Root Type,Loại gốc
 DocType: Item,FIFO,FIFO
@@ -4754,6 +4823,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Hàng # {0}: Không thể trả về nhiều hơn {1} cho mẫu hàng {2}
 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: Loan Security Price,Loan Security Price,Giá bảo đảm tiền vay
 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,Target warehouse is mandatory for row {0},Kho mục tiêu là bắt buộc đối với hàng {0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,Hoạt động bán lẻ
@@ -4894,6 +4964,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Hàng loạt là bắt buộc ở hàng {0}
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Hàng loạt là bắt buộc ở hàng {0}
 DocType: Company,Default Buying Terms,Điều khoản mua mặc định
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,Giải ngân cho vay
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Mua hóa đơn hàng Cung cấp
 DocType: Amazon MWS Settings,Enable Scheduled Synch,Bật đồng bộ hóa được lập lịch
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Tới ngày giờ
@@ -4922,6 +4993,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Nhập giá trị betweeen {0} và {1}
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Nhập tên của chiến dịch nếu nguồn gốc của cuộc điều tra là chiến dịch
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,Các nhà xuất bản báo
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},Không tìm thấy <b>giá bảo mật khoản vay</b> hợp lệ cho {0}
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Các ngày trong tương lai không được phép
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Ngày giao hàng dự kiến sẽ là sau Ngày đặt hàng bán hàng
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,Sắp xếp lại Cấp
@@ -4988,6 +5060,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,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/config/loan_management.py,Loan Processes,Quy trình cho vay
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,Biến thể đơn
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Tất cả Jobs
 DocType: Sales Order,% of materials billed against this Sales Order,% của NVL đã có hoá đơn gắn với đơn đặt hàng này
@@ -5051,7 +5124,7 @@
 DocType: Item,Reorder level based on Warehouse,mức đèn đỏ mua vật tư (phải bổ xung hoặc đặt mua thêm)
 DocType: Activity Cost,Billing Rate,Tỷ giá thanh toán
 ,Qty to Deliver,Số lượng để Cung cấp
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,Tạo mục giải ngân
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,Tạo mục giải ngân
 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,Operations cannot be left blank,Hoạt động không thể để trống
@@ -5085,6 +5158,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,Hủy liên kết tích hợp bên ngoài
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,Chọn một khoản thanh toán tương ứng
 DocType: Pricing Rule,Item Code,Mã hàng
+DocType: Loan Disbursement,Pending Amount For Disbursal,Số tiền đang chờ xử lý để giải ngân
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,Bảo hành /chi tiết AMC
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,Chọn sinh viên theo cách thủ công cho nhóm dựa trên hoạt động
@@ -5110,6 +5184,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,Tổng số
 DocType: Landed Cost Item,Receipt Document,Chứng từ thư
 DocType: Employee Education,School/University,Học / Đại học
+DocType: Loan Security Pledge,Loan  Details,Chi tiết khoản vay
 DocType: Sales Invoice Item,Available Qty at Warehouse,Số lượng có sẵn tại kho
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Số lượng đã được lập hóa đơn
 DocType: Share Transfer,(including),(kể cả)
@@ -5133,6 +5208,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,Nhóm
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Nhóm bởi tài khoản
 DocType: Purchase Invoice,Hold Invoice,Giữ hóa đơn
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,Tình trạng cầm cố
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,Vui lòng chọn Nhân viên
 DocType: Sales Order,Fully Delivered,Giao đầy đủ
 DocType: Promotional Scheme Price Discount,Min Amount,Số tiền tối thiểu
@@ -5142,7 +5218,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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á/Nợ, vì đối soát tồn kho này là bút toán đầu kỳ"
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Số tiền giải ngân không thể lớn hơn Số tiền vay {0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Hàng {0} # Số tiền được phân bổ {1} không được lớn hơn số tiền chưa được xác nhận {2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Số mua hàng cần thiết cho mục {0}
 DocType: Leave Allocation,Carry Forwarded Leaves,Mang lá chuyển tiếp
@@ -5170,6 +5245,7 @@
 DocType: Pick List Item,Serial No and Batch,Số thứ tự và hàng loạt
 DocType: Warranty Claim,From Company,Từ Công ty
 DocType: GSTR 3B Report,January,tháng Giêng
+DocType: Loan Repayment,Principal Amount Paid,Số tiền gốc phải trả
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Sum của Điểm của tiêu chí đánh giá cần {0} được.
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Hãy thiết lập Số khấu hao Thẻ vàng
 DocType: Supplier Scorecard Period,Calculations,Tính toán
@@ -5196,6 +5272,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Giới thiệu về công ty của bạn
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Hiển thị dữ liệu lão hóa chứng khoán
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,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: Loan Repayment,Penalty Amount,Số tiền phạt
 DocType: Donor,Donor,Nhà tài trợ
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Cập nhật thuế cho các mặt hàng
 DocType: Global Defaults,Disable In Words,"Vô hiệu hóa ""Số tiền bằng chữ"""
@@ -5226,6 +5303,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Trung tâm chi phí và ngân sách
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Khai mạc Balance Equity
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,Nhập cảnh một phần
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Vui lòng đặt Lịch thanh toán
 DocType: Pick List,Items under this warehouse will be suggested,Các mặt hàng trong kho này sẽ được đề xuất
 DocType: Purchase Invoice,N,N
@@ -5259,7 +5337,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} không tìm thấy cho khoản {1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Giá trị phải nằm trong khoảng từ {0} đến {1}
 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,"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,Message Sent,Gửi tin nhắn
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -5273,6 +5350,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,Bật tự động đặt hàng lại
 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,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: Proposed Pledge,Proposed Pledge,Cam kết đề xuất
 DocType: Work Order,Material Transferred for Manufacturing,Vât tư đã được chuyển giao cho sản xuất
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,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,Select Loyalty Program,Chọn Chương trình khách hàng thân thiết
@@ -5283,7 +5361,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Thiết kiện để {0}, vì các nhân viên thuộc dưới Sales Người không có một ID người dùng {1}"
 DocType: Timesheet,Billing Details,Chi tiết Thanh toán
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Nguồn và kho đích phải khác nhau
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự&gt; Cài đặt nhân sự
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Thanh toán không thành công. Vui lòng kiểm tra Tài khoản GoCard của bạn để biết thêm chi tiết
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Không được cập nhật giao dịch tồn kho cũ hơn {0}
 DocType: Stock Entry,Inspection Required,Kiểm tra yêu cầu
@@ -5296,6 +5373,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},Cần nhập kho giao/nhận cho hàng hóa {0}
 DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Tổng trọng lượng của gói. Thường là khối lượng tịnh + trọng lượng vật liệu. (Đối với việc in)
 DocType: Assessment Plan,Program,chương trình
+DocType: Unpledge,Against Pledge,Chống lại cam kết
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Người sử dụng với vai trò này được phép thiết lập tài khoản phong toả và tạo / sửa đổi ghi sổ kế toán đối với tài khoản phong toả
 DocType: Plaid Settings,Plaid Environment,Môi trường kẻ sọc
 ,Project Billing Summary,Tóm tắt thanh toán dự án
@@ -5348,6 +5426,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Hàng loạt
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Số ngày hẹn có thể được đặt trước
 DocType: Article,LMS User,Người dùng LMS
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,Bảo đảm tiền vay là bắt buộc đối với khoản vay có bảo đảm
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Nơi cung cấp (Bang / UT)
 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,Purchase Order {0} is not submitted,Mua hàng {0} không nộp
@@ -5423,6 +5502,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Tạo thẻ công việc
 DocType: Quotation,Referral Sales Partner,Đối tác bán hàng giới thiệu
 DocType: Quality Procedure Process,Process Description,Miêu tả quá trình
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount","Không thể Unpledge, giá trị bảo đảm tiền vay lớn hơn số tiền hoàn trả"
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Đã tạo {0} khách hàng.
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, 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
@@ -5443,7 +5523,7 @@
 DocType: Asset,Insurance Details,Chi tiết bảo hiểm
 DocType: Account,Payable,Phải nộp
 DocType: Share Balance,Share Type,Loại chia sẻ
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Vui lòng nhập kỳ hạn trả nợ
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,Vui lòng nhập kỳ hạn trả nợ
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Con nợ ({0})
 DocType: Pricing Rule,Margin,Biên
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Khách hàng mới
@@ -5452,6 +5532,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,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,Change POS Profile,Thay đổi Hồ sơ POS
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,Số lượng hoặc số tiền là mandatroy để bảo đảm tiền vay
 DocType: Bank Reconciliation Detail,Clearance Date,Ngày chốt sổ
 DocType: Delivery Settings,Dispatch Notification Template,Mẫu thông báo công văn
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Báo cáo đánh giá
@@ -5487,6 +5568,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Chia sẻ sổ cái
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Hóa đơn bán hàng {0} đã được tạo
 DocType: Employee,Confirmation Date,Ngày Xác nhận
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"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: Inpatient Occupancy,Check Out,Kiểm tra
 DocType: C-Form,Total Invoiced Amount,Tổng số tiền đã lập Hoá đơn
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,Số lượng tối thiểu không thể lớn hơn Số lượng tối đa
@@ -5500,7 +5583,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,ID công ty Quickbooks
 DocType: Travel Request,Travel Funding,Tài trợ du lịch
 DocType: Employee Skill,Proficiency,Khả năng
-DocType: Loan Application,Required by Date,Theo yêu cầu của ngày
 DocType: Purchase Invoice Item,Purchase Receipt Detail,Chi tiết hóa đơn mua hàng
 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
 DocType: Lead,Lead Owner,Người sở hữu Tiềm năng
@@ -5519,7 +5601,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM BOM hiện tại và mới không thể giống nhau
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID Phiếu lương
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Ngày nghỉ hưu phải lớn hơn ngày gia nhập
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Nhà cung cấp&gt; Loại nhà cung cấp
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Nhiều biến thể
 DocType: Sales Invoice,Against Income Account,Đối với tài khoản thu nhập
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Đã giao hàng
@@ -5552,7 +5633,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Phí kiểu định giá không thể đánh dấu là toàn bộ
 DocType: POS Profile,Update Stock,Cập nhật hàng tồn kho
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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
+DocType: Loan Repayment,Payment Details,Chi tiết Thanh toán
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Tỷ giá BOM
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,Đọc tập tin đã tải lên
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"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ỏ"
@@ -5588,6 +5669,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,Giá trị khoản vay tối đa
 ,Stock Ledger,Sổ cái hàng tồn kho
 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
@@ -5595,6 +5677,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,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,Community Forum,Cộng đồng Diễn đàn
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},Không có lá nào được phân bổ cho nhân viên: {0} cho loại nghỉ phép: {1}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Số lượng thực tế trong kho
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Số lượng thực tế trong kho
 DocType: Homepage,"URL for ""All Products""",URL cho &quot;Tất cả các sản phẩm&quot;
@@ -5697,7 +5780,6 @@
 DocType: Fee Schedule,Fee Schedule,Biểu phí
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,Nhãn cột:
 DocType: Bank Transaction,Settled,Định cư
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,Ngày giải ngân không thể sau ngày bắt đầu hoàn trả khoản vay
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Tạm dừng
 DocType: Quality Feedback,Parameters,Thông số
 DocType: Company,Create Chart Of Accounts Based On,Tạo Chart of Accounts Dựa On
@@ -5717,6 +5799,7 @@
 DocType: Customer,Credit Limit and Payment Terms,Các hạn mức tín dụng và điều khoản thanh toán
 DocType: Loyalty Program,Collection Rules,Quy tắc thu thập
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,Khoản 3
+DocType: Loan Security Shortfall,Shortfall Time,Thời gian thiếu
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,Đăng nhập
 DocType: Purchase Order,Customer Contact Email,Email Liên hệ Khách hàng
 DocType: Warranty Claim,Item and Warranty Details,Hàng và bảo hành chi tiết
@@ -5736,12 +5819,14 @@
 DocType: Sales Person,Sales Person Name,Người bán hàng Tên
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vui lòng nhập ít nhất 1 hóa đơn trong bảng
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Không có thử nghiệm Lab nào được tạo
+DocType: Loan Security Shortfall,Security Value ,Giá trị bảo mật
 DocType: POS Item Group,Item Group,Nhóm hàng
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Nhóm học sinh:
 DocType: Depreciation Schedule,Finance Book Id,Id sách tài chính
 DocType: Item,Safety Stock,Hàng hóa dự trữ
 DocType: Healthcare Settings,Healthcare Settings,Cài đặt Y tế
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Tổng số lá được phân bổ
+DocType: Appointment Letter,Appointment Letter,Thư hẹn
 apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Tiến% cho một nhiệm vụ không thể có nhiều hơn 100.
 DocType: Stock Reconciliation Item,Before reconciliation,Trước kiểm kê
 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},Để {0}
@@ -5797,6 +5882,7 @@
 DocType: Stock Entry,From BOM,Từ BOM
 DocType: Assessment Code,Assessment Code,Mã Đánh giá
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Cơ bản
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,Ứng dụng cho vay từ khách hàng và nhân viên.
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Giao dịch hàng tồn kho trước ngày {0} được đóng băng
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Vui lòng click vào 'Lập Lịch trình'
 DocType: Job Card,Current Time,Thời điểm hiện tại
@@ -5823,7 +5909,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,Ban cho
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Không có nhóm học sinh được tạo ra.
 DocType: Purchase Invoice Item,Serial No,Không nối tiếp
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,SỐ tiền trả  hàng tháng không thể lớn hơn Số tiền vay
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,SỐ tiền trả  hàng tháng không thể lớn hơn Số tiền vay
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,Thông tin chi tiết vui lòng nhập Maintaince đầu tiên
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Hàng # {0}: Ngày giao hàng dự kiến không được trước ngày đặt hàng mua hàng
 DocType: Purchase Invoice,Print Language,In Ngôn ngữ
@@ -5837,6 +5923,7 @@
 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,All Territories,Tất cả các vùng lãnh thổ
+DocType: Plaid Settings,development,phát triển
 DocType: Lost Reason Detail,Lost Reason Detail,Mất chi tiết lý do
 apps/erpnext/erpnext/hr/utils.py,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,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
@@ -5901,12 +5988,14 @@
 DocType: Staffing Plan Detail,Current Openings,Mở hiện tại
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,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,CGST Amount,Số tiền CGST
+DocType: Vehicle Log,Current Odometer value ,Giá trị đo đường hiện tại
 apps/erpnext/erpnext/utilities/activation.py,Create Student,Tạo sinh viên
 DocType: Asset Movement Item,Asset Movement Item,Mục chuyển động tài sản
 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
 DocType: Manufacturer,Limited to 12 characters,Hạn chế đến 12 ký tự
+DocType: Appointment Letter,Closing Notes,Ghi chú kết thúc
 DocType: Journal Entry,Print Heading,In tiêu đề
 DocType: Quality Action Table,Quality Action Table,Bảng hành động chất lượng
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Tổng số không thể bằng 0
@@ -5974,6 +6063,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Tổng số (Amt)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},Vui lòng xác định / tạo Tài khoản (Nhóm) cho loại - {0}
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,Giải trí & Giải trí
+DocType: Loan Security,Loan Security,Bảo đảm tiền vay
 ,Item Variant Details,Chi tiết biến thể của Chi tiết
 DocType: Quality Inspection,Item Serial No,Sê ri mẫu hàng số
 DocType: Payment Request,Is a Subscription,Là đăng ký
@@ -5986,7 +6076,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Giai đoạn cuối
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Ngày theo lịch trình và ngày nhập học không thể ít hơn ngày hôm nay
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Chuyển Vật liệu để Nhà cung cấp
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Dãy số mới không thể có  kho hàng. Kho hàng phải đượcthiết lập bởi Bút toán kho dự trữ  hoặc biên lai mua hàng
 DocType: Lead,Lead Type,Loại Tiềm năng
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Tạo báo giá
@@ -6004,7 +6093,6 @@
 DocType: Leave Allocation,Leave Period,Rời khỏi Khoảng thời gian
 DocType: Item,Default Material Request Type,Mặc định liệu yêu cầu Loại
 DocType: Supplier Scorecard,Evaluation Period,Thời gian thẩm định
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Khách hàng&gt; Nhóm khách hàng&gt; Lãnh thổ
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,không xác định
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Đơn hàng công việc chưa tạo
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6090,7 +6178,8 @@
 ,Customer-wise Item Price,Giá khách hàng thông thái
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,Báo cáo lưu chuyển tiền mặt
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Không có yêu cầu vật liệu được tạo
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,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/loan_management/doctype/loan_application/loan_application.py,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}
+DocType: Loan,Loan Security Pledge,Cam kết bảo đảm tiền vay
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,bằng
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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
@@ -6108,6 +6197,7 @@
 DocType: Pricing Rule,Price Discount Scheme,Đề án giảm giá
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Trạng thái Bảo trì phải được Hủy hoặc Hoàn thành để Gửi
 DocType: Amazon MWS Settings,US,Mỹ
+DocType: Loan Security Pledge,Pledged,Cầm cố
 DocType: Holiday List,Add Weekly Holidays,Thêm ngày lễ hàng tuần
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Mục báo cáo
 DocType: Staffing Plan Detail,Vacancies,Vị trí Tuyển dụng
@@ -6126,7 +6216,6 @@
 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,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
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,Tạo mục trả nợ
 DocType: Purchase Order Item,Blanket Order Rate,Tỷ lệ đặt hàng chăn
 ,Customer Ledger Summary,Tóm tắt sổ cái khách hàng
 apps/erpnext/erpnext/hooks.py,Certification,Chứng nhận
@@ -6147,6 +6236,7 @@
 DocType: Appraisal Template,Appraisal Template Title,Thẩm định Mẫu Tiêu đề
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Thương mại
 DocType: Patient,Alcohol Current Use,Sử dụng rượu
+DocType: Loan,Loan Closure Requested,Yêu cầu đóng khoản vay
 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Số tiền thanh toán tiền thuê nhà
 DocType: Student Admission Program,Student Admission Program,Chương trình nhập học cho sinh viên
 DocType: Employee Tax Exemption Sub Category,Tax Exemption Category,Danh mục miễn thuế
@@ -6170,6 +6260,7 @@
 DocType: Opening Invoice Creation Tool,Sales,Bán hàng
 DocType: Stock Entry Detail,Basic Amount,Số tiền cơ bản
 DocType: Training Event,Exam,Thi
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,Thiếu hụt bảo đảm tiền vay
 DocType: Email Campaign,Email Campaign,Chiến dịch email
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,Chợ hàng hóa lỗi
 DocType: Complaint,Complaint,Lời phàn nàn
@@ -6249,6 +6340,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,Gửi thông tin này để tạo hồ sơ Nhân viên
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},Giá bảo đảm tiền vay chồng chéo với {0}
 DocType: Item Default,Item Default,Mục mặc định
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Vật tư nội bộ
 DocType: Chapter Member,Leave Reason,Để lại lý do
@@ -6276,6 +6368,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0} Phiếu giảm giá được sử dụng là {1}. Số lượng cho phép đã cạn kiệt
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Bạn có muốn gửi yêu cầu tài liệu
 DocType: Job Offer,Awaiting Response,Đang chờ Response
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,Khoản vay là bắt buộc
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,Ở trên
 DocType: Support Search Source,Link Options,Tùy chọn liên kết
@@ -6288,6 +6381,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
+DocType: Pledge,Post Haircut Amount,Số tiền cắt tóc
 DocType: Sales Order,Skip Delivery Note,Bỏ qua ghi chú giao hàng
 DocType: Price List,Price Not UOM Dependent,Giá không phụ thuộc UOM
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,Đã tạo {0} biến thể.
@@ -6314,6 +6408,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,Chọn mục từ Sản phẩm theo lô
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,Phương thức trả nợ là bắt buộc đối với các khoản vay có kỳ hạn
 DocType: Asset,Straight Line,Đường thẳng
 DocType: Project User,Project User,Dự án tài
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,Chia
@@ -6361,7 +6456,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Vai trò được phép thiết lập các tài khoản đóng băng & chỉnh sửa các bút toán vô hiệu hóa
 DocType: Supplier Scorecard Scoring Variable,Path,Con đường
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Không thể chuyển đổi Chi phí bộ phận sổ cái vì nó có các nút con
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},Không tìm thấy yếu tố chuyển đổi UOM ({0} -&gt; {1}) cho mục: {2}
 DocType: Production Plan,Total Planned Qty,Tổng số lượng dự kiến
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Giao dịch đã được truy xuất từ tuyên bố
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Giá trị mở
@@ -6370,11 +6464,8 @@
 DocType: Material Request Plan Item,Required Quantity,Số lượng yêu cầu
 DocType: Lab Test Template,Lab Test Template,Mẫu thử nghiệm Lab
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Kỳ kế toán trùng lặp với {0}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,Nhà cung cấp&gt; Loại nhà cung cấp
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Tài khoản bán hàng
 DocType: Purchase Invoice Item,Total Weight,Tổng khối lượng
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <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: Pick List Item,Pick List Item,Chọn mục danh sách
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Hoa hồng trên doanh thu
 DocType: Job Offer Term,Value / Description,Giá trị / Mô tả
@@ -6421,6 +6512,7 @@
 DocType: Patient Encounter,Encounter Date,Ngày gặp
 DocType: Work Order,Update Consumed Material Cost In Project,Cập nhật chi phí vật liệu tiêu thụ trong dự án
 apps/erpnext/erpnext/controllers/accounts_controller.py,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/config/loan_management.py,Loans provided to customers and employees.,Các khoản vay cung cấp cho khách hàng và nhân viên.
 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
@@ -6489,7 +6581,6 @@
 DocType: Contract,Signed On,Đã đăng nhập
 DocType: Bank Account,Party Type,Loại đối tác
 DocType: Discounted Invoice,Discounted Invoice,Hóa đơn giảm giá
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Đánh dấu tham dự như <b></b>
 DocType: Payment Schedule,Payment Schedule,Lịch trình thanh toán
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Không tìm thấy nhân viên cho giá trị trường nhân viên nhất định. &#39;{}&#39;: {}
 DocType: Item Attribute Value,Abbreviation,Rút gọn
@@ -6561,6 +6652,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Nợ
 DocType: Assessment Plan,Assessment Name,Tên Đánh giá
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Hàng # {0}: Số sê ri là bắt buộc
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,Số tiền {0} là bắt buộc để đóng khoản vay
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,mục chi tiết thuế thông minh
 DocType: Employee Onboarding,Job Offer,Tuyển dụng
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Viện Tên viết tắt
@@ -6585,7 +6677,6 @@
 DocType: Purchase Order,To Receive,Nhận
 DocType: Leave Period,Holiday List for Optional Leave,Danh sách kỳ nghỉ cho nghỉ phép tùy chọn
 DocType: Item Tax Template,Tax Rates,Thuế suất
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,Mã hàng&gt; Nhóm vật phẩm&gt; Thương hiệu
 DocType: Asset,Asset Owner,Chủ tài sản
 DocType: Item,Website Content,Nội dung trang web
 DocType: Bank Account,Integration ID,ID tích hợp
@@ -6601,6 +6692,7 @@
 DocType: Amazon MWS Settings,Synch Orders,Đồng bộ hóa đơn đặt hàng
 apps/erpnext/erpnext/config/manufacturing.py,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,Select Fiscal Year...,Chọn năm tài chính ...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},Vui lòng chọn Loại cho vay đối với công ty {0}
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,"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
@@ -6629,6 +6721,7 @@
 DocType: Customer,Mention if non-standard receivable account,Đề cập đến nếu tài khoản phải thu phi tiêu chuẩn
 DocType: Bank,Plaid Access Token,Mã thông báo truy cập kẻ sọc
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,Vui lòng thêm các lợi ích còn lại {0} vào bất kỳ thành phần hiện có nào
+DocType: Bank Account,Is Default Account,Là tài khoản mặc định
 DocType: Journal Entry Account,If Income or Expense,Nếu thu nhập hoặc chi phí
 DocType: Course Topic,Course Topic,Chủ đề khóa học
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Voucher POS Đóng cuối ngày tồn tại cho {0} giữa ngày {1} và {2}
@@ -6641,7 +6734,7 @@
 DocType: Disease,Treatment Task,Nhiệm vụ điều trị
 DocType: Payment Order Reference,Bank Account Details,Chi tiết Tài khoản Ngân hàng
 DocType: Purchase Order Item,Blanket Order,Thứ tự chăn
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Số tiền hoàn trả phải lớn hơn
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Số tiền hoàn trả phải lớn hơn
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Thuế tài sản
 DocType: BOM Item,BOM No,số hiệu BOM
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Cập nhật chi tiết
@@ -6698,6 +6791,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,Sản phẩm thương mại Woo
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},Lỗi cú pháp trong công thức hoặc điều kiện: {0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,Mục {0} bỏ qua vì nó không phải là một mục kho
+,Loan Security Status,Tình trạng bảo đảm tiền vay
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Không áp dụng giá quy tắc trong giao dịch cụ thể, tất cả các quy giá áp dụng phải được vô hiệu hóa."
 DocType: Payment Term,Day(s) after the end of the invoice month,Ngày sau khi kết thúc tháng lập hoá đơn
 DocType: Assessment Group,Parent Assessment Group,Nhóm đánh giá gốc
@@ -6712,7 +6806,6 @@
 DocType: Stock Entry Detail,Additional Cost,Chi phí bổ sung
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Không thể lọc dựa trên số hiệu Voucher, nếu nhóm theo Voucher"
 DocType: Quality Inspection,Incoming,Đến
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,Vui lòng thiết lập chuỗi đánh số cho Tham dự thông qua Cài đặt&gt; Sê-ri đánh số
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Mẫu thuế mặc định cho bán hàng và mua hàng được tạo.
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Bản ghi kết quả đánh giá {0} đã tồn tại.
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Ví dụ: ABCD. #####. Nếu chuỗi được đặt và Số lô không được đề cập trong giao dịch, thì số lô tự động sẽ được tạo dựa trên chuỗi này. Nếu bạn luôn muốn đề cập rõ ràng Lô hàng cho mục này, hãy để trống trường này. Lưu ý: cài đặt này sẽ được ưu tiên hơn Tiền tố Series đặt tên trong Cài đặt chứng khoán."
@@ -6723,8 +6816,10 @@
 DocType: Contract,Party User,Người dùng bên
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Tài sản không được tạo cho <b>{0}</b> . Bạn sẽ phải tạo tài sản bằng tay.
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Vui lòng đặt Bộ lọc của Công ty trống nếu Nhóm theo là &#39;Công ty&#39;
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Khách hàng&gt; Nhóm khách hàng&gt; Lãnh thổ
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Viết bài ngày không thể ngày trong tương lai
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Hàng # {0}: Số sê ri{1} không phù hợp với {2} {3}
+DocType: Loan Repayment,Interest Payable,Phải trả lãi
 DocType: Stock Entry,Target Warehouse Address,Địa chỉ Kho Mục tiêu
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Nghỉ phép năm
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Thời gian trước khi bắt đầu ca làm việc trong đó Đăng ký nhân viên được xem xét để tham dự.
@@ -6853,6 +6948,7 @@
 DocType: Issue,Reset Service Level Agreement,Đặt lại thỏa thuận cấp độ dịch vụ
 ,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/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,Số tiền cho vay là bắt buộc
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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
@@ -6901,6 +6997,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Đại lượng cân bằng
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Điều kiện sẽ được áp dụng trên tất cả các mục đã chọn kết hợp.
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,Mục tiêu không thể để trống
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,Kho không chính xác
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,Đăng ký học sinh
 DocType: Item Group,Parent Item Group,Nhóm mẫu gốc
 DocType: Appointment Type,Appointment Type,Loại hẹn
@@ -6956,10 +7053,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tỷ lệ trung bình
 DocType: Appointment,Appointment With,Bổ nhiệm với
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Tổng số tiền thanh toán trong lịch thanh toán phải bằng tổng số tiền lớn / tròn
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Đánh dấu tham dự như <b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",&quot;Mục khách hàng cung cấp&quot; không thể có Tỷ lệ định giá
 DocType: Subscription Plan Detail,Plan,Kế hoạch
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,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
+DocType: Appointment Letter,Applicant Name,Tên đơn
 DocType: Authorization Rule,Customer / Item Name,Khách hàng / tên hàng hóa
 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**. 
 
@@ -7003,11 +7101,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,Distribution,Gửi đến:
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,Không thể đặt trạng thái nhân viên thành &#39;Trái&#39; vì các nhân viên sau đây đang báo cáo cho nhân viên này:
-DocType: Journal Entry Account,Loan,Tiền vay
+DocType: Loan Repayment,Amount Paid,Số tiền trả
+DocType: Loan Security Shortfall,Loan,Tiền vay
 DocType: Expense Claim Advance,Expense Claim Advance,Yêu cầu bồi thường chi phí
 DocType: Lab Test,Report Preference,Sở thích Báo cáo
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Thông tin tình nguyện viên.
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,Giám đốc dự án
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,Nhóm theo khách hàng
 ,Quoted Item Comparison,So sánh mẫu hàng đã được báo giá
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,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,Dispatch,Công văn
@@ -7027,6 +7127,7 @@
 DocType: Material Request Plan Item,Material Issue,Xuất vật liệu
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Mục miễn phí không được đặt trong quy tắc đặt giá {0}
 DocType: Employee Education,Qualification,Trình độ chuyên môn
+DocType: Loan Security Shortfall,Loan Security Shortfall,Thiếu hụt an ninh cho vay
 DocType: Item Price,Item Price,Giá mục
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Xà phòng và chất tẩy rửa
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Nhân viên {0} không thuộc về công ty {1}
@@ -7049,6 +7150,7 @@
 DocType: Appointment Booking Settings,Appointment Details,Chi tiết cuộc hẹn
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Sản phẩm hoàn thiện
 DocType: Warehouse,Warehouse Name,Tên kho
+DocType: Loan Security Pledge,Pledge Time,Thời gian cầm cố
 DocType: Naming Series,Select Transaction,Chọn giao dịch
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vui lòng nhập Phê duyệt hoặc phê duyệt Vai trò tài
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Thỏa thuận cấp độ dịch vụ với Loại thực thể {0} và Thực thể {1} đã tồn tại.
@@ -7056,7 +7158,6 @@
 DocType: BOM,Rate Of Materials Based On,Tỷ giá vật liệu dựa trên
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Nếu được bật, thuật ngữ Học thuật của trường sẽ được bắt buộc trong Công cụ đăng ký chương trình."
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Giá trị của các nguồn cung cấp miễn trừ, không được xếp hạng và không phải GST"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,Khách hàng&gt; Nhóm khách hàng&gt; Lãnh thổ
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Công ty</b> là một bộ lọc bắt buộc.
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Bỏ chọn tất cả
 DocType: Purchase Taxes and Charges,On Item Quantity,Về số lượng vật phẩm
@@ -7102,7 +7203,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Lượng thiếu hụt
 DocType: Purchase Invoice,Input Service Distributor,Nhà phân phối dịch vụ đầu vào
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Biến thể mẫu hàng {0} tồn tại với cùng một thuộc tính
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vui lòng thiết lập Hệ thống đặt tên giảng viên trong giáo dục&gt; Cài đặt giáo dục
 DocType: Loan,Repay from Salary,Trả nợ từ lương
 DocType: Exotel Settings,API Token,Mã thông báo API
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Yêu cầu thanh toán đối với {0} {1} cho số tiền {2}
@@ -7122,6 +7222,7 @@
 DocType: Salary Slip,Total Interest Amount,Tổng số tiền lãi
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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: Unpledge,Unpledge,Unpledge
 DocType: Accounts Settings,Stale Days,Stale Days
 DocType: Travel Itinerary,Arrival Datetime,Thời gian đến
 DocType: Tax Rule,Billing Zipcode,Thanh toán Zip Code
@@ -7308,6 +7409,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Giờ
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Một cuộc hẹn mới đã được tạo cho bạn với {0}
 DocType: Project,Expected Start Date,Ngày Dự kiến sẽ bắt đầu
+DocType: Work Order,This is a location where raw materials are available.,Đây là một vị trí mà nguyên liệu có sẵn.
 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,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: Bank Account,Party Details,Đảng Chi tiết
@@ -7326,6 +7428,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,Báo giá:
 DocType: Contract,Partially Fulfilled,Đã thực hiện một phần
 DocType: Maintenance Visit,Fully Completed,Hoàn thành đầy đủ
+DocType: Loan Security,Loan Security Name,Tên bảo mật cho vay
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Các ký tự đặc biệt ngoại trừ &quot;-&quot;, &quot;#&quot;, &quot;.&quot;, &quot;/&quot;, &quot;{&quot; Và &quot;}&quot; không được phép trong chuỗi đặt tên"
 DocType: Purchase Invoice Item,Is nil rated or exempted,Được đánh giá hay miễn
 DocType: Employee,Educational Qualification,Trình độ chuyên môn
@@ -7383,6 +7486,7 @@
 DocType: Program,Is Featured,Là đặc trưng
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Đang tải ...
 DocType: Agriculture Analysis Criteria,Agriculture User,Người dùng nông nghiệp
+DocType: Loan Security Shortfall,America/New_York,Mỹ / New_York
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Ngày hợp lệ cho đến ngày không được trước ngày giao dịch
 apps/erpnext/erpnext/stock/stock_ledger.py,{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
@@ -7460,8 +7564,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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,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,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ý
 DocType: Purchase Invoice,GST Category,Thể loại GST
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,Các cam kết được đề xuất là bắt buộc đối với các khoản vay có bảo đảm
 DocType: Payment Reconciliation,From Invoice Date,Từ ngày lập danh đơn
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Ngân sách
 DocType: Invoice Discounting,Disbursed,Đã giải ngân
@@ -7519,14 +7623,13 @@
 DocType: Restaurant,Active Menu,Menu hoạt động
 DocType: Accounting Dimension Detail,Default Dimension,Kích thước mặc định
 DocType: Target Detail,Target Qty,Số lượng mục tiêu
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},Chống lại khoản vay: {0}
 DocType: Shopping Cart Settings,Checkout Settings,Thiết lập Checkout
 DocType: Student Attendance,Present,Nay
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Phiếu giao hàng {0} không phải nộp
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.","Phiếu lương gửi qua email cho nhân viên sẽ được bảo vệ bằng mật khẩu, mật khẩu sẽ được tạo dựa trên chính sách mật khẩu."
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,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,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ế
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,mét kế
 DocType: Production Plan Item,Ordered Qty,Số lượng đặt hàng
 apps/erpnext/erpnext/stock/doctype/item/item.py,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
@@ -7585,7 +7688,6 @@
 DocType: Serial No,Delivery Document Type,Loại tài liệu giao hàng
 DocType: Sales Order,Partly Delivered,Một phần được Giao
 DocType: Item Variant Settings,Do not update variants on save,Không cập nhật các biến thể về lưu
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Nhóm giám sát
 DocType: Email Digest,Receivables,Các khoản phải thu
 DocType: Lead Source,Lead Source,Nguồn Tiềm năng
 DocType: Customer,Additional information regarding the customer.,Bổ sung thông tin liên quan đến khách hàng.
@@ -7684,6 +7786,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Dựa trên tiền thực tế
 DocType: Appointment,Skype ID,ID Skype
 DocType: Restaurant Menu,Restaurant Manager,Quản lý nhà hàng
+DocType: Loan,Penalty Income Account,Tài khoản thu nhập phạt
 DocType: Call Log,Call Log,Nhật ký cuộc gọi
 DocType: Authorization Rule,Customerwise Discount,Giảm giá 1 cách thông minh
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,thời gian biểu cho các công việc
@@ -7772,6 +7875,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,Chương trình giảm giá sản phẩm
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Không có vấn đề đã được đưa ra bởi người gọi.
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,Nhóm theo nhà cung cấp
 DocType: Restaurant Reservation,Waitlisted,Danh sách chờ
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,Danh mục miễn
 apps/erpnext/erpnext/accounts/doctype/account/account.py,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
@@ -7782,7 +7886,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,Tư vấn
 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
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,E-Way Bill JSON chỉ có thể được tạo từ Hóa đơn bán hàng
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Đạt được tối đa cho bài kiểm tra này!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Đăng ký
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Đang Thực hiện Phí
@@ -7800,6 +7903,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,Bảo dưỡng phòng ngừa
 DocType: Delivery Note Item,Against Sales Invoice,Theo hóa đơn bán hàng
 DocType: Purchase Invoice,07-Others,07-Khác
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,Số tiền báo giá
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,Vui lòng nhập số sê-ri cho mục hàng
 DocType: Bin,Reserved Qty for Production,Số lượng được dự trữ cho việc sản xuất
 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Hãy bỏ chọn nếu bạn không muốn xem xét lô trong khi làm cho các nhóm dựa trên khóa học.
@@ -7911,6 +8015,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Phiếu tiếp nhận thanh toán
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,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
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,Tạo yêu cầu vật liệu
+DocType: Loan Interest Accrual,Pending Principal Amount,Số tiền gốc đang chờ xử lý
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"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 trong Thời hạn trả lương hợp lệ, không thể tính {0}"
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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
@@ -7954,6 +8059,7 @@
 											to fullfill Sales Order {2}",Không thể xuất hàng Số Serial {0} của mặt hàng {1} vì nó đã được đặt trước \ để hoàn thành Đơn Bán Hàng {2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,Báo giá của Nhà cung cấp {0} đã tạo
+DocType: Loan Security Unpledge,Unpledge Type,Loại không cố định
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,Cuối năm không thể được trước khi bắt đầu năm
 DocType: Employee Benefit Application,Employee Benefits,Lợi ích của nhân viên
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Mã hiệu công nhân
@@ -8036,6 +8142,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,Mã khóa học:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Vui lòng nhập tài khoản chi phí
 DocType: Quality Action Resolution,Problem,Vấn đề
+DocType: Loan Security Type,Loan To Value Ratio,Tỷ lệ vay vốn
 DocType: Account,Stock,Kho
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"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
@@ -8053,6 +8160,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Khai báo giao dịch ngân hàng
 DocType: Sales Invoice Item,Discount and Margin,Chiết khấu và lợi nhuận biên
 DocType: Lab Test,Prescription,Đơn thuốc
+DocType: Process Loan Security Shortfall,Update Time,Cập nhật thời gian
 DocType: Import Supplier Invoice,Upload XML Invoices,Tải lên hóa đơn XML
 DocType: Company,Default Deferred Revenue Account,Tài khoản doanh thu hoãn lại mặc định
 DocType: Project,Second Email,Email thứ hai
@@ -8066,7 +8174,7 @@
 DocType: Quality Action,Preventive,Dự phòng
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Đồ dùng cho người chưa đăng ký
 DocType: Company,Date of Incorporation,Ngày thành lập
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Tổng số thuế
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,Tổng số thuế
 DocType: Manufacturing Settings,Default Scrap Warehouse,Kho phế liệu mặc định
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Giá mua cuối cùng
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Đối với lượng (số lượng sản xuất) là bắt buộc
@@ -8085,6 +8193,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Đặt chế độ thanh toán mặc định
 DocType: Stock Entry Detail,Against Stock Entry,Chống nhập cảnh
 DocType: Grant Application,Withdrawn,rút
+DocType: Loan Repayment,Regular Payment,Thanh toán thường xuyên
 DocType: Support Search Source,Support Search Source,Hỗ trợ nguồn tìm kiếm
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Bộ sạc
 DocType: Project,Gross Margin %,Tổng lợi nhuận %
@@ -8098,8 +8207,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,Không phải trả thuế
 DocType: BOM Operation,BOM Operation,Thao tác BOM
 DocType: Purchase Taxes and Charges,On Previous Row Amount,Dựa trên lượng thô trước đó
+DocType: Student,Home Address,Địa chỉ nhà
 DocType: Options,Is Correct,Đúng
 DocType: Item,Has Expiry Date,Ngày Hết Hạn
+DocType: Loan Repayment,Paid Accrual Entries,Các khoản phải trả tích lũy
+DocType: Loan Security,Loan Security Type,Loại bảo đảm tiền vay
 apps/erpnext/erpnext/config/support.py,Issue Type.,Các loại vấn đề.
 DocType: POS Profile,POS Profile,Hồ sơ POS
 DocType: Training Event,Event Name,Tên tổ chức sự kiện
@@ -8111,6 +8223,7 @@
 apps/erpnext/erpnext/config/accounts.py,"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/www/all-products/index.html,No values,Không có giá trị
 DocType: Supplier Scorecard Scoring Variable,Variable Name,Tên biến
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,Chọn Tài khoản Ngân hàng để đối chiếu.
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Mục {0} là một mẫu, xin vui lòng chọn một trong các biến thể của nó"
 DocType: Purchase Invoice Item,Deferred Expense,Chi phí hoãn lại
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Quay lại tin nhắn
@@ -8162,7 +8275,6 @@
 DocType: GL Entry,To Rename,Đổi tên
 DocType: Stock Entry,Repack,Repack
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Chọn để thêm Số sê-ri.
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,Vui lòng thiết lập Hệ thống đặt tên giảng viên trong giáo dục&gt; Cài đặt giáo dục
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vui lòng đặt Mã tài chính cho khách hàng &#39;% s&#39;
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Trước tiên hãy chọn Công ty
 DocType: Item Attribute,Numeric Values,Giá trị Số
@@ -8186,6 +8298,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,Tìm nạp dựa trên FIFO
 DocType: Soil Texture,Clay Loam,Clay Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,Gốc không thể được chỉnh sửa.
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,Giá trị bảo đảm tiền vay
 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
@@ -8232,6 +8345,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,Vui lòng chọn mục đầu tiên
 apps/erpnext/erpnext/config/projects.py,Project master.,Chủ dự án.
 DocType: Contract,Contract Terms,Điều khoản hợp đồng
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,Giới hạn số tiền bị xử phạt
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,Tiếp tục cấu hình
 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,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}
@@ -8264,6 +8378,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,Xem nhật ký cuộc gọi
 DocType: BOM Operation,Operating Cost(Company Currency),Chi phí điều hành (Công ty ngoại tệ)
 DocType: Loan Application,Rate of Interest,lãi suất thị trường
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},Cam kết bảo đảm tiền vay đã cam kết chống lại khoản vay {0}
 DocType: Expense Claim Detail,Sanctioned Amount,Số tiền xử phạt
 DocType: Item,Shelf Life In Days,Kệ Life In Days
 DocType: GL Entry,Is Opening,Được mở cửa
@@ -8277,3 +8392,4 @@
 DocType: Account,Cash,Tiền mặt
 DocType: Sales Invoice,Unpaid and Discounted,Chưa thanh toán và giảm giá
 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.
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,Hàng # {0}: Không thể chọn Kho nhà cung cấp trong khi thay thế nguyên liệu thô cho nhà thầu phụ
diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv
index a562462..847a936 100644
--- a/erpnext/translations/zh.csv
+++ b/erpnext/translations/zh.csv
@@ -51,7 +51,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,机会失去理智
 DocType: Patient Appointment,Check availability,检查可用性
 DocType: Retention Bonus,Bonus Payment Date,奖金支付日期
-DocType: Employee,Job Applicant,求职者
+DocType: Appointment Letter,Job Applicant,求职者
 DocType: Job Card,Total Time in Mins,分钟总时间
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,本统计基于该供应商的过往交易。详情请参阅表单下方的时间线记录
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,工作订单的超订单生产量的百分比
@@ -185,6 +185,7 @@
 DocType: Delivery Stop,Contact Information,联系信息
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,搜索任何东西......
 ,Stock and Account Value Comparison,股票和账户价值比较
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,支付金额不能大于贷款金额
 DocType: Company,Phone No,电话号码
 DocType: Delivery Trip,Initial Email Notification Sent,初始电子邮件通知已发送
 DocType: Bank Statement Settings,Statement Header Mapping,对帐单抬头对照关系
@@ -291,6 +292,7 @@
 DocType: Lead,Interested,当事的
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,开帐
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,程序:
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,有效起始时间必须小于有效起始时间。
 DocType: Item,Copy From Item Group,从物料组复制
 DocType: Journal Entry,Opening Entry,开帐凭证
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,账户仅用于支付
@@ -338,6 +340,7 @@
 DocType: Student,B-,B-
 DocType: Assessment Result,Grade,职级
 DocType: Restaurant Table,No of Seats,座位数
+DocType: Loan Type,Grace Period in Days,天宽限期
 DocType: Sales Invoice,Overdue and Discounted,逾期和折扣
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},资产{0}不属于托管人{1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,呼叫已断开连接
@@ -390,7 +393,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,规定程序
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,只显示POS
 DocType: Supplier Group,Supplier Group Name,供应商群组名称
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,将出席人数标记为<b></b>
 DocType: Driver,Driving License Categories,驾驶执照类别
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,请输入交货日期
 DocType: Depreciation Schedule,Make Depreciation Entry,创建计算折旧凭证
@@ -407,10 +409,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,生产操作信息。
 DocType: Asset Maintenance Log,Maintenance Status,维护状态
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,物品税金额包含在价值中
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,贷款担保
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,会员资格
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}:供应商对于应付账款科目来说是必输的{2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,物料和定价
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},总时间:{0}
+DocType: Loan,Loan Manager,贷款经理
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},起始日期应该在财年之内。财年起始日是{0}
 DocType: Patient Medical Record,HLC-PMR-.YYYY.-,HLC-PMR-.YYYY.-
 DocType: Drug Prescription,Interval,间隔
@@ -469,6 +473,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',通过“时间日志”更新
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,选择客户或供应商。
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,文件中的国家/地区代码与系统中设置的国家/地区代码不匹配
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},科目{0}不属于公司{1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,仅选择一个优先级作为默认值。
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},预付金额不能大于{0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",时隙滑动,时隙{0}到{1}与现有时隙{2}重叠到{3}
@@ -546,7 +551,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,已禁止请假
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},物料{0}已经到达寿命终止日期{1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,银行条目
-DocType: Customer,Is Internal Customer,是内部客户
+DocType: Sales Invoice,Is Internal Customer,是内部客户
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,销售发票编号
@@ -570,6 +575,7 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,材料申请
 DocType: Bank Reconciliation,Update Clearance Date,更新清算日期
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,捆绑数量
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,在申请获得批准之前无法创建贷款
 ,GSTR-2,GSTR-2
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},物料{0}未定义在采购订单{1}发给供应商的原材料清单中
 DocType: Salary Slip,Total Principal Amount,贷款本金总额
@@ -577,6 +583,7 @@
 DocType: Quiz Result,Correct,正确
 DocType: Student Guardian,Mother,母亲
 DocType: Restaurant Reservation,Reservation End Time,预订结束时间
+DocType: Salary Slip Loan,Loan Repayment Entry,贷款还款录入
 DocType: Crop,Biennial,双年展
 ,BOM Variance Report,物料清单差异报表
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,确认客户订单。
@@ -598,6 +605,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},对{0} {1}的付款不能大于总未付金额{2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,所有医疗服务单位
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,转换机会
+DocType: Loan,Total Principal Paid,本金合计
 DocType: Bank Account,Address HTML,地址HTML
 DocType: Lead,Mobile No.,手机号码
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Mode of Payments,付款方式
@@ -616,12 +624,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,本币余额
 DocType: Supplier Scorecard Scoring Standing,Max Grade,最高等级
 DocType: Email Digest,New Quotations,新报价
+DocType: Loan Interest Accrual,Loan Interest Accrual,贷款利息计提
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,因{1}尚在休假中,{0}的考勤未能提交。
 DocType: Journal Entry,Payment Order,付款单
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,验证邮件
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,其他来源的收入
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",如果为空,则将考虑父仓库帐户或公司默认值
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,电子邮件工资单员工根据员工选择首选的电子邮件
+DocType: Work Order,This is a location where operations are executed.,这是执行操作的位置。
 DocType: Tax Rule,Shipping County,起运县
 DocType: Currency Exchange,For Selling,出售
 apps/erpnext/erpnext/config/desktop.py,Learn,学习
@@ -630,6 +640,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,应用的优惠券代码
 DocType: Asset,Next Depreciation Date,接下来折旧日期
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,每个员工活动费用
+DocType: Loan Security,Haircut %,理发%
 DocType: Accounts Settings,Settings for Accounts,科目设置
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},供应商费用清单不存在采购费用清单{0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,管理销售人员。
@@ -668,6 +679,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},请在{}上设置酒店房价
 DocType: Journal Entry,Multi Currency,多币种
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,费用清单类型
+DocType: Loan,Loan Security Details,贷款安全明细
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,从日期开始有效必须低于最新有效期
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},协调{0}时发生异常
 DocType: Purchase Invoice,Set Accepted Warehouse,设置接受的仓库
@@ -777,7 +789,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,需要实验室测试批准
 DocType: Attendance,Working Hours,工作时间
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,总未付
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},找不到项目{2}的UOM转换因子({0}-&gt; {1})
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改现有系列的起始/当前序列号。
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,允许您根据订购金额收取更多费用的百分比。例如:如果某个商品的订单价值为100美元,而且公差设置为10%,那么您可以支付110美元的费用。
 DocType: Dosage Strength,Strength,强度
@@ -795,6 +806,7 @@
 DocType: Purchase Receipt,Vehicle Date,车辆日期
 DocType: Campaign Email Schedule,Campaign Email Schedule,Campaign电子邮件计划
 DocType: Student Log,Medical,医药
+DocType: Work Order,This is a location where scraped materials are stored.,这是存放刮擦材料的位置。
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,请选择药物
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,线索负责人不能是线索本身
 DocType: Announcement,Receiver,接收器
@@ -892,7 +904,7 @@
 DocType: Driver,Applicable for external driver,适用于外部驱动器
 DocType: Sales Order Item,Used for Production Plan,用于生产计划
 DocType: BOM,Total Cost (Company Currency),总成本(公司货币)
-DocType: Loan,Total Payment,总付款
+DocType: Repayment Schedule,Total Payment,总付款
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,已为所有销售订单项创建采购订单
@@ -918,6 +930,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,警告采购订单
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,从日期租用
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,足够的配件组装
+DocType: Loan Security,Loan Security Code,贷款安全守则
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,请先保存
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,需要物品来拉动与之相关的原材料。
 DocType: POS Profile User,POS Profile User,POS配置文件用户
@@ -976,6 +989,7 @@
 DocType: Patient,Risk Factors,风险因素
 DocType: Patient,Occupational Hazards and Environmental Factors,职业危害与环境因素
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,已为工单创建的库存条目
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,物料代码&gt;物料组&gt;品牌
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,查看过去的订单
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0}次对话
 DocType: Vital Signs,Respiratory rate,呼吸频率
@@ -1008,7 +1022,6 @@
 DocType: Company,Delete Company Transactions,删除正式上线前的测试数据
 DocType: Production Plan Item,Quantity and Description,数量和描述
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,银行交易中参考编号和参考日期必填
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,请通过设置&gt;设置&gt;命名系列为{0}设置命名系列
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,添加/编辑税金及费用
 DocType: Payment Entry Reference,Supplier Invoice No,供应商费用清单编号
 DocType: Territory,For reference,供参考
@@ -1039,6 +1052,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,代扣税款科目
 DocType: Pricing Rule,Sales Partner,销售合作伙伴
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,所有供应商记分卡。
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,订单金额
+DocType: Loan,Disbursed Amount,支付额
 DocType: Buying Settings,Purchase Receipt Required,需要采购收据
 DocType: Sales Invoice,Rail,轨
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,实际成本
@@ -1079,6 +1094,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,连接到QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},请为类型{0}标识/创建帐户(分类帐)
 DocType: Bank Statement Transaction Entry,Payable Account,应付科目
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,必须输入帐户才能获得付款条目
 DocType: Payment Entry,Type of Payment,付款类型
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,半天日期必填
 DocType: Sales Order,Billing and Delivery Status,账单和交货状态
@@ -1118,7 +1134,7 @@
 DocType: Purchase Order Item,Billed Amt,已开票金额
 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,Principal Amount,本金
+DocType: Repayment Schedule,Principal Amount,本金
 DocType: Loan Application,Total Payable Interest,合计应付利息
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},总未付:{0}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,打开联系
@@ -1132,6 +1148,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,更新过程中发生错误
 DocType: Restaurant Reservation,Restaurant Reservation,餐厅预订
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,你的物品
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,供应商&gt;供应商类型
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,提案写作
 DocType: Payment Entry Deduction,Payment Entry Deduction,输入付款扣除
 DocType: Service Level Priority,Service Level Priority,服务水平优先
@@ -1164,6 +1181,7 @@
 DocType: Batch,Batch Description,批次说明
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,创建学生组
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",支付网关科目没有创建,请手动创建一个。
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},不能在事务中使用组仓库。请更改值{0}
 DocType: Supplier Scorecard,Per Year,每年
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,按照DOB的规定,没有资格参加本计划
 DocType: Sales Invoice,Sales Taxes and Charges,销售税费
@@ -1287,7 +1305,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",在为子公司{0}创建帐户时,找不到父帐户{1}。请在相应的COA中创建父帐户
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,拆分问题
 DocType: Student Attendance,Student Attendance,学生出勤
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,没有要导出的数据
 DocType: Sales Invoice Timesheet,Time Sheet,时间表
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,基于..进行原物料倒扣账
 DocType: Sales Invoice,Port Code,港口代码
@@ -1300,6 +1317,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,供应商
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,实际交货日期
 DocType: Lab Test,Test Template,测试模板
+DocType: Loan Security Pledge,Securities,有价证券
 DocType: Restaurant Order Entry Item,Served,曾任
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,章节信息。
 DocType: Account,Accounts,会计
@@ -1394,6 +1412,7 @@
 DocType: Inpatient Record,O Negative,O负面
 DocType: Work Order Operation,Planned End Time,计划结束时间
 DocType: POS Profile,Only show Items from these Item Groups,仅显示这些项目组中的项目
+DocType: Loan,Is Secured Loan,有抵押贷款
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,有交易的科目不能被转换为分类账
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,会员类型详细信息
 DocType: Delivery Note,Customer's Purchase Order No,客户的采购订单号
@@ -1430,6 +1449,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,请选择公司和发布日期以获取条目
 DocType: Asset,Maintenance,维护
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,从患者遭遇中获取
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},找不到项目{2}的UOM转换因子({0}-&gt; {1})
 DocType: Subscriber,Subscriber,订户
 DocType: Item Attribute Value,Item Attribute Value,物料属性值
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,外币汇率必须适用于买入或卖出。
@@ -1520,6 +1540,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,无此权限
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,合同履行清单
 DocType: Vital Signs,Heart Rate / Pulse,心率/脉搏
+DocType: Customer,Default Company Bank Account,默认公司银行帐户
 DocType: Supplier,Default Bank Account,默认银行科目
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",如果基于往来单位过滤,请先选择往来单位类型
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},因为物料还未通过{0)交付,“库存更新'不能被勾选
@@ -1638,7 +1659,6 @@
 DocType: Sales Team,Incentives,激励政策
 apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,值不同步
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,差异值
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,请通过“设置”&gt;“编号序列”为出勤设置编号序列
 DocType: SMS Log,Requested Numbers,请求号码
 DocType: Volunteer,Evening,晚间
 DocType: Quiz,Quiz Configuration,测验配置
@@ -1658,6 +1678,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,基于前一行的总计
 DocType: Purchase Invoice Item,Rejected Qty,拒收数量
 DocType: Setup Progress Action,Action Field,操作字段
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,利率和罚款率的贷款类型
 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,交货站点
@@ -1669,6 +1690,7 @@
 ,Final Assessment Grades,最终评估等级
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,贵公司的名称
 DocType: HR Settings,Include holidays in Total no. of Working Days,将假期包含在工作日内
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,占总数的百分比
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,在ERPNext中设置您的研究所
 DocType: Agriculture Analysis Criteria,Plant Analysis,植物分析
 DocType: Task,Timeline,时间线
@@ -1676,9 +1698,11 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,替代物料
 DocType: Shopify Log,Request Data,请求数据
 DocType: Employee,Date of Joining,入职日期
+DocType: Delivery Note,Inter Company Reference,公司间参考
 DocType: Naming Series,Update Series,更新系列
 DocType: Supplier Quotation,Is Subcontracted,是否外包
 DocType: Restaurant Table,Minimum Seating,最小的座位
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,问题不能重复
 DocType: Item Attribute,Item Attribute Values,物料属性值
 DocType: Examination Result,Examination Result,考试成绩
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,采购收货单
@@ -1780,6 +1804,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,同步离线费用清单
 DocType: Payment Request,Paid,已付款
 DocType: Service Level,Default Priority,默认优先级
+DocType: Pledge,Pledge,保证
 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中的最新价格。
@@ -1793,6 +1818,7 @@
 DocType: Guardian,Guardian Name,监护人姓名
 DocType: Cheque Print Template,Has Print Format,有打印格式
 DocType: Support Settings,Get Started Sections,入门部分
+,Loan Repayment and Closure,偿还和结清贷款
 DocType: Lead,CRM-LEAD-.YYYY.-,CRM-LEAD-.YYYY.-
 DocType: Invoice Discounting,Sanctioned,核准
 ,Base Amount,基本金额
@@ -1803,10 +1829,10 @@
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,从地方
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},贷款金额不能大于{0}
 DocType: Student Admission,Publish on website,发布在网站上
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,供应商费用清单的日期不能超过过帐日期更大
 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.-
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,物料代码&gt;物料组&gt;品牌
 DocType: Subscription,Cancelation Date,取消日期
 DocType: Purchase Invoice Item,Purchase Order Item,采购订单项
 DocType: Agriculture Task,Agriculture Task,农业任务
@@ -1825,7 +1851,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,额外折扣百分比
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,查看所有帮助视频清单
 DocType: Agriculture Analysis Criteria,Soil Texture,土壤纹理
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,请选择支票存入的银行户头。
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,允许用户编辑交易中的价格清单价格。
 DocType: Pricing Rule,Max Qty,最大数量
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,打印报表卡
@@ -1959,7 +1984,7 @@
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",一旦设置,该费用清单将被保留至设定的日期
 DocType: Cashier Closing,POS-CLO-,POS-CLO-
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,销售金额
-DocType: Repayment Schedule,Interest Amount,利息总额
+DocType: Loan Interest Accrual,Interest Amount,利息总额
 DocType: Job Card,Time Logs,时间日志
 DocType: Sales Invoice,Loyalty Amount,忠诚金额
 DocType: Employee Transfer,Employee Transfer Detail,员工变动信息
@@ -1974,6 +1999,7 @@
 DocType: Cashier Closing,Returns,退货
 DocType: Job Card,WIP Warehouse,在制品仓库
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},序列号{0}截至至{1}之前在年度保养合同内。
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},越过了{0} {1}的认可金额限制
 apps/erpnext/erpnext/config/hr.py,Recruitment,招聘
 DocType: Lead,Organization Name,组织名称
 DocType: Support Settings,Show Latest Forum Posts,显示最新的论坛帖子
@@ -2000,7 +2026,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,采购订单项目逾期
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,邮编
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},销售订单{0} {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},选择贷款{0}中的利息收入科目
 DocType: Opportunity,Contact Info,联系方式
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,创建手工入库
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,状态为已离职的员工不能晋升
@@ -2086,7 +2111,6 @@
 DocType: Salary Slip,Deductions,扣除列表
 DocType: Setup Progress Action,Action Name,行动名称
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,开始年份
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,创建贷款
 DocType: Purchase Invoice,Start date of current invoice's period,当前费用清单周期的起始日期
 DocType: Shift Type,Process Attendance After,过程出勤
 ,IRS 1099,IRS 1099
@@ -2107,6 +2131,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,选择您的域名
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify供应商
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,付款要求
+DocType: Repayment Schedule,Is Accrued,应计
 DocType: Payroll Entry,Employee Details,员工详细信息
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,处理XML文件
 DocType: Amazon MWS Settings,CN,CN
@@ -2138,6 +2163,7 @@
 DocType: Loyalty Point Entry,Loyalty Point Entry,忠诚度积分
 DocType: Employee Checkin,Shift End,转移结束
 DocType: Stock Settings,Default Item Group,默认物料群组
+DocType: Loan,Partially Disbursed,部分已支付
 DocType: Job Card Time Log,Time In Mins,分钟时间
 apps/erpnext/erpnext/config/non_profit.py,Grant information.,授予信息。
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,此操作将取消此帐户与将ERPNext与您的银行帐户集成的任何外部服务的链接。它无法撤消。你确定吗 ?
@@ -2153,6 +2179,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,同一物料不能输入多次。
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",更多的科目可以归属到一个群组类的科目下,但会计凭证中只能使用非群组类的科目
+DocType: Loan Repayment,Loan Closure,贷款结清
 DocType: Call Log,Lead,商机
 DocType: Email Digest,Payables,应付账款
 DocType: Amazon MWS Settings,MWS Auth Token,MWS 验证令牌
@@ -2186,6 +2213,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,员工税和福利
 DocType: Bank Guarantee,Validity in Days,天数有效
 DocType: Bank Guarantee,Validity in Days,有效天数
+DocType: Unpledge,Haircut,理发
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-形式不适用费用清单:{0}
 DocType: Certified Consultant,Name of Consultant,顾问的名字
 DocType: Payment Reconciliation,Unreconciled Payment Details,未核销付款信息
@@ -2239,7 +2267,9 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,世界其他地区
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,物料{0}不能有批次
 DocType: Crop,Yield UOM,产量UOM
+DocType: Loan Security Pledge,Partially Pledged,部分抵押
 ,Budget Variance Report,预算差异报表
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,认可贷款额
 DocType: Salary Slip,Gross Pay,工资总额
 DocType: Item,Is Item from Hub,是来自集线器的组件
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,从医疗保健服务获取项目
@@ -2274,6 +2304,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,新的质量程序
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},科目{0}的余额必须是{1}
 DocType: Patient Appointment,More Info,更多信息
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,出生日期不能大于加入日期。
 DocType: Supplier Scorecard,Scorecard Actions,记分卡操作
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},在{1}中找不到供应商{0}
 DocType: Purchase Invoice,Rejected Warehouse,拒收仓库
@@ -2371,6 +2402,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,请先设定商品代码
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,文档类型
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},已创建的贷款安全承诺:{0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,预约和患者遭遇
@@ -2426,6 +2458,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,并发预约数
 apps/erpnext/erpnext/config/desktop.py,Getting Started,入门
 DocType: Purchase Invoice,Taxes and Charges Calculation,税费计算
+DocType: Loan Interest Accrual,Payable Principal Amount,应付本金
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,自动存入资产折旧条目
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,自动生成固定资产折旧凭证
 DocType: BOM Operation,Workstation,工作站
@@ -2463,7 +2496,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,食品
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,账龄范围3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,销售终端关闭凭证详细信息
-DocType: Bank Account,Is the Default Account,是默认帐户
 DocType: Shopify Log,Shopify Log,Shopify日志
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,没有找到通讯。
 DocType: Inpatient Occupancy,Check In,报到
@@ -2521,12 +2553,14 @@
 DocType: Sales Order Item,Planned Quantity,计划数量
 DocType: Water Analysis,Water Analysis Criteria,水分析标准
 DocType: Item,Maintain Stock,管理库存
+DocType: Loan Security Unpledge,Unpledge Time,未承诺时间
 DocType: Terms and Conditions,Applicable Modules,适用模块
 DocType: Employee,Prefered Email,首选电子邮件
 DocType: Student Admission,Eligibility and Details,资格和细节
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,包含在毛利润中
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,固定资产净变动
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,需要数量
+DocType: Work Order,This is a location where final product stored.,这是存放最终产品的位置。
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}中的收取类型“实际”不能包含在“物料税率”
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大值:{0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,起始时间日期
@@ -2567,6 +2601,7 @@
 DocType: Warranty Claim,Warranty / AMC Status,保修/ 年度保养合同状态
 ,Accounts Browser,科目列表
 DocType: Procedure Prescription,Referral,推荐
+,Territory-wise Sales,区域销售
 DocType: Payment Entry Reference,Payment Entry Reference,付款凭证参考
 DocType: GL Entry,GL Entry,总账分录
 DocType: Support Search Source,Response Options,响应选项
@@ -2628,6 +2663,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,第{0}行的支付条款可能是重复的。
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),农业(测试版)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,装箱单
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,请通过设置&gt;设置&gt;命名系列为{0}设置命名系列
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,办公室租金
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,短信网关的设置
 DocType: Disease,Common Name,通用名称
@@ -2644,6 +2680,7 @@
 DocType: Item,Sales Details,销售信息
 DocType: Coupon Code,Used,用过的
 DocType: Opportunity,With Items,物料
+DocType: Vehicle Log,last Odometer Value ,上一个里程表值
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',{1}&#39;{2}&#39;广告系列“{0}”已存在
 DocType: Asset Maintenance,Maintenance Team,维修队
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",应该出现哪些部分的顺序。 0是第一个,1是第二个,依此类推。
@@ -2654,7 +2691,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,报销{0}已经存在车辆日志
 DocType: Asset Movement Item,Source Location,来源地点
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,机构名称
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,请输入还款金额
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,请输入还款金额
 DocType: Shift Type,Working Hours Threshold for Absent,缺勤的工作时间门槛
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,根据总花费可以有多个分层收集因子。但兑换的兑换系数对于所有等级总是相同的。
 apps/erpnext/erpnext/config/help.py,Item Variants,物料变体
@@ -2678,6 +2715,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},此{0}与在{2} {3}的{1}冲突
 DocType: Student Attendance Tool,Students HTML,学生HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}:{1}必须小于{2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,请先选择申请人类型
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse",选择BOM,Qty和For Warehouse
 DocType: GST HSN Code,GST HSN Code,GST HSN代码
 DocType: Employee External Work History,Total Experience,总经验
@@ -2768,7 +2806,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",未找到项{0}的有效BOM。无法确保交货\串口号
 DocType: Sales Partner,Sales Partner Target,销售合作伙伴目标
-DocType: Loan Type,Maximum Loan Amount,最高贷款额度
+DocType: Loan Application,Maximum Loan Amount,最高贷款额度
 DocType: Coupon Code,Pricing Rule,定价规则
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},学生{0}的重复卷号
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},学生{0}的重复卷号
@@ -2792,6 +2830,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},已成功为{0}分配假期
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,未选择需打包物料
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,目前仅支持.csv和.xlsx文件
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,请在人力资源&gt;人力资源设置中设置员工命名系统
 DocType: Shipping Rule Condition,From Value,起始值
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,生产数量为必须项
 DocType: Loan,Repayment Method,还款方式
@@ -2875,6 +2914,7 @@
 DocType: Customer,Customer POS Id,客户POS ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,电子邮件{0}的学生不存在
 DocType: Account,Account Name,科目名称
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},{0}对公司{1}的批准贷款额已存在
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,起始日期不能大于结束日期
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,序列号{0}的数量{1}不能是分数
 DocType: Pricing Rule,Apply Discount on Rate,应用折扣率
@@ -2946,6 +2986,7 @@
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,净利
 DocType: Purchase Invoice,Eligibility For ITC,适用于ITC的资格
 DocType: Student Applicant,EDU-APP-.YYYY.-,EDU-APP-.YYYY.-
+DocType: Loan Security Pledge,Unpledged,无抵押
 DocType: Journal Entry,Entry Type,凭证类型
 ,Customer Credit Balance,客户贷方余额
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,应付账款净额变化
@@ -2957,6 +2998,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),考勤设备ID(生物识别/ RF标签ID)
 DocType: Quotation,Term Details,条款信息
 DocType: Item,Over Delivery/Receipt Allowance (%),超过交货/收据津贴(%)
+DocType: Appointment Letter,Appointment Letter Template,预约信模板
 DocType: Employee Incentive,Employee Incentive,员工激励
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,不能注册超过{0}学生到该学生群体。
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),总计(不含税)
@@ -2981,6 +3023,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",无法通过序列号确保交货,因为\项目{0}是否添加了确保交货\序列号
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,取消费用清单时去掉关联的付款
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,流程贷款利息计提
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},当前的里程表读数应该比最初的车辆里程表更大的{0}
 ,Purchase Order Items To Be Received or Billed,要接收或开票的采购订单项目
 DocType: Restaurant Reservation,No Show,没有出现
@@ -3067,6 +3110,7 @@
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:成本中心对于损益类科目来说是必须的{2}。请为公司设置一个默认的成本中心。
 DocType: Payment Schedule,Payment Term,付款期限
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,同名的客户组已经存在,请更改客户姓名或重命名该客户组
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,入学结束日期应大于入学开始日期。
 DocType: Location,Area,区
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,新建联系人
 DocType: Company,Company Description,公司介绍
@@ -3141,6 +3185,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,已映射数据
 DocType: Purchase Order Item,Warehouse and Reference,仓库及参考
 DocType: Payroll Period Date,Payroll Period Date,工资期间日期
+DocType: Loan Disbursement,Against Loan,反对贷款
 DocType: Supplier,Statutory info and other general information about your Supplier,你的供应商的注册信息和其他一般信息
 DocType: Item,Serial Nos and Batches,序列号和批号
 DocType: Item,Serial Nos and Batches,序列号和批号
@@ -3208,6 +3253,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,选择一家公司
 DocType: Delivery Settings,Delivery Settings,交货设置
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,获取数据
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},无法认捐的数量超过{0}的{0}个
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},假期类型{0}允许的最大休假是{1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,发布1项
 DocType: SMS Center,Create Receiver List,创建接收人列表
@@ -3357,6 +3403,7 @@
 DocType: Sales Invoice Payment,Base Amount (Company Currency),基本金额(公司币种)
 DocType: Purchase Invoice,Registered Regular,注册常规
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,原材料
+DocType: Plaid Settings,sandbox,沙盒
 DocType: Payment Reconciliation Payment,Reference Row,引用行
 DocType: Installation Note,Installation Time,安装时间
 DocType: Sales Invoice,Accounting Details,会计细节
@@ -3369,12 +3416,11 @@
 DocType: Leave Ledger Entry,Transaction Type,交易类型
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,验收标准
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,请输入在上表请求材料
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,合计应付额
 DocType: Task,Expected Time (in hours),预期时间(以小时计)
 DocType: Item Reorder,Check in (group),检查(组)
 DocType: Soil Texture,Silt,淤泥
@@ -3406,6 +3452,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,代扣未提交免税证明的税额
 DocType: Volunteer,Anytime,任何时候
 DocType: Bank Account,Bank Account No,银行帐号
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,支付和还款
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,员工免税证明提交
 DocType: Patient,Surgical History,手术史
 DocType: Bank Statement Settings Item,Mapped Header,已映射的标题
@@ -3470,6 +3517,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,在销售费用清单上创建实验室测试提交
 DocType: Serial No,Invoice Details,费用清单信息
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,薪酬结构必须在提交税务征收声明之前提交
+DocType: Loan Application,Proposed Pledges,拟议认捐
 DocType: Grant Application,Show on Website,在网站上显示
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,开始
 DocType: Hub Tracked Item,Hub Category,集线器类别
@@ -3481,7 +3529,6 @@
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,供应商记分卡当前评分
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清单未找到物料{1}
 DocType: Contract Fulfilment Checklist,Requirement,需求
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,请在人力资源&gt;人力资源设置中设置员工命名系统
 DocType: Journal Entry,Accounts Receivable,应收帐款
 DocType: Quality Goal,Objectives,目标
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,允许创建回退休假申请的角色
@@ -3494,6 +3541,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,包括核销分录
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,总分配金额({0})比付款金额({1})更重要。
 DocType: Landed Cost Voucher,Distribute Charges Based On,费用分配基于
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},付费金额不能小于{0}
 DocType: Projects Settings,Timesheets,时间表
 DocType: HR Settings,HR Settings,人力资源设置
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,会计大师
@@ -3639,6 +3687,7 @@
 DocType: Employee,Health Insurance,医保
 DocType: Asset Repair,Manufacturing Manager,生产经理
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},序列号{0}截至至{1}之前在保修内。
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,根据建议的证券,贷款额超过最高贷款额{0}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,最小允许值
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,用户{0}已经存在
 apps/erpnext/erpnext/hooks.py,Shipments,运输
@@ -3683,7 +3732,6 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,业务类型
 DocType: Sales Invoice,Consumer,消费者
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",请ATLEAST一行选择分配金额,费用清单类型和费用清单号码
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,请通过设置&gt;设置&gt;命名系列为{0}设置命名系列
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,新的采购成本
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},销售订单为物料{0}的必须项
 DocType: Grant Application,Grant Description,授予说明
@@ -3692,6 +3740,7 @@
 DocType: Subscription,Discounts,折扣
 DocType: Bank Transaction,Unallocated Amount,未分配金额
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,请启用适用于采购订单并适用于预订实际费用
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0}不是公司银行帐户
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,无法找到匹配的项目。请选择其他值{0}。
 DocType: POS Profile,Taxes and Charges,税/费
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",库存中已被采购,销售或保留的一个产品或服务
@@ -3742,6 +3791,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,有效起始日期必须小于有效起始日期。
 DocType: Employee Skill,Evaluation Date,评估日期
 DocType: Quotation Item,Stock Balance,库存余额
+DocType: Loan Security Pledge,Total Security Value,总安全价值
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,销售订单到付款
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO
 DocType: Purchase Invoice,With Payment of Tax,缴纳税款
@@ -3754,6 +3804,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,请选择正确的科目
 DocType: Salary Structure Assignment,Salary Structure Assignment,薪资结构分配
 DocType: Purchase Invoice Item,Weight UOM,重量计量单位
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},帐户{0}在仪表板图表{1}中不存在
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,显示变体属性
@@ -3835,6 +3886,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,当前评估价
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,root帐户数不能少于4
 DocType: Training Event,Advance,预支
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,反对贷款:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless支付网关设置
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,汇兑损益
 DocType: Opportunity,Lost Reason,遗失的原因
@@ -3919,8 +3971,10 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,选择批号
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},无效的{0}:{1}
 ,GSTR-1,GSTR-1
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,第{0}行:同级出生日期不能大于今天。
 DocType: Fee Validity,Reference Inv,参考文献
 DocType: Sales Invoice Advance,Advance Amount,预付款总额
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,每日罚息(%)
 DocType: Manufacturing Settings,Capacity Planning,容量规划
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,四舍五入调整(公司货币)
 DocType: Asset,Policy number,保单号码
@@ -3936,7 +3990,9 @@
 DocType: Normal Test Items,Require Result Value,需要结果值
 DocType: Purchase Invoice,Pricing Rules,定价规则
 DocType: Item,Show a slideshow at the top of the page,在页面顶部显示幻灯片
+DocType: Appointment Letter,Body,身体
 DocType: Tax Withholding Rate,Tax Withholding Rate,税收预扣税率
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,定期贷款的还款开始日期是必填项
 DocType: Pricing Rule,Max Amt,Max Amt
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,物料清单
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,仓库
@@ -3956,7 +4012,7 @@
 DocType: Call Log,Received By,收到的
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),预约时间(以分钟为单位)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,现金流量映射模板细节
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,贷款管理
+DocType: Loan,Loan Management,贷款管理
 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,Update Cost,更新成本
@@ -3964,6 +4020,7 @@
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTR3B-Form,GSTR3B表格
 DocType: Sales Invoice,Mode of Transport,交通方式
 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Show Salary Slip,显示工资单
+DocType: Loan,Is Term Loan,是定期贷款
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,转移材料
 DocType: Fees,Send Payment Request,发送付款申请
 DocType: Travel Request,Any other details,任何其他细节
@@ -3981,6 +4038,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,融资现金流
 DocType: Budget Account,Budget Account,预算科目
 DocType: Quality Inspection,Verified By,认证
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,添加贷款安全
 DocType: Travel Request,Name of Organizer,主办单位名称
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,是所得税责任
@@ -4031,6 +4089,7 @@
 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,要求在
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",如果选中,则隐藏并禁用“工资单”中的“舍入总计”字段
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,这是销售订单中交货日期的默认偏移量(天)。后备偏移量是从下单日期算起的7天。
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,请通过“设置”&gt;“编号序列”为出勤设置编号序列
 DocType: Rename Tool,File to Rename,文件重命名
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},请为第{0}行的物料指定物料清单
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,获取订阅更新
@@ -4043,6 +4102,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,序列号已创建
 DocType: POS Profile,Applicable for Users,适用于用户
 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.-
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,从日期到日期是强制性的
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,将项目和所有任务设置为状态{0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),设置进度和分配(FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,没有创建工单
@@ -4052,6 +4112,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,项目由
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,采购物料成本
 DocType: Employee Separation,Employee Separation Template,员工离职模板
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},{0}的零数量抵押为贷款{0}
 DocType: Selling Settings,Sales Order Required,销售订单为必须项
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,成为卖家
 ,Procurement Tracker,采购跟踪器
@@ -4148,11 +4209,12 @@
 ,Minutes to First Response for Opportunity,机会首次响应(分钟)
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,共缺勤
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,行{0}中的项目或仓库与物料申请不符合
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,应付金额
+DocType: Loan Repayment,Payable Amount,应付金额
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,机会
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,最大强度不能小于零。
 DocType: Options,Option,选项
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},您无法在已关闭的会计期间{0}创建会计分录
 DocType: Operation,Default Workstation,默认工作台
@@ -4194,6 +4256,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,利息金额是强制性的
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,停薪留职不批准请假的记录相匹配
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,下一步
 apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,保存的物品
@@ -4257,8 +4320,6 @@
 DocType: Grant Application,Grant Application Details ,授予申请细节
 DocType: Employee Separation,Employee Separation,员工离职
 DocType: BOM Item,Original Item,原物料
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","请删除员工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文档"
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},费纪录已建立 -  {0}
 DocType: Asset Category Account,Asset Category Account,资产类别的科目
@@ -4294,6 +4355,8 @@
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,实验室测试项目{0}已存在
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0}是公司假期
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,可开票时间
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,如果延迟还款,则每日对未付利息征收罚款利率
+DocType: Appointment Letter content,Appointment Letter content,预约信内容
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,离开状态通知
 DocType: Patient Appointment,Procedure Prescription,程序处方
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,家具及固定装置
@@ -4313,7 +4376,7 @@
 DocType: Opportunity,Customer / Lead Name,客户/潜在客户名称
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,请填写清帐日期
 DocType: Payroll Period,Taxable Salary Slabs,应税工资累进税率表
-DocType: Job Card,Production,生产
+DocType: Plaid Settings,Production,生产
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN无效!您输入的输入与GSTIN的格式不匹配。
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,账户价值
 DocType: Guardian,Occupation,职业
@@ -4459,6 +4522,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,忠诚度计划集
 DocType: Stock Entry Detail,Subcontracted Item,外包物料
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},学生{0}不属于组{1}
+DocType: Appointment Letter,Appointment Date,约会日期
 DocType: Budget,Cost Center,成本中心
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,凭证 #
 DocType: Tax Rule,Shipping Country,起运国家
@@ -4529,6 +4593,7 @@
 DocType: Accounting Dimension,Accounting Dimension,会计维度
 ,Profit and Loss Statement,损益表
 DocType: Bank Reconciliation Detail,Cheque Number,支票号码
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,支付的金额不能为零
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0}  -  {1}引用的项目已开具费用清单
 ,Sales Browser,销售列表
 DocType: Journal Entry,Total Credit,总贷方金额
@@ -4633,6 +4698,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,添加/编辑优惠券条件
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,费用/差异科目({0})必须是一个“益损”类科目
 DocType: Stock Entry Detail,Stock Entry Child,股票入境儿童
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,贷款安全保证公司和贷款公司必须相同
 DocType: Project,Copied From,复制自
 DocType: Project,Copied From,复制自
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,费用清单已在所有结算时间创建
@@ -4641,6 +4707,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,财务成本
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,员工{0}的考勤已标记
 DocType: Packing Slip,If more than one package of the same type (for print),如果有多个同样类型的打包(用于打印)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,请在“教育”&gt;“教育设置”中设置教师命名系统
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,请在“餐厅设置”中设置默认客户
 ,Salary Register,工资台账
 DocType: Company,Default warehouse for Sales Return,销售退货的默认仓库
@@ -4685,7 +4752,7 @@
 DocType: Stock Reconciliation Item,Current Serial No,目前的序列号
 DocType: Employee,Attendance and Leave Details,出勤和离职详情
 ,BOM Comparison Tool,BOM比较工具
-,Requested,要求
+DocType: Loan Security Pledge,Requested,要求
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,暂无说明
 DocType: Asset,In Maintenance,在维护中
 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,单击此按钮可从亚马逊MWS中提取销售订单数据。
@@ -4697,7 +4764,6 @@
 DocType: Drug Prescription,Drug Prescription,药物处方
 DocType: Service Level,Support and Resolution,支持和解决
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,未选择免费商品代码
-DocType: Loan,Repaid/Closed,偿还/关闭
 DocType: Amazon MWS Settings,CA,钙
 DocType: Item,Total Projected Qty,预计总数量
 DocType: Monthly Distribution,Distribution Name,分配名称
@@ -4731,6 +4797,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,库存的会计分录
 DocType: Lab Test,LabTest Approver,实验室检测审批者
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,您已经评估了评估标准{}。
+DocType: Loan Security Shortfall,Shortfall Amount,不足额
 DocType: Vehicle Service,Engine Oil,机油
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},创建的工单:{0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},请为潜在客户{0}设置电子邮件ID
@@ -4749,6 +4816,7 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},没有为仪表板图表{0}设置帐户
 DocType: Purchase Invoice,Apply Additional Discount On,额外折扣基于
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,选择类型...
+DocType: Loan Interest Accrual,Amounts,金额
 apps/erpnext/erpnext/templates/pages/help.html,Your tickets,你的票
 DocType: Account,Root Type,根类型
 DocType: Item,FIFO,先进先出
@@ -4756,6 +4824,7 @@
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:无法退回超过{1}的物料{2}
 DocType: Item Group,Show this slideshow at the top of the page,在页面顶部显示此幻灯片
 DocType: BOM,Item UOM,物料计量单位
+DocType: Loan Security Price,Loan Security Price,贷款担保价
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),扣除折扣后税额(公司货币)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},行{0}必须指定目标仓库
 apps/erpnext/erpnext/config/retail.py,Retail Operations,零售业务
@@ -4896,6 +4965,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},在{0}行中必须使用批次号
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},在{0}行中必须使用批处理
 DocType: Company,Default Buying Terms,默认购买条款
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,贷款支出
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,外包订单外发物料
 DocType: Amazon MWS Settings,Enable Scheduled Synch,启用预定同步
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,以日期时间
@@ -4924,6 +4994,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},输入{0}和{1}之间的值
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,如果询价的来源是活动的话请输入活动名称。
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,报纸出版商
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},找不到{0}的有效<b>贷款担保价格</b>
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,未来的日期不允许
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,预计交货日期应在销售订单日期之后
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,重订货水平
@@ -4990,6 +5061,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,提案/报价
 DocType: Antibiotic,Healthcare,卫生保健
 DocType: Target Detail,Target Detail,目标详细信息
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,贷款流程
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,单一变种
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,所有职位
 DocType: Sales Order,% of materials billed against this Sales Order,此销售订单%的物料已开票。
@@ -5053,7 +5125,7 @@
 DocType: Item,Reorder level based on Warehouse,根据仓库订货点水平
 DocType: Activity Cost,Billing Rate,结算利率
 ,Qty to Deliver,交付数量
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,创建支付条目
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,创建支付条目
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,亚马逊将同步在此日期之后更新的数据
 ,Stock Analytics,库存分析
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,操作不能留空
@@ -5087,6 +5159,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,取消外部集成的链接
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,选择相应的付款
 DocType: Pricing Rule,Item Code,物料代码
+DocType: Loan Disbursement,Pending Amount For Disbursal,待付款金额
 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.-
 DocType: Serial No,Warranty / AMC Details,保修/ 年度保养合同信息
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,为基于活动的组手动选择学生
@@ -5110,6 +5183,7 @@
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,数量总计
 DocType: Landed Cost Item,Receipt Document,收到文件
 DocType: Employee Education,School/University,学校/大学
+DocType: Loan Security Pledge,Loan  Details,贷款明细
 DocType: Sales Invoice Item,Available Qty at Warehouse,库存可用数量
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,已开票金额
 DocType: Share Transfer,(including),(包含)
@@ -5133,6 +5207,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,组
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,基于账户分组
 DocType: Purchase Invoice,Hold Invoice,暂缓处理费用清单
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,质押状态
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,请选择员工
 DocType: Sales Order,Fully Delivered,完全交付
 DocType: Promotional Scheme Price Discount,Min Amount,最低金额
@@ -5142,7 +5217,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},支付额不能超过贷款金额较大的{0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},行{0}#分配的金额{1}不能大于无人认领的金额{2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},请为物料{0}指定采购订单号
 DocType: Leave Allocation,Carry Forwarded Leaves,顺延假期
@@ -5170,6 +5244,7 @@
 DocType: Pick List Item,Serial No and Batch,序列号和批次
 DocType: Warranty Claim,From Company,源公司
 DocType: GSTR 3B Report,January,一月
+DocType: Loan Repayment,Principal Amount Paid,本金支付
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,评估标准的得分之和必须是{0}。
 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,请设置折旧数预订
 DocType: Supplier Scorecard Period,Calculations,计算
@@ -5196,6 +5271,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,关于贵公司
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,显示库存账龄数据
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,信用科目必须是资产负债表科目
+DocType: Loan Repayment,Penalty Amount,罚款金额
 DocType: Donor,Donor,捐赠者
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,更新项目税金
 DocType: Global Defaults,Disable In Words,禁用词
@@ -5226,6 +5302,7 @@
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,成本中心和预算编制
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,期初余额权益
 DocType: Appointment,CRM,CRM
+DocType: Loan Repayment,Partial Paid Entry,部分付费条目
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,请设置付款时间表
 DocType: Pick List,Items under this warehouse will be suggested,将建议此仓库下的项目
 DocType: Purchase Invoice,N,N
@@ -5259,7 +5336,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},在{0}中找不到物料{1}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},值必须介于{0}和{1}之间
 DocType: Accounts Settings,Show Inclusive Tax In Print,在打印中显示包含税
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",银行账户,开始日期和截止日期必填
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,消息已发送
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,科目与子节点不能被设置为分类帐
 DocType: C-Form,II,二
@@ -5273,6 +5349,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,启用自动重新排序
 DocType: Stock Settings,Item Naming By,物料命名字段
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},在{1}之后另一个期间结束分录{0}已经被录入
+DocType: Proposed Pledge,Proposed Pledge,建议的质押
 DocType: Work Order,Material Transferred for Manufacturing,材料移送用于制造
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,科目{0}不存在
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,选择忠诚度计划
@@ -5283,7 +5360,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",设置活动为{0},因为附连到下面的销售者的员工不具有用户ID {1}
 DocType: Timesheet,Billing Details,开票(帐单)信息
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,源和目标仓库必须是不同的
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,请在人力资源&gt;人力资源设置中设置员工命名系统
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,支付失败。请检查您的GoCardless科目以了解更多信息
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},不允许对早于{0}的库存交易进行更新
 DocType: Stock Entry,Inspection Required,需要检验
@@ -5296,6 +5372,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Assessment Plan,Program,程序
+DocType: Unpledge,Against Pledge,反对承诺
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,拥有此角色的用户可以设置冻结科目,创建/修改冻结科目的会计凭证
 DocType: Plaid Settings,Plaid Environment,格子环境
 ,Project Billing Summary,项目开票摘要
@@ -5348,6 +5425,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,批
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,可以提前预约的天数
 DocType: Article,LMS User,LMS用户
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,抵押贷款必须有抵押贷款保证
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),供应地点(州/ UT)
 DocType: Purchase Order Item Supplied,Stock UOM,库存计量单位
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,采购订单{0}未提交
@@ -5423,6 +5501,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,创建工作卡
 DocType: Quotation,Referral Sales Partner,推荐销售合作伙伴
 DocType: Quality Procedure Process,Process Description,进度解析
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",无法取消抵押,贷款抵押额大于还款额
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,客户{0}已创建。
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,目前没有任何仓库可用的库存
 ,Payment Period Based On Invoice Date,基于费用清单日期的付款期间
@@ -5443,7 +5522,7 @@
 DocType: Asset,Insurance Details,保险信息
 DocType: Account,Payable,应付
 DocType: Share Balance,Share Type,分享类型
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,请输入还款期
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,请输入还款期
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),债务人({0})
 DocType: Pricing Rule,Margin,利润
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,新客户
@@ -5452,6 +5531,7 @@
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,商机来源的机会
 DocType: Appraisal Goal,Weightage (%),权重(%)
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,更改POS配置文件
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,数量或金额是贷款担保的强制要求
 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,Assessment Report,评估报表
@@ -5487,6 +5567,8 @@
 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,已创建销售费用清单{0}
 DocType: Employee,Confirmation Date,确认日期
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","请删除员工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文档"
 DocType: Inpatient Occupancy,Check Out,退出
 DocType: C-Form,Total Invoiced Amount,发票金额
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,最小数量不能大于最大数量
@@ -5500,7 +5582,6 @@
 DocType: QuickBooks Migrator,Quickbooks Company ID,Quickbooks公司ID
 DocType: Travel Request,Travel Funding,出差经费来源
 DocType: Employee Skill,Proficiency,能力
-DocType: Loan Application,Required by Date,按日期必填
 DocType: Purchase Invoice Item,Purchase Receipt Detail,采购收货明细
 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,指向作物生长的所有位置的链接
 DocType: Lead,Lead Owner,线索负责人
@@ -5519,7 +5600,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,当前BOM和新BOM不能相同
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,工资单编号
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,退休日期必须大于入职日期
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,供应商&gt;供应商类型
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,多种变体
 DocType: Sales Invoice,Against Income Account,针对的收益账目
 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}%交付
@@ -5552,7 +5632,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,估值类型罪名不能标记为包容性
 DocType: POS Profile,Update Stock,更新库存
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,付款信息
+DocType: Loan Repayment,Payment Details,付款信息
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,物料清单税率
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,阅读上传的文件
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",停止的工单不能取消,先取消停止
@@ -5588,6 +5668,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,最高贷款额
 ,Stock Ledger,库存总帐
 DocType: Company,Exchange Gain / Loss Account,汇兑损益科目
 DocType: Amazon MWS Settings,MWS Credentials,MWS凭证
@@ -5595,6 +5676,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},目的必须是一个{0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,填写表格并保存
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,社区论坛
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},休假类型:{1}的未分配给员工的叶子:{0}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,实际库存数量
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,实际库存数量
 DocType: Homepage,"URL for ""All Products""",网址“所有产品”
@@ -5697,7 +5779,6 @@
 DocType: Fee Schedule,Fee Schedule,收费表
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,列标签:
 DocType: Bank Transaction,Settled,安定
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,贷款还款开始日期后,支付日期不能发生
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,塞斯
 DocType: Quality Feedback,Parameters,参数
 DocType: Company,Create Chart Of Accounts Based On,基于...创建科目表
@@ -5717,6 +5798,7 @@
 DocType: Customer,Credit Limit and Payment Terms,信用额度和付款条款
 DocType: Loyalty Program,Collection Rules,收集规则
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,物料3
+DocType: Loan Security Shortfall,Shortfall Time,短缺时间
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,订单输入
 DocType: Purchase Order,Customer Contact Email,客户联系电子邮件
 DocType: Warranty Claim,Item and Warranty Details,物料和保修
@@ -5736,12 +5818,14 @@
 DocType: Sales Person,Sales Person Name,销售人员姓名
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,请在表中至少输入1张费用清单
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,没有创建实验室测试
+DocType: Loan Security Shortfall,Security Value ,安全价值
 DocType: POS Item Group,Item Group,物料群组
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,学生组:
 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,Total Allocated Leaves,合计已分配休假天数
+DocType: Appointment Letter,Appointment Letter,预约信
 apps/erpnext/erpnext/projects/doctype/task/task.py,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,To {0},{0}
@@ -5797,6 +5881,7 @@
 DocType: Stock Entry,From BOM,来自物料清单
 DocType: Assessment Code,Assessment Code,评估准则
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,基本
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,客户和员工的贷款申请。
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,早于{0}的库存事务已冻结
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',请点击“生成表”
 DocType: Job Card,Current Time,当前时间
@@ -5823,7 +5908,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,格兰特
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,没有学生团体创建的。
 DocType: Purchase Invoice Item,Serial No,序列号
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,每月还款额不能超过贷款金额较大
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,每月还款额不能超过贷款金额较大
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,请先输入客户拜访(维护)信息
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,行#{0}:预计交货日期不能在采购订单日期之前
 DocType: Purchase Invoice,Print Language,打印语言
@@ -5837,6 +5922,7 @@
 DocType: Asset,Finance Books,账簿
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,员工免税申报类别
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,所有的区域
+DocType: Plaid Settings,development,发展
 DocType: Lost Reason Detail,Lost Reason Detail,丢失的原因细节
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,请在员工/成绩记录中为员工{0}设置休假政策
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,无效框架订单对所选客户和物料无效
@@ -5901,12 +5987,14 @@
 DocType: Staffing Plan Detail,Current Openings,当前空缺
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,运营现金流
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST金额
+DocType: Vehicle Log,Current Odometer value ,当前里程表值
 apps/erpnext/erpnext/utilities/activation.py,Create Student,创建学生
 DocType: Asset Movement Item,Asset Movement Item,资产变动项目
 DocType: Purchase Invoice,Shipping Rule,配送规则
 DocType: Patient Relation,Spouse,配偶
 DocType: Lab Test Groups,Add Test,添加测试
 DocType: Manufacturer,Limited to 12 characters,限12个字符
+DocType: Appointment Letter,Closing Notes,结束语
 DocType: Journal Entry,Print Heading,打印标题
 DocType: Quality Action Table,Quality Action Table,质量行动表
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,总分数不能为零
@@ -5974,6 +6062,7 @@
 apps/erpnext/erpnext/controllers/trends.py,Total(Amt),共(AMT)
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},请为类型{0}标识/创建帐户(组)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,娱乐休闲
+DocType: Loan Security,Loan Security,贷款担保
 ,Item Variant Details,物料变体详细信息
 DocType: Quality Inspection,Item Serial No,物料序列号
 DocType: Payment Request,Is a Subscription,是订阅
@@ -5986,7 +6075,6 @@
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,后期
 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,预定日期和准入日期不能少于今天
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,转印材料供应商
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新序列号不能有仓库,仓库只能通过手工库存移动和采购收货单设置。
 DocType: Lead,Lead Type,线索类型
 apps/erpnext/erpnext/utilities/activation.py,Create Quotation,创建报价
@@ -6004,7 +6092,6 @@
 DocType: Leave Allocation,Leave Period,休假期间
 DocType: Item,Default Material Request Type,默认物料申请类型
 DocType: Supplier Scorecard,Evaluation Period,评估期
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,客户&gt;客户组&gt;地区
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,未知
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,工单未创建
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
@@ -6090,7 +6177,8 @@
 ,Customer-wise Item Price,客户明智的物品价格
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,现金流量表
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,没有创建重要请求
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},贷款额不能超过最高贷款额度{0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},贷款额不能超过最高贷款额度{0}
+DocType: Loan,Loan Security Pledge,贷款担保
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,执照
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,请选择结转,如果你还需要包括上一会计年度的资产负债叶本财年
@@ -6108,6 +6196,7 @@
 DocType: Pricing Rule,Price Discount Scheme,价格折扣计划
 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,维护状态必须取消或完成提交
 DocType: Amazon MWS Settings,US,我们
+DocType: Loan Security Pledge,Pledged,已抵押
 DocType: Holiday List,Add Weekly Holidays,添加每周假期
 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,报告项目
 DocType: Staffing Plan Detail,Vacancies,职位空缺
@@ -6126,7 +6215,6 @@
 DocType: Production Plan Item,Planned Start Date,计划开始日期
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,请选择一个物料清单
 DocType: Purchase Invoice,Availed ITC Integrated Tax,有效的ITC综合税收
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,创建还款条目
 DocType: Purchase Order Item,Blanket Order Rate,总括订单单价
 ,Customer Ledger Summary,客户分类帐摘要
 apps/erpnext/erpnext/hooks.py,Certification,证明
@@ -6147,6 +6235,7 @@
 DocType: Appraisal Template,Appraisal Template Title,评估模板标题
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,商业
 DocType: Patient,Alcohol Current Use,酒精当前使用
+DocType: Loan,Loan Closure Requested,请求关闭贷款
 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,免税类别
@@ -6170,6 +6259,7 @@
 DocType: Opening Invoice Creation Tool,Sales,销售
 DocType: Stock Entry Detail,Basic Amount,基本金额
 DocType: Training Event,Exam,考试
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,流程贷款安全漏洞
 DocType: Email Campaign,Email Campaign,电邮广告系列
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,市场错误
 DocType: Complaint,Complaint,抱怨
@@ -6249,6 +6339,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,提交这个来创建员工记录
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},贷款证券价格与{0}重叠
 DocType: Item Default,Item Default,物料默认值
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,国内供应
 DocType: Chapter Member,Leave Reason,离开原因
@@ -6276,6 +6367,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0}使用的优惠券是{1}。允许数量已耗尽
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,您要提交材料申请吗?
 DocType: Job Offer,Awaiting Response,正在等待回应
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,贷款是强制性的
 DocType: Course Schedule,EDU-CSH-.YYYY.-,EDU-CSH-.YYYY.-
 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Above,以上
 DocType: Support Search Source,Link Options,链接选项
@@ -6288,6 +6380,7 @@
 DocType: Training Event Employee,Optional,可选的
 DocType: Salary Slip,Earning & Deduction,收入及扣除
 DocType: Agriculture Analysis Criteria,Water Analysis,水分析
+DocType: Pledge,Post Haircut Amount,剪发数量
 DocType: Sales Order,Skip Delivery Note,跳过交货单
 DocType: Price List,Price Not UOM Dependent,价格不是UOM依赖
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,{0}变量已创建
@@ -6314,6 +6407,7 @@
 apps/erpnext/erpnext/controllers/stock_controller.py,{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,Get Items from Product Bundle,从产品包获取物料
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,定期贷款必须采用还款方法
 DocType: Asset,Straight Line,直线
 DocType: Project User,Project User,项目用户
 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split,分裂
@@ -6361,7 +6455,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,允许设置冻结科目和编辑冻结凭证的角色
 DocType: Supplier Scorecard Scoring Variable,Path,路径
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,不能将成本中心转换为分类账,因为它有子项。
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},找不到项目{2}的UOM转换因子({0}-&gt; {1})
 DocType: Production Plan,Total Planned Qty,总计划数量
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,已从报表中检索到的交易
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,期初金额
@@ -6370,11 +6463,8 @@
 DocType: Material Request Plan Item,Required Quantity,所需数量
 DocType: Lab Test Template,Lab Test Template,实验室测试模板
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},会计期间与{0}重叠
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,供应商&gt;供应商类型
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,销售科目
 DocType: Purchase Invoice Item,Total Weight,总重量
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","请删除员工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文档"
 DocType: Pick List Item,Pick List Item,选择清单项目
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,销售佣金
 DocType: Job Offer Term,Value / Description,值/说明
@@ -6421,6 +6511,7 @@
 DocType: Patient Encounter,Encounter Date,遇到日期
 DocType: Work Order,Update Consumed Material Cost In Project,更新项目中的消耗材料成本
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,帐号:{0}币种:{1}不能选择
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,提供给客户和员工的贷款。
 DocType: Bank Statement Transaction Settings Item,Bank Data,银行数据
 DocType: Purchase Receipt Item,Sample Quantity,样品数量
 DocType: Bank Guarantee,Name of Beneficiary,受益人姓名
@@ -6489,7 +6580,6 @@
 DocType: Contract,Signed On,签名
 DocType: Bank Account,Party Type,往来单位类型
 DocType: Discounted Invoice,Discounted Invoice,特价发票
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,将出席人数标记为<b></b>
 DocType: Payment Schedule,Payment Schedule,付款工时单
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},找不到给定员工字段值的员工。 &#39;{}&#39;:{}
 DocType: Item Attribute Value,Abbreviation,缩写
@@ -6561,6 +6651,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,债权人
 DocType: Assessment Plan,Assessment Name,评估名称
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,行#{0}:序列号是必需的
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,结清贷款需要{0}的金额
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,物料税/费信息
 DocType: Employee Onboarding,Job Offer,工作机会
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,机构缩写
@@ -6585,7 +6676,6 @@
 DocType: Purchase Order,To Receive,等收货
 DocType: Leave Period,Holiday List for Optional Leave,可选假期的假期列表
 DocType: Item Tax Template,Tax Rates,税率
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,物料代码&gt;物料组&gt;品牌
 DocType: Asset,Asset Owner,资产所有者
 DocType: Item,Website Content,网站内容
 DocType: Bank Account,Integration ID,集成ID
@@ -6601,6 +6691,7 @@
 DocType: Amazon MWS Settings,Synch Orders,同步订单
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,工单已审批可开始生产。
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,选择财务年度...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},请为公司{0}选择贷款类型
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,请创建POS配置记录
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",忠诚度积分将根据所花费的完成量(通过销售费用清单)计算得出。
 DocType: Program Enrollment Tool,Enroll Students,招生
@@ -6629,6 +6720,7 @@
 DocType: Customer,Mention if non-standard receivable account,如需记账到非标准应收账款科目应提及
 DocType: Bank,Plaid Access Token,格子访问令牌
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,请将其余好处{0}添加到任何现有组件
+DocType: Bank Account,Is Default Account,是默认帐户
 DocType: Journal Entry Account,If Income or Expense,收入或支出
 DocType: Course Topic,Course Topic,课程主题
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},在日期{1}和{2}之间存在POS结算凭证alreday {0}
@@ -6641,7 +6733,7 @@
 DocType: Disease,Treatment Task,治疗任务
 DocType: Payment Order Reference,Bank Account Details,银行账户明细
 DocType: Purchase Order Item,Blanket Order,总括订单
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,还款金额必须大于
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,还款金额必须大于
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,所得税资产
 DocType: BOM Item,BOM No,物料清单编号
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,更新详情
@@ -6698,6 +6790,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce产品
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},式或条件语法错误:{0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,产品{0}不属于库存产品,因此被忽略
+,Loan Security Status,贷款安全状态
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",要在一个特定的交易不适用于定价规则,所有适用的定价规则应该被禁用。
 DocType: Payment Term,Day(s) after the end of the invoice month,费用清单月份结束后的一天
 DocType: Assessment Group,Parent Assessment Group,上级评估小组
@@ -6712,7 +6805,6 @@
 DocType: Stock Entry Detail,Additional Cost,额外费用
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",按凭证分类后不能根据凭证编号过滤
 DocType: Quality Inspection,Incoming,来料检验
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,请通过“设置”&gt;“编号序列”为出勤设置编号序列
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,销售和采购的默认税收模板被创建。
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,评估结果记录{0}已经存在。
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例如:ABCD。#####。如果系列已设置且交易中未输入批号,则将根据此系列创建自动批号。如果您始终想要明确提及此料品的批号,请将此留为空白。注意:此设置将优先于库存设置中的名录前缀。
@@ -6723,8 +6815,10 @@
 DocType: Contract,Party User,往来单位用户
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,未为<b>{0}</b>创建资产。您将必须手动创建资产。
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',如果按什么分组是“Company”,请设置公司过滤器空白
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,客户&gt;客户组&gt;地区
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,记帐日期不能是未来的日期
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:序列号{1}不相匹配{2} {3}
+DocType: Loan Repayment,Interest Payable,应付利息
 DocType: Stock Entry,Target Warehouse Address,目标仓库地址
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,事假
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,在考虑员工入住的班次开始时间之前的时间。
@@ -6853,6 +6947,7 @@
 DocType: Issue,Reset Service Level Agreement,重置服务水平协议
 ,Sales Person-wise Transaction Summary,各销售人员业务汇总
 DocType: Training Event,Contact Number,联系电话
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,贷款金额是强制性的
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,仓库{0}不存在
 DocType: Cashier Closing,Custody,保管
 DocType: Employee Tax Exemption Proof Submission Detail,Employee Tax Exemption Proof Submission Detail,员工免税证明提交细节
@@ -6901,6 +6996,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,结余数量
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,条件将适用于所有选定项目的组合。
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,目标不能为空
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,仓库不正确
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,招收学生
 DocType: Item Group,Parent Item Group,父(上级)项目组
 DocType: Appointment Type,Appointment Type,预约类型
@@ -6956,10 +7052,11 @@
 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,平均率
 DocType: Appointment,Appointment With,预约
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付计划中的总付款金额必须等于总计/圆整的总计
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,将出席人数标记为<b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Customer Provided Item(客户提供的物品)"" 不允许拥有 Valuation Rate(估值比率)"
 DocType: Subscription Plan Detail,Plan,计划
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,基于总帐的银行对账单余额
-DocType: Job Applicant,Applicant Name,申请人姓名
+DocType: Appointment Letter,Applicant Name,申请人姓名
 DocType: Authorization Rule,Customer / Item Name,客户/物料名称
 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**. 
 
@@ -7003,11 +7100,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,无法删除,因为此仓库有库存分类账分录。
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,分销
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,员工状态不能设置为“左”,因为以下员工当前正在向此员工报告:
-DocType: Journal Entry Account,Loan,贷款
+DocType: Loan Repayment,Amount Paid,已支付的款项
+DocType: Loan Security Shortfall,Loan,贷款
 DocType: Expense Claim Advance,Expense Claim Advance,费用报销预付款
 DocType: Lab Test,Report Preference,报表偏好
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,志愿者信息。
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,项目经理
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,按客户分组
 ,Quoted Item Comparison,项目报价比较
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0}和{1}之间的得分重叠
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,调度
@@ -7027,6 +7126,7 @@
 DocType: Material Request Plan Item,Material Issue,发料
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},未在定价规则{0}中设置免费项目
 DocType: Employee Education,Qualification,资历
+DocType: Loan Security Shortfall,Loan Security Shortfall,贷款安全缺口
 DocType: Item Price,Item Price,物料价格
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,肥皂和洗涤剂
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},员工{0}不属于公司{1}
@@ -7049,6 +7149,7 @@
 DocType: Appointment Booking Settings,Appointment Details,预约详情
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,完成的产品
 DocType: Warehouse,Warehouse Name,仓库名称
+DocType: Loan Security Pledge,Pledge Time,承诺时间
 DocType: Naming Series,Select Transaction,选择交易
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,请输入角色核准或审批用户
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,与实体类型{0}和实体{1}的服务水平协议已存在。
@@ -7056,7 +7157,6 @@
 DocType: BOM,Rate Of Materials Based On,基于以下的物料单价
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",如果启用,则在学期注册工具中,字段学术期限将是强制性的。
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",豁免,零税率和非商品及服务税内向供应的价值
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,客户&gt;客户组&gt;地区
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>公司</b>是强制性过滤器。
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,取消全选
 DocType: Purchase Taxes and Charges,On Item Quantity,关于物品数量
@@ -7102,7 +7202,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,短缺数量
 DocType: Purchase Invoice,Input Service Distributor,输入服务分销商
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,相同属性物料变体{0}已存在
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,请在“教育”&gt;“教育设置”中设置教师命名系统
 DocType: Loan,Repay from Salary,从工资偿还
 DocType: Exotel Settings,API Token,API令牌
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},请求对付款{0} {1}量{2}
@@ -7122,6 +7221,7 @@
 DocType: Salary Slip,Total Interest Amount,利息总额
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,与子节点仓库不能转换为分类账
 DocType: BOM,Manage cost of operations,管理成本
+DocType: Unpledge,Unpledge,不承诺
 DocType: Accounts Settings,Stale Days,信用证有效期天数
 DocType: Travel Itinerary,Arrival Datetime,到达日期时间
 DocType: Tax Rule,Billing Zipcode,计费邮编
@@ -7308,6 +7408,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,小时
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},已为您创建一个{0}的新约会
 DocType: Project,Expected Start Date,预计开始日期
+DocType: Work Order,This is a location where raw materials are available.,这是可获取原材料的地方。
 DocType: Purchase Invoice,04-Correction in Invoice,04-发票纠正
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,已经为包含物料清单的所有料品创建工单
 DocType: Bank Account,Party Details,往来单位详细信息
@@ -7326,6 +7427,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,报价:
 DocType: Contract,Partially Fulfilled,部分实现
 DocType: Maintenance Visit,Fully Completed,全部完成
+DocType: Loan Security,Loan Security Name,贷款证券名称
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",命名系列中不允许使用除“ - ”,“#”,“。”,“/”,“{”和“}”之外的特殊字符
 DocType: Purchase Invoice Item,Is nil rated or exempted,没有评级或豁免
 DocType: Employee,Educational Qualification,学历
@@ -7383,6 +7485,7 @@
 DocType: Program,Is Featured,精选
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,正在获取...
 DocType: Agriculture Analysis Criteria,Agriculture User,农业用户
+DocType: Loan Security Shortfall,America/New_York,美国/纽约
 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,有效期至日期不得在交易日之前
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,学生组
@@ -7459,8 +7562,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,您没有权限设定冻结值
 DocType: Payment Reconciliation,Get Unreconciled Entries,获取未对帐/结清分录
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},员工{0}暂停{1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,没有为日志输入选择二次付款
 DocType: Purchase Invoice,GST Category,消费税类别
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,建议抵押是抵押贷款的强制性要求
 DocType: Payment Reconciliation,From Invoice Date,从费用清单日期
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,预算
 DocType: Invoice Discounting,Disbursed,支付
@@ -7518,14 +7621,13 @@
 DocType: Restaurant,Active Menu,活动菜单
 DocType: Accounting Dimension Detail,Default Dimension,默认尺寸
 DocType: Target Detail,Target Qty,目标数量
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},针对的贷款:{0}
 DocType: Shopping Cart Settings,Checkout Settings,结帐设置
 DocType: Student Attendance,Present,出勤
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,销售出货单{0}不应该被提交
 DocType: HR Settings,"The salary slip emailed to the employee will be password protected, the password will be generated based on the password policy.",通过电子邮件发送给员工的工资单将受密码保护,密码将根据密码策略生成。
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,关闭科目{0}的类型必须是负债/权益
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},工时单{1}的员工{0}工资单已创建
-DocType: Vehicle Log,Odometer,里程表
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Odometer,里程表
 DocType: Production Plan Item,Ordered Qty,订单数量
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,物料{0}已被禁用
 DocType: Stock Settings,Stock Frozen Upto,库存冻结止
@@ -7584,7 +7686,6 @@
 DocType: Serial No,Delivery Document Type,交货文档类型
 DocType: Sales Order,Partly Delivered,部分交付
 DocType: Item Variant Settings,Do not update variants on save,不要在保存时更新变体
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,客户群
 DocType: Email Digest,Receivables,应收款
 DocType: Lead Source,Lead Source,线索来源
 DocType: Customer,Additional information regarding the customer.,该客户的其他信息。
@@ -7683,6 +7784,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,实际数据
 DocType: Appointment,Skype ID,Skype帐号
 DocType: Restaurant Menu,Restaurant Manager,餐厅经理
+DocType: Loan,Penalty Income Account,罚款收入帐户
 DocType: Call Log,Call Log,通话记录
 DocType: Authorization Rule,Customerwise Discount,客户折扣
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,任务方面的时间表。
@@ -7771,6 +7873,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,产品折扣计划
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,调用者没有提出任何问题。
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,按供应商分组
 DocType: Restaurant Reservation,Waitlisted,轮候
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,豁免类别
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,货币不能使用其他货币进行输入后更改
@@ -7781,7 +7884,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,咨询
 DocType: Subscription Plan,Based on price list,基于价格表
 DocType: Customer Group,Parent Customer Group,父(上级)客户群组
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON只能从销售发票中生成
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,达到此测验的最大尝试次数!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,循环分录系列/循环凭证
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,费用创作待定
@@ -7799,6 +7901,7 @@
 DocType: Asset Maintenance Task,Preventive Maintenance,预防性的维护
 DocType: Delivery Note Item,Against Sales Invoice,针对的销售费用清单
 DocType: Purchase Invoice,07-Others,07,其他
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,报价金额
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,请输入序列号序列号
 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. ,如果您不想在制作基于课程的组时考虑批量,请不要选中。
@@ -7910,6 +8013,7 @@
 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,付款收据
 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,本统计信息基于该客户的过往交易。详情请参阅表单下方的时间轴记录
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,创建物料申请
+DocType: Loan Interest Accrual,Pending Principal Amount,本金待定
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",开始和结束日期不在有效的工资核算期内,无法计算{0}
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,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,新学期
@@ -7953,6 +8057,7 @@
 											to fullfill Sales Order {2}",无法交付项目{1}的序列号{0},因为它已保留\以满足销售订单{2}
 DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.-
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,供应商报价{0}创建
+DocType: Loan Security Unpledge,Unpledge Type,不承诺类型
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,结束年份不能启动年前
 DocType: Employee Benefit Application,Employee Benefits,员工福利
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,员工ID
@@ -8035,6 +8140,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,课程编号:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,请输入您的费用科目
 DocType: Quality Action Resolution,Problem,问题
+DocType: Loan Security Type,Loan To Value Ratio,贷款价值比
 DocType: Account,Stock,库存
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参考文件类型必须是采购订单之一,采购费用清单或手工凭证
 DocType: Employee,Current Address,当前地址
@@ -8052,6 +8158,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,银行对账单交易分录
 DocType: Sales Invoice Item,Discount and Margin,折扣与边际利润
 DocType: Lab Test,Prescription,处方
+DocType: Process Loan Security Shortfall,Update Time,更新时间
 DocType: Import Supplier Invoice,Upload XML Invoices,上载XML发票
 DocType: Company,Default Deferred Revenue Account,默认递延收入科目
 DocType: Project,Second Email,第二封邮件
@@ -8065,7 +8172,7 @@
 DocType: Quality Action,Preventive,预防
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,向未登记人员提供的物资
 DocType: Company,Date of Incorporation,注册成立日期
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,总税额
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,总税额
 DocType: Manufacturing Settings,Default Scrap Warehouse,默认废料仓库
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,上次采购价格
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,数量(制造数量)字段必填
@@ -8084,6 +8191,7 @@
 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,设置默认付款方式
 DocType: Stock Entry Detail,Against Stock Entry,反对股票进入
 DocType: Grant Application,Withdrawn,取消
+DocType: Loan Repayment,Regular Payment,定期付款
 DocType: Support Search Source,Support Search Source,支持搜索源
 apps/erpnext/erpnext/accounts/report/account_balance/account_balance.js,Chargeble,Chargeble
 DocType: Project,Gross Margin %,毛利率%
@@ -8097,8 +8205,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,不缴纳税款
 DocType: BOM Operation,BOM Operation,物料清单操作
 DocType: Purchase Taxes and Charges,On Previous Row Amount,基于前一行的金额
+DocType: Student,Home Address,主页地址
 DocType: Options,Is Correct,是正确的
 DocType: Item,Has Expiry Date,有过期日期
+DocType: Loan Repayment,Paid Accrual Entries,付费应计分录
+DocType: Loan Security,Loan Security Type,贷款担保类型
 apps/erpnext/erpnext/config/support.py,Issue Type.,问题类型。
 DocType: POS Profile,POS Profile,销售终端配置
 DocType: Training Event,Event Name,培训名称
@@ -8110,6 +8221,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",设置季节性的预算,目标等。
 apps/erpnext/erpnext/www/all-products/index.html,No values,没有价值
 DocType: Supplier Scorecard Scoring Variable,Variable Name,变量名
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,选择要对帐的银行帐户。
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",物料{0}是一个模板,请选择它的一个变体
 DocType: Purchase Invoice Item,Deferred Expense,递延费用
 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,回到消息
@@ -8161,7 +8273,6 @@
 DocType: GL Entry,To Rename,要重命名
 DocType: Stock Entry,Repack,包装
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,选择添加序列号。
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,请在“教育”&gt;“教育设置”中设置教师命名系统
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',请为客户&#39;%s&#39;设置财务代码
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,请先选择公司
 DocType: Item Attribute,Numeric Values,数字值
@@ -8185,6 +8296,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,基于FIFO获取
 DocType: Soil Texture,Clay Loam,粘土沃土
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,根不能被编辑。
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,贷款担保价值
 DocType: Item,Units of Measure,计量单位
 DocType: Employee Tax Exemption Declaration,Rented in Metro City,在Metro City租用
 DocType: Supplier,Default Tax Withholding Config,预设税款预扣配置
@@ -8231,6 +8343,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,请先选择类别。
 apps/erpnext/erpnext/config/projects.py,Project master.,项目总经理
 DocType: Contract,Contract Terms,合同条款
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,批准的金额限制
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,继续配置
 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,Maximum benefit amount of component {0} exceeds {1},组件{0}的最大受益金额超过{1}
@@ -8263,6 +8376,7 @@
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,查看通话记录
 DocType: BOM Operation,Operating Cost(Company Currency),营业成本(公司货币)
 DocType: Loan Application,Rate of Interest,利率
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},贷款担保已抵押贷款{0}
 DocType: Expense Claim Detail,Sanctioned Amount,已核准金额
 DocType: Item,Shelf Life In Days,保质期天数
 DocType: GL Entry,Is Opening,开帐分录?
@@ -8276,3 +8390,4 @@
 DocType: Account,Cash,现金
 DocType: Sales Invoice,Unpaid and Discounted,无偿和折扣
 DocType: Employee,Short biography for website and other publications.,在网站或其他出版物使用的个人简介
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,第{0}行:在向分包商供应原材料时无法选择供应商仓库
diff --git a/erpnext/translations/zh_tw.csv b/erpnext/translations/zh_tw.csv
index 958977a..83feb78 100644
--- a/erpnext/translations/zh_tw.csv
+++ b/erpnext/translations/zh_tw.csv
@@ -45,7 +45,7 @@
 DocType: Lost Reason Detail,Opportunity Lost Reason,機會失去理智
 DocType: Patient Appointment,Check availability,檢查可用性
 DocType: Retention Bonus,Bonus Payment Date,獎金支付日期
-DocType: Employee,Job Applicant,求職者
+DocType: Appointment Letter,Job Applicant,求職者
 DocType: Job Card,Total Time in Mins,分鐘總時間
 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,這是基於對這種供應商的交易。詳情請參閱以下時間表
 DocType: Manufacturing Settings,Overproduction Percentage For Work Order,工作訂單的生產率過高百分比
@@ -164,6 +164,7 @@
 DocType: Delivery Stop,Contact Information,聯繫信息
 apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,搜索任何東西......
 ,Stock and Account Value Comparison,股票和賬戶價值比較
+apps/erpnext/erpnext/loan_management/doctype/loan_disbursement/loan_disbursement.py,Disbursed Amount cannot be greater than loan amount,支付金額不能大於貸款金額
 DocType: Company,Phone No,電話號碼
 DocType: Delivery Trip,Initial Email Notification Sent,初始電子郵件通知已發送
 DocType: Bank Statement Settings,Statement Header Mapping,聲明標題映射
@@ -259,6 +260,7 @@
 apps/erpnext/erpnext/config/buying.py,Templates of supplier standings.,供應商榜單。
 DocType: Lead,Interested,有興趣
 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,Opening,開盤
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Valid From Time must be lesser than Valid Upto Time.,有效起始時間必須小於有效起始時間。
 DocType: Item,Copy From Item Group,從項目群組複製
 DocType: Journal Entry,Opening Entry,開放報名
 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Account Pay Only,賬戶只需支付
@@ -300,6 +302,7 @@
 apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,可用庫存
 DocType: Assessment Result,Grade,年級
 DocType: Restaurant Table,No of Seats,座位數
+DocType: Loan Type,Grace Period in Days,天寬限期
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},資產{0}不屬於託管人{1}
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,呼叫已斷開連接
 DocType: Sales Invoice Item,Delivered By Supplier,交付供應商
@@ -347,7 +350,6 @@
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,規定程序
 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,只顯示POS
 DocType: Supplier Group,Supplier Group Name,供應商集團名稱
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,將出席人數標記為<b></b>
 DocType: Driver,Driving License Categories,駕駛執照類別
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,請輸入交貨日期
 DocType: Depreciation Schedule,Make Depreciation Entry,計提折舊進入
@@ -363,10 +365,12 @@
 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,進行的作業細節。
 DocType: Asset Maintenance Log,Maintenance Status,維修狀態
 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,物品稅金額包含在價值中
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Security Unpledge,貸款擔保
 apps/erpnext/erpnext/non_profit/doctype/member/member_dashboard.py,Membership Details,會員資格
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Supplier is required against Payable account {2},{0} {1}:需要對供應商應付賬款{2}
 apps/erpnext/erpnext/config/buying.py,Items and Pricing,項目和定價
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},總時間:{0}
+DocType: Loan,Loan Manager,貸款經理
 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},從日期應該是在財政年度內。假設起始日期={0}
 DocType: Drug Prescription,Interval,間隔
 DocType: Pricing Rule,Promotional Scheme Id,促銷計劃ID
@@ -422,6 +426,7 @@
 DocType: Work Order Operation,Updated via 'Time Log',經由“時間日誌”更新
 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,選擇客戶或供應商。
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,文件中的國家/地區代碼與系統中設置的國家/地區代碼不匹配
+apps/erpnext/erpnext/loan_management/doctype/loan_type/loan_type.py,Account {0} does not belong to Company {1},帳戶{0}不屬於公司{1}
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,僅選擇一個優先級作為默認值。
 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},提前量不能大於{0} {1}
 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",時隙滑動,時隙{0}到{1}與現有時隙{2}重疊到{3}
@@ -495,7 +500,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,禁假的
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},項{0}已達到其壽命結束於{1}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,銀行條目
-DocType: Customer,Is Internal Customer,是內部客戶
+DocType: Sales Invoice,Is Internal Customer,是內部客戶
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"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,銷售發票號碼
@@ -519,12 +524,14 @@
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Material Request,物料需求
 DocType: Bank Reconciliation,Update Clearance Date,更新日期間隙
 apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,捆綁數量
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.js,Cannot create loan until application is approved,在申請獲得批准之前無法創建貸款
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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: Quiz Result,Correct,正確
 DocType: Student Guardian,Mother,母親
 DocType: Restaurant Reservation,Reservation End Time,預訂結束時間
+DocType: Salary Slip Loan,Loan Repayment Entry,貸款還款錄入
 DocType: Crop,Biennial,雙年展
 ,BOM Variance Report,BOM差異報告
 apps/erpnext/erpnext/config/selling.py,Confirmed orders from Customers.,確認客戶的訂單。
@@ -546,6 +553,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},對支付{0} {1}不能大於未償還{2}
 apps/erpnext/erpnext/patches/v11_0/add_healthcare_service_unit_tree_root.py,All Healthcare Service Units,所有醫療服務單位
 apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Converting Opportunity,轉換機會
+DocType: Loan,Total Principal Paid,本金合計
 DocType: Lead,Mobile No.,手機號碼
 DocType: Maintenance Schedule,Generate Schedule,生成時間表
 DocType: Purchase Invoice Item,Expense Head,總支出
@@ -559,12 +567,14 @@
 DocType: Exchange Rate Revaluation Account,Balance In Base Currency,平衡基礎貨幣
 DocType: Supplier Scorecard Scoring Standing,Max Grade,最高等級
 DocType: Email Digest,New Quotations,新報價
+DocType: Loan Interest Accrual,Loan Interest Accrual,貸款利息計提
 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,在{0}上沒有針對{1}上的考勤出席。
 DocType: Journal Entry,Payment Order,付款單
 apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,驗證郵件
 DocType: Employee Tax Exemption Declaration,Income From Other Sources,其他來源的收入
 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",如果為空,將考慮父倉庫帳戶或公司默認值
 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,電子郵件工資單員工根據員工選擇首選的電子郵件
+DocType: Work Order,This is a location where operations are executed.,這是執行操作的位置。
 DocType: Tax Rule,Shipping County,航運縣
 apps/erpnext/erpnext/config/desktop.py,Learn,學習
 ,Trial Balance (Simple),試算平衡(簡單)
@@ -572,6 +582,7 @@
 apps/erpnext/erpnext/templates/includes/order/order_taxes.html,Applied Coupon Code,應用的優惠券代碼
 DocType: Asset,Next Depreciation Date,接下來折舊日期
 apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js,Activity Cost per Employee,每個員工活動費用
+DocType: Loan Security,Haircut %,理髮%
 DocType: Accounts Settings,Settings for Accounts,設置帳戶
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},供應商發票不存在採購發票{0}
 apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,管理銷售人員樹。
@@ -607,6 +618,7 @@
 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},請在{}上設置酒店房價
 DocType: Journal Entry,Multi Currency,多幣種
 DocType: Bank Statement Transaction Invoice Item,Invoice Type,發票類型
+DocType: Loan,Loan Security Details,貸款安全明細
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,從日期開始有效必須低於最新有效期
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Exception occurred while reconciling {0},協調{0}時發生異常
 DocType: Purchase Invoice,Set Accepted Warehouse,設置接受的倉庫
@@ -706,7 +718,6 @@
 DocType: Healthcare Settings,Require Lab Test Approval,需要實驗室測試批准
 DocType: Attendance,Working Hours,工作時間
 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,總計傑出
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},找不到項目{2}的UOM轉換因子({0}-&gt; {1})
 DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改現有系列的開始/當前的序列號。
 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,允許您根據訂購金額收取更多費用的百分比。例如:如果某個商品的訂單價值為100美元,而且公差設置為10%,那麼您可以支付110美元的費用。
 DocType: Dosage Strength,Strength,強度
@@ -722,6 +733,7 @@
 DocType: Purchase Receipt,Vehicle Date,車日期
 DocType: Campaign Email Schedule,Campaign Email Schedule,Campaign電子郵件計劃
 DocType: Student Log,Medical,醫療
+DocType: Work Order,This is a location where scraped materials are stored.,這是存放刮擦材料的位置。
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Drug,請選擇藥物
 apps/erpnext/erpnext/crm/doctype/lead/lead.py,Lead Owner cannot be same as the Lead,主導所有人不能等同於主導者
 DocType: Location,Area UOM,區域UOM
@@ -814,7 +826,7 @@
 DocType: Driver,Applicable for external driver,適用於外部驅動器
 DocType: Sales Order Item,Used for Production Plan,用於生產計劃
 DocType: BOM,Total Cost (Company Currency),總成本(公司貨幣)
-DocType: Loan,Total Payment,總付款
+DocType: Repayment Schedule,Total Payment,總付款
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,PO already created for all sales order items,已為所有銷售訂單項創建採購訂單
@@ -836,6 +848,7 @@
 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,警告採購訂單
 DocType: Employee Tax Exemption Proof Submission,Rented From Date,從日期租用
 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,足夠的配件組裝
+DocType: Loan Security,Loan Security Code,貸款安全守則
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,請先保存
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,需要物品來拉動與之相關的原材料。
 DocType: POS Profile User,POS Profile User,POS配置文件用戶
@@ -889,6 +902,7 @@
 DocType: Patient,Risk Factors,風險因素
 DocType: Patient,Occupational Hazards and Environmental Factors,職業危害與環境因素
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,已為工單創建的庫存條目
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,物料代碼&gt;物料組&gt;品牌
 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,查看過去的訂單
 apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0}次對話
 DocType: Vital Signs,Respiratory rate,呼吸頻率
@@ -919,7 +933,6 @@
 DocType: Company,Delete Company Transactions,刪除公司事務
 DocType: Production Plan Item,Quantity and Description,數量和描述
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,參考編號和參考日期是強制性的銀行交易
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,請通過設置&gt;設置&gt;命名系列為{0}設置命名系列
 DocType: Purchase Receipt,Add / Edit Taxes and Charges,新增 / 編輯稅金及費用
 DocType: Payment Entry Reference,Supplier Invoice No,供應商發票號碼
 DocType: Territory,For reference,供參考
@@ -946,6 +959,8 @@
 DocType: Tax Withholding Account,Tax Withholding Account,扣繳稅款賬戶
 DocType: Pricing Rule,Sales Partner,銷售合作夥伴
 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,所有供應商記分卡。
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Order Amount,訂單金額
+DocType: Loan,Disbursed Amount,支付額
 DocType: Buying Settings,Purchase Receipt Required,需要採購入庫單
 DocType: Sales Invoice,Rail,軌
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,實際成本
@@ -983,6 +998,7 @@
 DocType: QuickBooks Migrator,Connected to QuickBooks,連接到QuickBooks
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},請為類型{0}標識/創建帳戶(分類帳)
 DocType: Bank Statement Transaction Entry,Payable Account,應付帳款
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Account is mandatory to get payment entries,必須輸入帳戶才能獲得付款條目
 DocType: Payment Entry,Type of Payment,付款類型
 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,半天日期是強制性的
 DocType: Sales Order,Billing and Delivery Status,結算和交貨狀態
@@ -1029,6 +1045,7 @@
 apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",建立員工檔案管理葉,報銷和工資
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,更新過程中發生錯誤
 DocType: Restaurant Reservation,Restaurant Reservation,餐廳預訂
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,供應商&gt;供應商類型
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,提案寫作
 DocType: Payment Entry Deduction,Payment Entry Deduction,輸入付款扣除
 DocType: Service Level Priority,Service Level Priority,服務水平優先
@@ -1060,7 +1077,9 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,創建學生組
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Creating student groups,創建學生組
 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",支付網關帳戶沒有創建,請手動創建一個。
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Group Warehouses cannot be used in transactions. Please change the value of {0},不能在事務中使用組倉庫。請更改值{0}
 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,按照DOB的規定,沒有資格參加本計劃
+apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,第#{0}行:無法刪除分配給客戶採購訂單的項目{1}。
 DocType: Sales Invoice,Sales Taxes and Charges,銷售稅金及費用
 DocType: Student,Sibling Details,兄弟姐妹詳情
 DocType: Vehicle Service,Vehicle Service,汽車服務
@@ -1169,7 +1188,6 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA",在為子公司{0}創建帳戶時,找不到父帳戶{1}。請在相應的COA中創建父帳戶
 apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,拆分問題
 DocType: Student Attendance,Student Attendance,學生出勤
-apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,No data to export,沒有要導出的數據
 DocType: Sales Invoice Timesheet,Time Sheet,時間表
 DocType: Manufacturing Settings,Backflush Raw Materials Based On,倒沖原物料基於
 DocType: Sales Invoice,Port Code,港口代碼
@@ -1181,6 +1199,7 @@
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier
 apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,實際交貨日期
 DocType: Lab Test,Test Template,測試模板
+DocType: Loan Security Pledge,Securities,有價證券
 apps/erpnext/erpnext/config/non_profit.py,Chapter information.,章節信息。
 DocType: Account,Accounts,會計
 DocType: Vehicle,Odometer Value (Last),里程表值(最後)
@@ -1266,6 +1285,7 @@
 DocType: Inpatient Record,O Negative,O負面
 DocType: Work Order Operation,Planned End Time,計劃結束時間
 DocType: POS Profile,Only show Items from these Item Groups,僅顯示這些項目組中的項目
+DocType: Loan,Is Secured Loan,有抵押貸款
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction cannot be converted to ledger,帳戶與現有的交易不能被轉換為總賬
 apps/erpnext/erpnext/config/non_profit.py,Memebership Type Details,Memebership類型詳細信息
 DocType: Delivery Note,Customer's Purchase Order No,客戶的採購訂單編號
@@ -1298,6 +1318,7 @@
 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,Please select Company and Posting Date to getting entries,請選擇公司和發布日期以獲取條目
 DocType: Asset,Maintenance,維護
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient Encounter,從患者遭遇中獲取
+apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},找不到項目{2}的UOM轉換因子({0}-&gt; {1})
 DocType: Subscriber,Subscriber,訂戶
 DocType: Item Attribute Value,Item Attribute Value,項目屬性值
 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,貨幣兌換必須適用於買入或賣出。
@@ -1390,6 +1411,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,無權限
 DocType: Contract Fulfilment Checklist,Contract Fulfilment Checklist,合同履行清單
 DocType: Vital Signs,Heart Rate / Pulse,心率/脈搏
+DocType: Customer,Default Company Bank Account,默認公司銀行帳戶
 DocType: Supplier,Default Bank Account,預設銀行帳戶
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"To filter based on Party, select Party Type first",要根據黨的篩選,選擇黨第一類型
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},不能勾選`更新庫存',因為項目未交付{0}
@@ -1499,7 +1521,6 @@
 DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",如果啟用,系統將為BOM可用的爆炸項目創建工作訂單。
 DocType: Sales Team,Incentives,獎勵
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,差異值
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,請通過“設置”&gt;“編號序列”為出勤設置編號序列
 DocType: SMS Log,Requested Numbers,請求號碼
 DocType: Volunteer,Evening,晚間
 DocType: Quiz,Quiz Configuration,測驗配置
@@ -1518,6 +1539,7 @@
 DocType: Purchase Taxes and Charges,On Previous Row Total,在上一行共
 DocType: Purchase Invoice Item,Rejected Qty,被拒絕的數量
 DocType: Setup Progress Action,Action Field,行動領域
+apps/erpnext/erpnext/config/loan_management.py,Loan Type for interest and penalty rates,利率和罰款率的貸款類型
 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,交貨停止
@@ -1527,13 +1549,16 @@
 ,Final Assessment Grades,最終評估等級
 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,您的公司要為其設立這個系統的名稱。
 DocType: HR Settings,Include holidays in Total no. of Working Days,包括節假日的總數。工作日
+apps/erpnext/erpnext/accounts/report/item_wise_purchase_register/item_wise_purchase_register.py,% Of Grand Total,佔總數的百分比
 apps/erpnext/erpnext/setup/setup_wizard/operations/sample_data.py,Setup your Institute in ERPNext,在ERPNext中設置您的研究所
 DocType: Task,Timeline,時間線
 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Hold,持有
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,替代項目
 DocType: Shopify Log,Request Data,請求數據
 DocType: Employee,Date of Joining,加入日期
+DocType: Delivery Note,Inter Company Reference,公司間參考
 DocType: Supplier Quotation,Is Subcontracted,轉包
+apps/erpnext/erpnext/education/doctype/quiz/quiz.js,The question cannot be duplicate,問題不能重複
 DocType: Item Attribute,Item Attribute Values,項目屬性值
 DocType: Examination Result,Examination Result,考試成績
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,採購入庫單
@@ -1630,6 +1655,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,同步離線發票
 DocType: Payment Request,Paid,付費
 DocType: Service Level,Default Priority,默認優先級
+DocType: Pledge,Pledge,保證
 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中的最新價格。
@@ -1642,6 +1668,7 @@
 DocType: Guardian,Guardian Name,監護人姓名
 DocType: Cheque Print Template,Has Print Format,擁有打印格式
 DocType: Support Settings,Get Started Sections,入門部分
+,Loan Repayment and Closure,償還和結清貸款
 DocType: Invoice Discounting,Sanctioned,制裁
 ,Base Amount,基本金額
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,Total Contribution Amount: {0},總貢獻金額:{0}
@@ -1650,9 +1677,9 @@
 DocType: Crop Cycle,Crop Cycle,作物週期
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,"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,From Place,從地方
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan amount cannot be greater than {0},貸款金額不能大於{0}
 DocType: Student Admission,Publish on website,發布在網站上
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,供應商發票的日期不能超過過帳日期更大
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,物料代碼&gt;物料組&gt;品牌
 DocType: Purchase Invoice Item,Purchase Order Item,採購訂單項目
 DocType: Agriculture Task,Agriculture Task,農業任務
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,間接收入
@@ -1669,7 +1696,6 @@
 DocType: Purchase Invoice,Additional Discount Percentage,額外折扣百分比
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,View a list of all the help videos,查看所有幫助影片名單
 DocType: Agriculture Analysis Criteria,Soil Texture,土壤紋理
-DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,選取支票存入該銀行帳戶的頭。
 DocType: Selling Settings,Allow user to edit Price List Rate in transactions,允許用戶編輯價目表率的交易
 DocType: Pricing Rule,Max Qty,最大數量
 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,打印報告卡
@@ -1792,7 +1818,7 @@
 DocType: Company,Exception Budget Approver Role,例外預算審批人角色
 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",一旦設置,該發票將被保留至設定的日期
 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,銷售金額
-DocType: Repayment Schedule,Interest Amount,利息金額
+DocType: Loan Interest Accrual,Interest Amount,利息金額
 DocType: Job Card,Time Logs,時間日誌
 DocType: Sales Invoice,Loyalty Amount,忠誠金額
 DocType: Employee Transfer,Employee Transfer Detail,員工轉移詳情
@@ -1806,6 +1832,7 @@
 DocType: Cashier Closing,Returns,返回
 DocType: Job Card,WIP Warehouse,WIP倉庫
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under maintenance contract upto {1},序列號{0}在維護合約期間內直到{1}
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Sanctioned Amount limit crossed for {0} {1},越過了{0} {1}的認可金額限制
 DocType: Lead,Organization Name,組織名稱
 DocType: Support Settings,Show Latest Forum Posts,顯示最新的論壇帖子
 DocType: Tax Rule,Shipping State,運輸狀態
@@ -1831,7 +1858,6 @@
 DocType: Email Digest,Purchase Orders Items Overdue,採購訂單項目逾期
 apps/erpnext/erpnext/accounts/page/pos/pos.js,ZIP Code,郵政編碼
 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},銷售訂單{0} {1}
-apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},選擇貸款{0}中的利息收入帳戶
 DocType: Opportunity,Contact Info,聯絡方式
 apps/erpnext/erpnext/config/help.py,Making Stock Entries,製作Stock條目
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,無法提升狀態為Left的員工
@@ -1911,7 +1937,6 @@
 DocType: Salary Slip,Deductions,扣除
 DocType: Setup Progress Action,Action Name,動作名稱
 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,開始年份
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,創建貸款
 DocType: Purchase Invoice,Start date of current invoice's period,當前發票期間內的開始日期
 DocType: Shift Type,Process Attendance After,過程出勤
 DocType: Salary Slip,Leave Without Pay,無薪假
@@ -1930,6 +1955,7 @@
 apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,選擇您的域名
 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify供應商
 DocType: Bank Statement Transaction Entry,Payment Invoice Items,付款發票項目
+DocType: Repayment Schedule,Is Accrued,應計
 DocType: Payroll Entry,Employee Details,員工詳細信息
 apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,處理XML文件
 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,字段將僅在創建時復制。
@@ -1972,6 +1998,7 @@
 apps/erpnext/erpnext/accounts/page/pos/pos.js,"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,Same item cannot be entered multiple times.,同一項目不能輸入多次。
 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",進一步帳戶可以根據組進行,但條目可針對非組進行
+DocType: Loan Repayment,Loan Closure,貸款結清
 DocType: Call Log,Lead,潛在客戶
 DocType: Email Digest,Payables,應付賬款
 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token
@@ -2003,6 +2030,7 @@
 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,員工稅和福利
 DocType: Bank Guarantee,Validity in Days,天數有效
 DocType: Bank Guarantee,Validity in Days,天數有效
+DocType: Unpledge,Haircut,理髮
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-形式不適用發票:{0}
 DocType: Certified Consultant,Name of Consultant,顧問的名字
 DocType: Payment Reconciliation,Unreconciled Payment Details,未核銷付款明細
@@ -2049,6 +2077,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,該項目{0}不能有批
 DocType: Crop,Yield UOM,產量UOM
 ,Budget Variance Report,預算差異報告
+DocType: Sanctioned Loan Amount,Sanctioned Loan Amount,認可貸款額
 DocType: Salary Slip,Gross Pay,工資總額
 DocType: Item,Is Item from Hub,是來自Hub的Item
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,從醫療保健服務獲取項目
@@ -2077,6 +2106,7 @@
 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure_tree.js,New Quality Procedure,新的質量程序
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},帳戶{0}的餘額必須始終為{1}
 DocType: Patient Appointment,More Info,更多訊息
+apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than Joining Date.,出生日期不能大於加入日期。
 DocType: Supplier Scorecard,Scorecard Actions,記分卡操作
 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},在{1}中找不到供應商{0}
 DocType: Purchase Invoice,Rejected Warehouse,拒絕倉庫
@@ -2167,6 +2197,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"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,Please set the Item Code first,請先設定商品代碼
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,文件類型
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Security Pledge Created : {0},已創建的貸款安全承諾:{0}
 apps/erpnext/erpnext/controllers/selling_controller.py,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,Appointments and Patient Encounters,預約和患者遭遇
@@ -2220,6 +2251,7 @@
 DocType: Appointment Booking Settings,Number of Concurrent Appointments,並發預約數
 apps/erpnext/erpnext/config/desktop.py,Getting Started,入門
 DocType: Purchase Invoice,Taxes and Charges Calculation,稅費計算
+DocType: Loan Interest Accrual,Payable Principal Amount,應付本金
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,自動存入資產折舊條目
 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,自動存入資產折舊條目
 DocType: Request for Quotation Supplier,Request for Quotation Supplier,詢價供應商
@@ -2251,7 +2283,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,食物
 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,老齡範圍3
 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS關閉憑證詳細信息
-DocType: Bank Account,Is the Default Account,是默認帳戶
 DocType: Shopify Log,Shopify Log,Shopify日誌
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No communication found.,沒有找到通訊。
 DocType: Inpatient Occupancy,Check In,報到
@@ -2304,12 +2335,14 @@
 DocType: Sales Order Item,Planned Quantity,計劃數量
 DocType: Water Analysis,Water Analysis Criteria,水分析標準
 DocType: Item,Maintain Stock,維護庫存資料
+DocType: Loan Security Unpledge,Unpledge Time,未承諾時間
 DocType: Terms and Conditions,Applicable Modules,適用模塊
 DocType: Employee,Prefered Email,首選電子郵件
 DocType: Student Admission,Eligibility and Details,資格和細節
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,包含在毛利潤中
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,在固定資產淨變動
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,需要數量
+DocType: Work Order,This is a location where final product stored.,這是存放最終產品的位置。
 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,類型'實際'行{0}的計費,不能被包含在項目單價
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大數量:{0}
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,從日期時間
@@ -2344,6 +2377,7 @@
 DocType: Warranty Claim,Warranty / AMC Status,保修/ AMC狀態
 ,Accounts Browser,帳戶瀏覽器
 DocType: Procedure Prescription,Referral,推薦
+,Territory-wise Sales,區域銷售
 DocType: Payment Entry Reference,Payment Entry Reference,付款輸入參考
 DocType: GL Entry,GL Entry,GL報名
 DocType: Support Search Source,Response Options,響應選項
@@ -2401,6 +2435,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,The Payment Term at row {0} is possibly a duplicate.,第{0}行的支付條款可能是重複的。
 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),農業(測試版)
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Packing Slip,包裝單
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,請通過設置&gt;設置&gt;命名系列為{0}設置命名系列
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Rent,辦公室租金
 apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,設置短信閘道設置
 DocType: Disease,Common Name,通用名稱
@@ -2416,6 +2451,7 @@
 DocType: Item,Sales Details,銷售詳細資訊
 DocType: Coupon Code,Used,用過的
 DocType: Opportunity,With Items,隨著項目
+DocType: Vehicle Log,last Odometer Value ,上一個里程表值
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',{1}&#39;{2}&#39;廣告系列“{0}”已存在
 DocType: Asset Maintenance,Maintenance Team,維修隊
 DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.",應該出現哪些部分的順序。 0是第一個,1是第二個,依此類推。
@@ -2425,7 +2461,7 @@
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,報銷{0}已經存在車輛日誌
 DocType: Asset Movement Item,Source Location,來源地點
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,學院名稱
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,請輸入還款金額
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter repayment Amount,請輸入還款金額
 DocType: Shift Type,Working Hours Threshold for Absent,缺勤的工作時間門檻
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,根據總花費可以有多個分層收集因子。但兌換的兌換係數對於所有等級總是相同的。
 apps/erpnext/erpnext/config/help.py,Item Variants,項目變體
@@ -2446,6 +2482,7 @@
 apps/erpnext/erpnext/education/utils.py,This {0} conflicts with {1} for {2} {3},此{0}衝突{1}在{2} {3}
 DocType: Student Attendance Tool,Students HTML,學生HTML
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,{0}: {1} must be less than {2},{0}:{1}必須小於{2}
+apps/erpnext/erpnext/loan_management/report/loan_repayment_and_closure/loan_repayment_and_closure.js,Please select Applicant Type first,請先選擇申請人類型
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse",選擇BOM,Qty和For Warehouse
 DocType: GST HSN Code,GST HSN Code,GST HSN代碼
 DocType: Employee External Work History,Total Experience,總經驗
@@ -2529,7 +2566,7 @@
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"No active BOM found for item {0}. Delivery by \
 						Serial No cannot be ensured",未找到項{0}的有效BOM。無法確保交貨\串口號
 DocType: Sales Partner,Sales Partner Target,銷售合作夥伴目標
-DocType: Loan Type,Maximum Loan Amount,最高貸款額度
+DocType: Loan Application,Maximum Loan Amount,最高貸款額度
 DocType: Coupon Code,Pricing Rule,定價規則
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},學生{0}的重複卷號
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},學生{0}的重複卷號
@@ -2549,6 +2586,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},{0}的排假成功
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,無項目包裝
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Only .csv and .xlsx files are supported currently,目前僅支持.csv和.xlsx文件
+apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,請在人力資源&gt;人力資源設置中設置員工命名系統
 DocType: Shipping Rule Condition,From Value,從價值
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,生產數量是必填的
 DocType: Loan,Repayment Method,還款方式
@@ -2625,6 +2663,7 @@
 DocType: Customer,Customer POS Id,客戶POS ID
 apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,電子郵件{0}的學生不存在
 DocType: Account,Account Name,帳戶名稱
+apps/erpnext/erpnext/loan_management/doctype/sanctioned_loan_amount/sanctioned_loan_amount.py,Sanctioned Loan Amount already exists for {0} against company {1},{0}對公司{1}的批准貸款額已存在
 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,起始日期不能大於結束日期
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,序列號{0}的數量量{1}不能是分數
 DocType: Pricing Rule,Apply Discount on Rate,應用折扣率
@@ -2685,6 +2724,7 @@
 DocType: Purchase Order,Order Confirmation No,訂單確認號
 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,淨利
 DocType: Purchase Invoice,Eligibility For ITC,適用於ITC的資格
+DocType: Loan Security Pledge,Unpledged,無抵押
 DocType: Journal Entry,Entry Type,條目類型
 ,Customer Credit Balance,客戶信用平衡
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,應付賬款淨額變化
@@ -2696,6 +2736,7 @@
 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),考勤設備ID(生物識別/ RF標籤ID)
 DocType: Quotation,Term Details,長期詳情
 DocType: Item,Over Delivery/Receipt Allowance (%),超過交貨/收據津貼(%)
+DocType: Appointment Letter,Appointment Letter Template,預約信模板
 DocType: Employee Incentive,Employee Incentive,員工激勵
 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,不能註冊超過{0}學生該學生群體更多。
 apps/erpnext/erpnext/templates/print_formats/includes/total.html,Total (Without Tax),總計(不含稅)
@@ -2719,6 +2760,7 @@
 					Item {0} is added with and without Ensure Delivery by \
 					Serial No.",無法通過序列號確保交貨,因為\項目{0}是否添加了確保交貨\序列號
 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,取消鏈接在發票上的取消付款
+DocType: Loan Interest Accrual,Process Loan Interest Accrual,流程貸款利息計提
 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},進入當前的里程表讀數應該比最初的車輛里程表更大的{0}
 ,Purchase Order Items To Be Received or Billed,要接收或開票的採購訂單項目
 DocType: Restaurant Reservation,No Show,沒有出現
@@ -2799,6 +2841,7 @@
 DocType: Email Digest,Bank Credit Balance,銀行信貸餘額
 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:需要的損益“賬戶成本中心{2}。請設置為公司默認的成本中心。
 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,客戶群組存在相同名稱,請更改客戶名稱或重新命名客戶群組
+apps/erpnext/erpnext/education/doctype/student_admission/student_admission.js,Admission End Date should be greater than Admission Start Date.,入學結束日期應大於入學開始日期。
 DocType: Location,Area,區
 apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,新建聯絡人
 DocType: Company,Company Description,公司介紹
@@ -2868,6 +2911,7 @@
 DocType: Bank Statement Transaction Settings Item,Mapped Data,映射數據
 DocType: Purchase Order Item,Warehouse and Reference,倉庫及參考
 DocType: Payroll Period Date,Payroll Period Date,工資期間日期
+DocType: Loan Disbursement,Against Loan,反對貸款
 DocType: Supplier,Statutory info and other general information about your Supplier,供應商的法定資訊和其他一般資料
 DocType: Item,Serial Nos and Batches,序列號和批號
 DocType: Item,Serial Nos and Batches,序列號和批號
@@ -2931,6 +2975,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Select a company,選擇一家公司
 DocType: Delivery Settings,Delivery Settings,交貨設置
 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,獲取數據
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Cannot unpledge more than {0} qty of {0},無法認捐的數量超過{0}的{0}個
 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},假期類型{0}允許的最大休假是{1}
 apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,發布1項
 DocType: SMS Center,Create Receiver List,創建接收器列表
@@ -3076,12 +3121,11 @@
 DocType: Leave Ledger Entry,Transaction Type,交易類型
 DocType: Item Quality Inspection Parameter,Acceptance Criteria,驗收標準
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,請輸入在上表請求材料
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,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: Loan,Total Payable Amount,合計應付額
 DocType: Task,Expected Time (in hours),預期時間(以小時計)
 DocType: Item Reorder,Check in (group),檢查(組)
 ,Qty to Order,訂購數量
@@ -3107,6 +3151,7 @@
 DocType: Payroll Entry,Deduct Tax For Unsubmitted Tax Exemption Proof,扣除未提交免稅證明的稅額
 DocType: Volunteer,Anytime,任何時候
 DocType: Bank Account,Bank Account No,銀行帳號
+apps/erpnext/erpnext/config/loan_management.py,Disbursement and Repayment,支付和還款
 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,員工免稅證明提交
 DocType: Patient,Surgical History,手術史
 DocType: Bank Statement Settings Item,Mapped Header,映射的標題
@@ -3169,6 +3214,7 @@
 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,在銷售發票上創建實驗室測試提交
 DocType: Serial No,Invoice Details,發票明細
 apps/erpnext/erpnext/regional/india/utils.py,Salary Structure must be submitted before submission of Tax Ememption Declaration,薪酬結構必須在提交稅務徵收聲明之前提交
+DocType: Loan Application,Proposed Pledges,擬議認捐
 DocType: Grant Application,Show on Website,在網站上顯示
 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Start on,開始
 DocType: Hub Tracked Item,Hub Category,中心類別
@@ -3178,7 +3224,6 @@
 DocType: Program Enrollment,Self-Driving Vehicle,自駕車
 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,供應商記分卡站立
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清單未找到項目{1}
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,請在人力資源&gt;人力資源設置中設置員工命名系統
 DocType: Journal Entry,Accounts Receivable,應收帳款
 DocType: Quality Goal,Objectives,目標
 DocType: HR Settings,Role Allowed to Create Backdated Leave Application,允許創建回退休假申請的角色
@@ -3190,6 +3235,7 @@
 DocType: Bank Reconciliation,Include Reconciled Entries,包括對賬項目
 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.py,The total allocated amount ({0}) is greated than the paid amount ({1}).,總分配金額({0})比付款金額({1})更重要。
 DocType: Landed Cost Voucher,Distribute Charges Based On,分銷費基於
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Paid amount cannot be less than {0},付費金額不能小於{0}
 DocType: Projects Settings,Timesheets,時間表
 DocType: HR Settings,HR Settings,人力資源設置
 apps/erpnext/erpnext/config/accounts.py,Accounting Masters,會計大師
@@ -3325,6 +3371,7 @@
 DocType: Employee,Health Insurance,健康保險
 DocType: Asset Repair,Manufacturing Manager,生產經理
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Serial No {0} is under warranty upto {1},序列號{0}在保修期內直到{1}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount exceeds maximum loan amount of {0} as per proposed securities,根據建議的證券,貸款額超過最高貸款額{0}
 DocType: Plant Analysis Criteria,Minimum Permissible Value,最小允許值
 apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} already exists,用戶{0}已經存在
 apps/erpnext/erpnext/hooks.py,Shipments,發貨
@@ -3365,13 +3412,13 @@
 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,業務類型
 DocType: Sales Invoice,Consumer,消費者
 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",請ATLEAST一行選擇分配金額,發票類型和發票號碼
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup &gt; Settings &gt; Naming Series,請通過設置&gt;設置&gt;命名系列為{0}設置命名系列
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,新的採購成本
 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},所需的{0}項目銷售訂單
 DocType: Grant Application,Grant Description,授予說明
 DocType: Purchase Invoice Item,Rate (Company Currency),率(公司貨幣)
 DocType: Bank Transaction,Unallocated Amount,未分配金額
 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Purchase Order and Applicable on Booking Actual Expenses,請啟用適用於採購訂單並適用於預訂實際費用
+apps/erpnext/erpnext/selling/doctype/customer/customer.py,{0} is not a company bank account,{0}不是公司銀行帳戶
 apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,無法找到匹配的項目。請選擇其他值{0}。
 DocType: POS Profile,Taxes and Charges,稅收和收費
 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",產品或服務已購買,出售或持有的股票。
@@ -3419,6 +3466,7 @@
 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,有效起始日期必須小於有效起始日期。
 DocType: Employee Skill,Evaluation Date,評估日期
 DocType: Quotation Item,Stock Balance,庫存餘額
+DocType: Loan Security Pledge,Total Security Value,總安全價值
 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,銷售訂單到付款
 DocType: Purchase Invoice,With Payment of Tax,繳納稅款
 DocType: Expense Claim Detail,Expense Claim Detail,報銷詳情
@@ -3429,6 +3477,7 @@
 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,請選擇正確的帳戶
 DocType: Salary Structure Assignment,Salary Structure Assignment,薪酬結構分配
 DocType: Purchase Invoice Item,Weight UOM,重量計量單位
+apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account {0} does not exists in the dashboard chart {1},帳戶{0}在儀表板圖表{1}中不存在
 apps/erpnext/erpnext/config/accounts.py,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,Show Variant Attributes,顯示變體屬性
@@ -3504,6 +3553,7 @@
 DocType: Stock Reconciliation Item,Current Valuation Rate,目前的估值價格
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Number of root accounts cannot be less than 4,root帳戶數不能少於4
 DocType: Training Event,Advance,提前
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Against Loan:,反對貸款:
 apps/erpnext/erpnext/config/integrations.py,GoCardless payment gateway settings,GoCardless支付網關設置
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,兌換收益/損失
 DocType: Opportunity,Lost Reason,失落的原因
@@ -3581,8 +3631,10 @@
 DocType: Company,For Reference Only.,僅供參考。
 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select Batch No,選擇批號
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Invalid {0}: {1},無效的{0}:{1}
+apps/erpnext/erpnext/education/doctype/student/student.py,Row {0}:Sibling Date of Birth cannot be greater than today.,第{0}行:同級出生日期不能大於今天。
 DocType: Fee Validity,Reference Inv,參考文獻
 DocType: Sales Invoice Advance,Advance Amount,提前量
+DocType: Loan Type,Penalty Interest Rate (%) Per Day,每日罰息(%)
 DocType: Manufacturing Settings,Capacity Planning,產能規劃
 DocType: Supplier Quotation,Rounding Adjustment (Company Currency,四捨五入調整(公司貨幣)
 DocType: Asset,Policy number,保單號碼
@@ -3596,7 +3648,9 @@
 DocType: Normal Test Items,Require Result Value,需要結果值
 DocType: Purchase Invoice,Pricing Rules,定價規則
 DocType: Item,Show a slideshow at the top of the page,顯示幻燈片在頁面頂部
+DocType: Appointment Letter,Body,身體
 DocType: Tax Withholding Rate,Tax Withholding Rate,稅收預扣稅率
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Start Date is mandatory for term loans,定期貸款的還款開始日期是必填項
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,物料清單
 apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,商店
 DocType: Project Type,Projects Manager,項目經理
@@ -3614,10 +3668,11 @@
 DocType: Leave Type,Calculated in days,以天計算
 DocType: Appointment Booking Settings,Appointment Duration (In Minutes),預約時間(以分鐘為單位)
 DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,現金流量映射模板細節
-apps/erpnext/erpnext/config/non_profit.py,Loan Management,貸款管理
+DocType: Loan,Loan Management,貸款管理
 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,Show Salary Slip,顯示工資單
+DocType: Loan,Is Term Loan,是定期貸款
 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,轉印材料
 DocType: Fees,Send Payment Request,發送付款請求
 DocType: Travel Request,Any other details,任何其他細節
@@ -3633,6 +3688,7 @@
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Financing,從融資現金流
 DocType: Budget Account,Budget Account,預算科目
 DocType: Quality Inspection,Verified By,認證機構
+apps/erpnext/erpnext/loan_management/doctype/loan_security_shortfall/loan_security_shortfall.js,Add Loan Security,添加貸款安全
 DocType: Travel Request,Name of Organizer,主辦單位名稱
 apps/erpnext/erpnext/setup/doctype/company/company.py,"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,是所得稅責任
@@ -3679,6 +3735,7 @@
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},請薪酬部分設置默認帳戶{0}
 DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",如果選中,則隱藏並禁用“工資單”中的“舍入總計”字段
 DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,這是銷售訂單中交貨日期的默認偏移量(天)。後備偏移量是從下單日期算起的7天。
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,請通過“設置”&gt;“編號序列”為出勤設置編號序列
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},請行選擇BOM為項目{0}
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,獲取訂閱更新
 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py,Account {0} does not match with Company {1} in Mode of Account: {2},帳戶{0}與帳戶模式{2}中的公司{1}不符
@@ -3688,6 +3745,7 @@
 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,學生LMS活動
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,序列號已創建
 DocType: POS Profile,Applicable for Users,適用於用戶
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,From Date and To Date are Mandatory,從日期到日期是強制性的
 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,將項目和所有任務設置為狀態{0}?
 DocType: Purchase Invoice,Set Advances and Allocate (FIFO),設置進度和分配(FIFO)
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,沒有創建工作訂單
@@ -3697,6 +3755,7 @@
 apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,項目由
 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,購買的物品成本
 DocType: Employee Separation,Employee Separation Template,員工分離模板
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,Zero qty of {0} pledged against loan {0},{0}的零數量抵押為貸款{0}
 DocType: Selling Settings,Sales Order Required,銷售訂單需求
 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,成為賣家
 ,Procurement Tracker,採購跟踪器
@@ -3790,11 +3849,12 @@
 ,Minutes to First Response for Opportunity,分鐘的機會第一個反應
 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,共缺席
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item or Warehouse for row {0} does not match Material Request,行{0}的項目或倉庫不符合物料需求
-apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,Payable Amount,應付金額
+DocType: Loan Repayment,Payable Amount,應付金額
 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,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,Opportunity,機會
+apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Max strength cannot be less than zero.,最大強度不能小於零。
 DocType: Options,Option,選項
 apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},您無法在已關閉的會計期間{0}創建會計分錄
 DocType: Operation,Default Workstation,預設工作站
@@ -3831,6 +3891,7 @@
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,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/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Interest Amount is mandatory,利息金額是強制性的
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,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,Please supply the specified items at the best possible rates,請在提供最好的利率規定的項目
@@ -3899,8 +3960,6 @@
 DocType: Grant Application,Grant Application Details ,授予申請細節
 DocType: Employee Separation,Employee Separation,員工分離
 DocType: BOM Item,Original Item,原始項目
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","請刪除員工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文檔"
 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},費紀錄創造 -  {0}
 DocType: Asset Category Account,Asset Category Account,資產類別的帳戶
 apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,值{0}已分配給現有項{2}。
@@ -3931,6 +3990,8 @@
 DocType: Asset Maintenance Task,Calibration,校準
 apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,實驗室測試項目{0}已存在
 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,可開票時間
+DocType: Loan Type,Penalty Interest Rate is levied on the pending interest amount on a daily basis in case of delayed repayment ,如果延遲還款,則每日對未付利息徵收罰款利率
+DocType: Appointment Letter content,Appointment Letter content,預約信內容
 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,離開狀態通知
 DocType: Patient Appointment,Procedure Prescription,程序處方
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,家具及固定裝置
@@ -3948,7 +4009,7 @@
 DocType: Opportunity,Customer / Lead Name,客戶/鉛名稱
 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,清拆日期未提及
 DocType: Payroll Period,Taxable Salary Slabs,應稅薪金板塊
-DocType: Job Card,Production,生產
+DocType: Plaid Settings,Production,生產
 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN無效!您輸入的輸入與GSTIN的格式不匹配。
 apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,賬戶價值
 DocType: Guardian,Occupation,佔用
@@ -4085,6 +4146,7 @@
 DocType: Loyalty Program Collection,Loyalty Program Collection,忠誠度計劃集
 DocType: Stock Entry Detail,Subcontracted Item,轉包項目
 apps/erpnext/erpnext/education/__init__.py,Student {0} does not belong to group {1},學生{0}不屬於組{1}
+DocType: Appointment Letter,Appointment Date,約會日期
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Voucher #,憑證#
 DocType: Tax Rule,Shipping Country,航運國家
 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,從銷售交易隱藏客戶的稅號
@@ -4148,6 +4210,7 @@
 DocType: Accounting Dimension,Accounting Dimension,會計維度
 ,Profit and Loss Statement,損益表
 DocType: Bank Reconciliation Detail,Cheque Number,支票號碼
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount paid cannot be zero,支付的金額不能為零
 apps/erpnext/erpnext/healthcare/utils.py,The item referenced by {0} - {1} is already invoiced,{0}  -  {1}引用的項目已開具發票
 ,Sales Browser,銷售瀏覽器
 DocType: Journal Entry,Total Credit,貸方總額
@@ -4257,6 +4320,7 @@
 apps/erpnext/erpnext/accounts/doctype/coupon_code/coupon_code.js,Add/Edit Coupon Conditions,添加/編輯優惠券條件
 apps/erpnext/erpnext/controllers/stock_controller.py,Expense / Difference account ({0}) must be a 'Profit or Loss' account,費用/差異帳戶({0})必須是一個'溢利或虧損的帳戶
 DocType: Stock Entry Detail,Stock Entry Child,股票入境兒童
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge Company and Loan Company must be same,貸款安全保證公司和貸款公司必須相同
 DocType: Project,Copied From,複製自
 DocType: Project,Copied From,複製自
 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,發票已在所有結算時間創建
@@ -4265,6 +4329,7 @@
 DocType: Cash Flow Mapping,Is Finance Cost,財務成本
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance for employee {0} is already marked,員工{0}的考勤已標記
 DocType: Packing Slip,If more than one package of the same type (for print),如果不止一個相同類型的包裹(用於列印)
+apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,請在“教育”&gt;“教育設置”中設置教師命名系統
 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,請在“餐廳設置”中設置默認客戶
 ,Salary Register,薪酬註冊
 DocType: Company,Default warehouse for Sales Return,銷售退貨的默認倉庫
@@ -4313,7 +4378,6 @@
 DocType: Drug Prescription,Drug Prescription,藥物處方
 DocType: Service Level,Support and Resolution,支持和解決
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Free item code is not selected,未選擇免費商品代碼
-DocType: Loan,Repaid/Closed,償還/關閉
 DocType: Amazon MWS Settings,CA,CA
 DocType: Item,Total Projected Qty,預計總數量
 DocType: Monthly Distribution,Distribution Name,分配名稱
@@ -4347,6 +4411,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,存貨的會計分錄
 DocType: Lab Test,LabTest Approver,LabTest審批者
 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,您已經評估了評估標準{}。
+DocType: Loan Security Shortfall,Shortfall Amount,不足額
 DocType: Vehicle Service,Engine Oil,機油
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Orders Created: {0},創建的工單:{0}
 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set an email id for the Lead {0},請為潛在客戶{0}設置電子郵件ID
@@ -4365,12 +4430,14 @@
 apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},沒有為儀表板圖表{0}設置帳戶
 DocType: Purchase Invoice,Apply Additional Discount On,收取額外折扣
 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,選擇類型...
+DocType: Loan Interest Accrual,Amounts,金額
 DocType: Account,Root Type,root類型
 DocType: Item,FIFO,FIFO
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Close the POS,關閉POS
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:無法返回超過{1}項{2}
 DocType: Item Group,Show this slideshow at the top of the page,這顯示在幻燈片頁面頂部
 DocType: BOM,Item UOM,項目計量單位
+DocType: Loan Security Price,Loan Security Price,貸款擔保價
 DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),稅額後,優惠金額(公司貨幣)
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},目標倉庫是強制性的行{0}
 apps/erpnext/erpnext/config/retail.py,Retail Operations,零售業務
@@ -4503,6 +4570,7 @@
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},在{0}行中必須使用批處理
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},在{0}行中必須使用批處理
 DocType: Company,Default Buying Terms,默認購買條款
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.js,Loan Disbursement,貸款支出
 DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,採購入庫項目供應商
 DocType: Amazon MWS Settings,Enable Scheduled Synch,啟用預定同步
 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,以日期時間
@@ -4529,6 +4597,7 @@
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},輸入{0}和{1}之間的值
 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,輸入活動的名稱,如果查詢來源是運動
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,報紙出版商
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,No valid <b>Loan Security Price</b> found for {0},找不到{0}的有效<b>貸款擔保價格</b>
 apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,未來的日期不允許
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,預計交貨日期應在銷售訂單日期之後
 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,重新排序級別
@@ -4587,6 +4656,7 @@
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal/Price Quote,提案/報價
 DocType: Antibiotic,Healthcare,衛生保健
 DocType: Target Detail,Target Detail,目標詳細資訊
+apps/erpnext/erpnext/config/loan_management.py,Loan Processes,貸款流程
 apps/erpnext/erpnext/stock/doctype/item/item.js,Single Variant,單一變種
 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,所有職位
 DocType: Sales Order,% of materials billed against this Sales Order,針對這張銷售訂單的已開立帳單的百分比(%)
@@ -4647,7 +4717,7 @@
 DocType: Item,Reorder level based on Warehouse,根據倉庫訂貨點水平
 DocType: Activity Cost,Billing Rate,結算利率
 ,Qty to Deliver,數量交付
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,創建支付條目
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js,Create Disbursement Entry,創建支付條目
 DocType: Amazon MWS Settings,Amazon will synch data updated after this date,亞馬遜將同步在此日期之後更新的數據
 ,Stock Analytics,庫存分析
 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,選擇默認優先級。
@@ -4680,6 +4750,7 @@
 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,Unlink external integrations,取消外部集成的鏈接
 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Choose a corresponding payment,選擇相應的付款
 DocType: Pricing Rule,Item Code,產品編號
+DocType: Loan Disbursement,Pending Amount For Disbursal,待付款金額
 DocType: Serial No,Warranty / AMC Details,保修/ AMC詳情
 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,為基於活動的組手動選擇學生
 DocType: Journal Entry,User Remark,用戶備註
@@ -4701,6 +4772,7 @@
 DocType: Asset,Number of Depreciations Booked,預訂折舊數
 apps/erpnext/erpnext/public/js/pos/pos.html,Qty Total,數量總計
 DocType: Employee Education,School/University,學校/大學
+DocType: Loan Security Pledge,Loan  Details,貸款明細
 DocType: Sales Invoice Item,Available Qty at Warehouse,有貨數量在倉庫
 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,帳單金額
 DocType: Share Transfer,(including),(包括)
@@ -4722,6 +4794,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Groups,組
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,以帳戶分群組
 DocType: Purchase Invoice,Hold Invoice,保留發票
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.js,Pledge Status,質押狀態
 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Please select Employee,請選擇員工
 DocType: Promotional Scheme Price Discount,Min Amount,最低金額
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,較低的收入
@@ -4730,7 +4803,6 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,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,"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,Disbursed Amount cannot be greater than Loan Amount {0},支付額不能超過貸款金額較大的{0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},行{0}#分配的金額{1}不能大於無人認領的金額{2}
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},所需物品{0}的採購訂單號
 DocType: Leave Allocation,Carry Forwarded Leaves,進行轉發葉
@@ -4781,6 +4853,7 @@
 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,關於貴公司
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,顯示庫存賬齡數據
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,信用帳戶必須是資產負債表科目
+DocType: Loan Repayment,Penalty Amount,罰款金額
 DocType: Donor,Donor,捐贈者
 apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,更新項目稅金
 DocType: Global Defaults,Disable In Words,禁用詞
@@ -4809,6 +4882,7 @@
 DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,忠誠度積分兌換
 apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,成本中心和預算編制
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,期初餘額權益
+DocType: Loan Repayment,Partial Paid Entry,部分付費條目
 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,請設置付款時間表
 DocType: Pick List,Items under this warehouse will be suggested,將建議此倉庫下的項目
 DocType: Purchase Invoice,N,ñ
@@ -4842,7 +4916,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},找不到項目{1} {0}
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},值必須介於{0}和{1}之間
 DocType: Accounts Settings,Show Inclusive Tax In Print,在打印中顯示包含稅
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",銀行賬戶,從日期到日期是強制性的
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,發送訊息
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be set as ledger,帳戶與子節點不能被設置為分類帳
 apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Vendor Name,供應商名稱
@@ -4855,6 +4928,7 @@
 apps/erpnext/erpnext/stock/doctype/item/item.py,Enable Auto Re-Order,啟用自動重新排序
 DocType: Stock Settings,Item Naming By,產品命名規則
 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Another Period Closing Entry {0} has been made after {1},另一個期末錄入{0}作出後{1}
+DocType: Proposed Pledge,Proposed Pledge,建議的質押
 DocType: Work Order,Material Transferred for Manufacturing,物料轉倉用於製造
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,帳戶{0}不存在
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,選擇忠誠度計劃
@@ -4865,7 +4939,6 @@
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",設置活動為{0},因為附連到下面的銷售者的僱員不具有用戶ID {1}
 DocType: Timesheet,Billing Details,結算明細
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,源和目標倉庫必須是不同的
-apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource &gt; HR Settings,請在人力資源&gt;人力資源設置中設置員工命名系統
 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,支付失敗。請檢查您的GoCardless帳戶以了解更多詳情
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},不允許更新比{0}舊的庫存交易
 DocType: Stock Entry,Inspection Required,需要檢驗
@@ -4876,6 +4949,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Cash In Hand,手頭現金
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,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: Unpledge,Against Pledge,反對承諾
 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,具有此角色的用戶可以設置凍結帳戶,並新增/修改對凍結帳戶的會計分錄
 DocType: Plaid Settings,Plaid Environment,格子環境
 ,Project Billing Summary,項目開票摘要
@@ -4925,6 +4999,7 @@
 DocType: Employee Tax Exemption Declaration,Declarations,聲明
 DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,可以提前預約的天數
 DocType: Article,LMS User,LMS用戶
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge is mandatory for secured loan,抵押貸款必須有抵押貸款保證
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),供應地點(州/ UT)
 DocType: Purchase Order Item Supplied,Stock UOM,庫存計量單位
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,採購訂單{0}未提交
@@ -4998,6 +5073,7 @@
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,創建工作卡
 DocType: Quotation,Referral Sales Partner,推薦銷售合作夥伴
 DocType: Quality Procedure Process,Process Description,進度解析
+apps/erpnext/erpnext/loan_management/doctype/loan_security_unpledge/loan_security_unpledge.py,"Cannot Unpledge, loan security value is greater than the repaid amount",無法取消抵押,貸款抵押額大於還款額
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,客戶{0}已創建。
 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,目前任何倉庫沒有庫存
 ,Payment Period Based On Invoice Date,基於發票日的付款期
@@ -5016,13 +5092,14 @@
 DocType: Asset,Insurance Details,保險詳情
 DocType: Account,Payable,支付
 DocType: Share Balance,Share Type,分享類型
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,請輸入還款期
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Please enter Repayment Periods,請輸入還款期
 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),債務人({0})
 DocType: Pricing Rule,Margin,餘量
 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,新客戶
 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,約會{0}和銷售發票{1}已取消
 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Opportunities by lead source,鉛來源的機會
 DocType: Appraisal Goal,Weightage (%),權重(%)
+apps/erpnext/erpnext/loan_management/doctype/loan_security_pledge/loan_security_pledge.py,Qty or Amount is mandatroy for loan security,數量或金額是貸款擔保的強制要求
 DocType: Bank Reconciliation Detail,Clearance Date,清拆日期
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,評估報告
 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,獲得員工
@@ -5055,6 +5132,8 @@
 DocType: Installation Note,Installation Date,安裝日期
 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,已創建銷售發票{0}
 DocType: Employee,Confirmation Date,確認日期
+apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
+					to cancel this document","請刪除員工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文檔"
 DocType: Inpatient Occupancy,Check Out,查看
 DocType: C-Form,Total Invoiced Amount,發票總金額
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Min Qty can not be greater than Max Qty,最小數量不能大於最大數量
@@ -5080,7 +5159,6 @@
 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,當前BOM和新BOM不能相同
 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,工資單編號
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,日期退休必須大於加入的日期
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,供應商&gt;供應商類型
 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,多種變體
 DocType: Sales Invoice,Against Income Account,對收入帳戶
 DocType: Subscription,Trial Period Start Date,試用期開始日期
@@ -5111,7 +5189,7 @@
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,估值類型罪名不能標記為包容性
 DocType: POS Profile,Update Stock,庫存更新
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,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,付款詳情
+DocType: Loan Repayment,Payment Details,付款詳情
 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM率
 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Reading Uploaded File,閱讀上傳的文件
 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Stopped Work Order cannot be cancelled, Unstop it first to cancel",停止的工作訂單不能取消,先取消它
@@ -5146,6 +5224,7 @@
 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,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: Loan,Maximum Loan Value,最高貸款額
 ,Stock Ledger,庫存總帳
 DocType: Company,Exchange Gain / Loss Account,兌換收益/損失帳戶
 DocType: Amazon MWS Settings,MWS Credentials,MWS憑證
@@ -5153,6 +5232,7 @@
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},目的必須是一個{0}
 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Fill the form and save it,填寫表格,並將其保存
 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Community Forum,社區論壇
+apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Leaves Allocated to Employee: {0} for Leave Type: {1},休假類型:{1}的未分配給員工的葉子:{0}
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,實際庫存數量
 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,實際庫存數量
 DocType: Homepage,"URL for ""All Products""",網址“所有產品”
@@ -5247,7 +5327,6 @@
 DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,驗證售價反對預訂價或估價RATE項目
 DocType: Fee Schedule,Fee Schedule,收費表
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Column Labels : ,列標籤:
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,貸款還款開始日期後,支付日期不能發生
 DocType: Quality Feedback,Parameters,參數
 DocType: Company,Create Chart Of Accounts Based On,創建圖表的帳戶根據
 apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,出生日期不能大於今天。
@@ -5264,6 +5343,7 @@
 DocType: Customer,Credit Limit and Payment Terms,信用額度和付款條款
 DocType: Loyalty Program,Collection Rules,收集規則
 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 3,項目3
+DocType: Loan Security Shortfall,Shortfall Time,短缺時間
 apps/erpnext/erpnext/restaurant/doctype/restaurant/restaurant.js,Order Entry,訂單輸入
 DocType: Purchase Order,Customer Contact Email,客戶聯絡電子郵件
 DocType: Warranty Claim,Item and Warranty Details,項目和保修細節
@@ -5283,12 +5363,14 @@
 DocType: Sales Person,Sales Person Name,銷售人員的姓名
 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,請在表中輸入至少一筆發票
 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,沒有創建實驗室測試
+DocType: Loan Security Shortfall,Security Value ,安全價值
 DocType: POS Item Group,Item Group,項目群組
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,學生組:
 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,Total Allocated Leaves,總分配的葉子
+DocType: Appointment Letter,Appointment Letter,預約信
 apps/erpnext/erpnext/projects/doctype/task/task.py,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),稅收和收費上架(公司貨幣)
@@ -5339,6 +5421,7 @@
 DocType: Stock Entry,From BOM,從BOM
 DocType: Assessment Code,Assessment Code,評估準則
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,基本的
+apps/erpnext/erpnext/config/loan_management.py,Loan Applications from customers and employees.,客戶和員工的貸款申請。
 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0}前的庫存交易被凍結
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',請點擊“生成表”
 DocType: Job Card,Current Time,當前時間
@@ -5363,7 +5446,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant,格蘭特
 apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,沒有學生團體創建的。
 DocType: Purchase Invoice Item,Serial No,序列號
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,每月還款額不能超過貸款金額較大
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Monthly Repayment Amount cannot be greater than Loan Amount,每月還款額不能超過貸款金額較大
 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,請先輸入維護細節
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,行#{0}:預計交貨日期不能在採購訂單日期之前
 DocType: Purchase Invoice,Print Language,打印語言
@@ -5377,6 +5460,7 @@
 DocType: Asset,Finance Books,財務書籍
 DocType: Employee Tax Exemption Declaration Category,Employee Tax Exemption Declaration Category,員工免稅申報類別
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py,All Territories,所有的領土
+DocType: Plaid Settings,development,發展
 DocType: Lost Reason Detail,Lost Reason Detail,丟失的原因細節
 apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,請在員工/成績記錄中為員工{0}設置休假政策
 apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,所選客戶和物料的無效總訂單
@@ -5437,12 +5521,14 @@
 DocType: Staffing Plan Detail,Current Openings,當前空缺
 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,運營現金流
 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST金額
+DocType: Vehicle Log,Current Odometer value ,當前里程表值
 apps/erpnext/erpnext/utilities/activation.py,Create Student,創建學生
 DocType: Asset Movement Item,Asset Movement Item,資產變動項目
 DocType: Purchase Invoice,Shipping Rule,送貨規則
 DocType: Patient Relation,Spouse,伴侶
 DocType: Lab Test Groups,Add Test,添加測試
 DocType: Manufacturer,Limited to 12 characters,限12個字符
+DocType: Appointment Letter,Closing Notes,結束語
 DocType: Journal Entry,Print Heading,列印標題
 DocType: Quality Action Table,Quality Action Table,質量行動表
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,總計不能為零
@@ -5504,6 +5590,7 @@
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/closing_voucher_details.html,Sales Summary,銷售摘要
 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},請為類型{0}標識/創建帳戶(組)
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,娛樂休閒
+DocType: Loan Security,Loan Security,貸款擔保
 ,Item Variant Details,項目變體的詳細信息
 DocType: Quality Inspection,Item Serial No,產品序列號
 DocType: Payment Request,Is a Subscription,是訂閱
@@ -5531,7 +5618,6 @@
 DocType: Leave Allocation,Leave Period,休假期間
 DocType: Item,Default Material Request Type,默認材料請求類型
 DocType: Supplier Scorecard,Evaluation Period,評估期
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,客戶&gt;客戶組&gt;地區
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,工作訂單未創建
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\
 						 set the amount equal or greater than {2}",已為組件{1}申請的金額{0},設置等於或大於{2}的金額
@@ -5610,7 +5696,8 @@
 ,Customer-wise Item Price,客戶明智的物品價格
 apps/erpnext/erpnext/public/js/financial_statements.js,Cash Flow Statement,現金流量表
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,沒有創建重要請求
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},貸款額不能超過最高貸款額度{0}
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Loan Amount cannot exceed Maximum Loan Amount of {0},貸款額不能超過最高貸款額度{0}
+DocType: Loan,Loan Security Pledge,貸款擔保
 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,License,執照
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,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,請選擇結轉,如果你還需要包括上一會計年度的資產負債葉本財年
@@ -5645,7 +5732,6 @@
 DocType: Production Plan Item,Planned Start Date,計劃開始日期
 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select a BOM,請選擇一個物料清單
 DocType: Purchase Invoice,Availed ITC Integrated Tax,有效的ITC綜合稅收
-apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Repayment Entry,創建還款條目
 DocType: Purchase Order Item,Blanket Order Rate,一攬子訂單費率
 ,Customer Ledger Summary,客戶分類帳摘要
 apps/erpnext/erpnext/hooks.py,Certification,證明
@@ -5665,6 +5751,7 @@
 DocType: Appraisal Template,Appraisal Template Title,評估模板標題
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,商業
 DocType: Patient,Alcohol Current Use,酒精當前使用
+DocType: Loan,Loan Closure Requested,請求關閉貸款
 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,免稅類別
@@ -5688,6 +5775,7 @@
 DocType: Opening Invoice Creation Tool,Sales,銷售
 DocType: Stock Entry Detail,Basic Amount,基本金額
 DocType: Training Event,Exam,考試
+DocType: Loan Security Shortfall,Process Loan Security Shortfall,流程貸款安全漏洞
 DocType: Email Campaign,Email Campaign,電郵廣告系列
 apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,市場錯誤
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},倉庫需要現貨產品{0}
@@ -5757,6 +5845,7 @@
 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"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,Submit this to create the Employee record,提交這個來創建員工記錄
+apps/erpnext/erpnext/loan_management/doctype/loan_security_price/loan_security_price.py,Loan Security Price overlapping with {0},貸款證券價格與{0}重疊
 DocType: Item Default,Item Default,項目默認值
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,國內供應
 DocType: Chapter Member,Leave Reason,離開原因
@@ -5783,6 +5872,7 @@
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,{0} Coupon used are {1}. Allowed quantity is exhausted,{0}使用的優惠券是{1}。允許量已耗盡
 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,您要提交材料申請嗎?
 DocType: Job Offer,Awaiting Response,正在等待回應
+apps/erpnext/erpnext/loan_management/doctype/loan_interest_accrual/loan_interest_accrual.py,Loan is mandatory,貸款是強制性的
 DocType: Support Search Source,Link Options,鏈接選項
 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},總金額{0}
 apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},無效的屬性{0} {1}
@@ -5791,6 +5881,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',請選擇“所有評估組”以外的評估組
 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},行{0}:項目{1}需要費用中心
 DocType: Training Event Employee,Optional,可選的
+DocType: Pledge,Post Haircut Amount,剪髮數量
 DocType: Sales Order,Skip Delivery Note,跳過交貨單
 DocType: Price List,Price Not UOM Dependent,價格不是UOM依賴
 apps/erpnext/erpnext/stock/doctype/item/item.js,{0} variants created.,創建了{0}個變體。
@@ -5813,6 +5904,7 @@
 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Scrapped Asset,報廢資產成本
 apps/erpnext/erpnext/controllers/stock_controller.py,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是強制性的項目{2}
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get Items from Product Bundle,從產品包取得項目
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Repayment Method is mandatory for term loans,定期貸款必須採用還款方法
 DocType: Asset,Straight Line,直線
 DocType: Project User,Project User,項目用戶
 DocType: Tally Migration,Master Data,主要的數據
@@ -5856,7 +5948,6 @@
 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,允許設定凍結帳戶和編輯凍結分錄的角色
 DocType: Supplier Scorecard Scoring Variable,Path,路徑
 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,不能成本中心轉換為總賬,因為它有子節點
-apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -&gt; {1}) not found for item: {2},找不到項目{2}的UOM轉換因子({0}-&gt; {1})
 DocType: Production Plan,Total Planned Qty,總計劃數量
 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,已從報表中檢索到的交易
 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,開度值
@@ -5865,11 +5956,8 @@
 DocType: Material Request Plan Item,Required Quantity,所需數量
 DocType: Lab Test Template,Lab Test Template,實驗室測試模板
 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},會計期間與{0}重疊
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier &gt; Supplier Type,供應商&gt;供應商類型
 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,銷售帳戶
 DocType: Purchase Invoice Item,Total Weight,總重量
-apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\
-					to cancel this document","請刪除員工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文檔"
 DocType: Pick List Item,Pick List Item,選擇清單項目
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,銷售佣金
 DocType: Job Offer Term,Value / Description,值/說明
@@ -5914,6 +6002,7 @@
 DocType: Travel Itinerary,Vegetarian,素
 DocType: Work Order,Update Consumed Material Cost In Project,更新項目中的消耗材料成本
 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,帳號:{0}幣種:{1}不能選擇
+apps/erpnext/erpnext/config/loan_management.py,Loans provided to customers and employees.,提供給客戶和員工的貸款。
 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成本。
@@ -5974,7 +6063,6 @@
 DocType: Contract,Signed On,簽名
 DocType: Bank Account,Party Type,黨的類型
 DocType: Discounted Invoice,Discounted Invoice,特價發票
-apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,將出席人數標記為<b></b>
 DocType: Payment Schedule,Payment Schedule,付款時間表
 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},找不到給定員工字段值的員工。 &#39;{}&#39;:{}
 DocType: Item Attribute Value,Abbreviation,縮寫
@@ -6042,6 +6130,7 @@
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,債權人
 DocType: Assessment Plan,Assessment Name,評估名稱
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,行#{0}:序列號是必需的
+apps/erpnext/erpnext/loan_management/doctype/loan_repayment/loan_repayment.py,Amount of {0} is required for Loan closure,結清貸款需要{0}的金額
 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,項目智者稅制明細
 DocType: Employee Onboarding,Job Offer,工作機會
 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,研究所縮寫
@@ -6064,7 +6153,6 @@
 DocType: Purchase Order,To Receive,接受
 DocType: Leave Period,Holiday List for Optional Leave,可選假期的假期列表
 DocType: Item Tax Template,Tax Rates,稅率
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code &gt; Item Group &gt; Brand,物料代碼&gt;物料組&gt;品牌
 DocType: Asset,Asset Owner,資產所有者
 DocType: Item,Website Content,網站內容
 DocType: Purchase Invoice,Reason For Putting On Hold,擱置的理由
@@ -6079,6 +6167,7 @@
 DocType: Amazon MWS Settings,Synch Orders,同步訂單
 apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,發布生產訂單。
 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,選擇會計年度...
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Please select Loan Type for company {0},請為公司{0}選擇貸款類型
 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,所需的POS資料,使POS進入
 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"Loyalty Points will be calculated from the spent done (via the Sales Invoice), based on collection factor mentioned.",忠誠度積分將根據所花費的完成量(通過銷售發票)計算得出。
 DocType: Pricing Rule,Coupon Code Based,基於優惠券代碼
@@ -6103,6 +6192,7 @@
 DocType: Customer,Mention if non-standard receivable account,提到如果不規範應收賬款
 DocType: Bank,Plaid Access Token,格子訪問令牌
 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Please add the remaining benefits {0} to any of the existing component,請將其餘好處{0}添加到任何現有組件
+DocType: Bank Account,Is Default Account,是默認帳戶
 DocType: Journal Entry Account,If Income or Expense,如果收入或支出
 DocType: Course Topic,Course Topic,課程主題
 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},在日期{1}和{2}之間存在POS結算憑證alreday {0}
@@ -6115,7 +6205,7 @@
 DocType: Disease,Treatment Task,治療任務
 DocType: Payment Order Reference,Bank Account Details,銀行賬戶明細
 DocType: Purchase Order Item,Blanket Order,總訂單
-apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,還款金額必須大於
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,還款金額必須大於
 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,所得稅資產
 DocType: BOM Item,BOM No,BOM No.
 apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,更新詳情
@@ -6168,6 +6258,7 @@
 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,WooCommerce Products,WooCommerce產品
 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in formula or condition: {0},式或條件語法錯誤:{0}
 apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,項目{0}被忽略,因為它不是一個庫存項目
+,Loan Security Status,貸款安全狀態
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",要在一個特定的交易不適用於定價規則,所有適用的定價規則應該被禁用。
 DocType: Payment Term,Day(s) after the end of the invoice month,發票月份結束後的一天
 DocType: Assessment Group,Parent Assessment Group,家長評估小組
@@ -6181,7 +6272,6 @@
 DocType: Stock Entry Detail,Additional Cost,額外費用
 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",是冷凍的帳戶。要禁止該帳戶創建/編輯事務,你需要角色
 DocType: Quality Inspection,Incoming,來
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup &gt; Numbering Series,請通過“設置”&gt;“編號序列”為出勤設置編號序列
 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,銷售和採購的默認稅收模板被創建。
 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,評估結果記錄{0}已經存在。
 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例如:ABCD。#####。如果系列已設置且交易中未提及批號,則將根據此系列創建自動批號。如果您始終想要明確提及此料品的批號,請將此留為空白。注意:此設置將優先於庫存設置中的命名系列前綴。
@@ -6192,8 +6282,10 @@
 DocType: Contract,Party User,派對用戶
 apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,未為<b>{0}</b>創建資產。您將必須手動創建資產。
 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',如果Group By是“Company”,請設置公司過濾器空白
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,客戶&gt;客戶組&gt;地區
 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,發布日期不能是未來的日期
 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:序列號{1}不相匹配{2} {3}
+DocType: Loan Repayment,Interest Payable,應付利息
 DocType: Stock Entry,Target Warehouse Address,目標倉庫地址
 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,在考慮員工入住的班次開始時間之前的時間。
 DocType: Agriculture Task,End Day,結束的一天
@@ -6307,6 +6399,7 @@
 DocType: Issue,Reset Service Level Agreement,重置服務水平協議
 ,Sales Person-wise Transaction Summary,銷售人員相關的交易匯總
 DocType: Training Event,Contact Number,聯繫電話
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Amount is mandatory,貸款金額是強制性的
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,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,每月分佈百分比
@@ -6352,6 +6445,7 @@
 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,餘額數量
 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,條件將適用於所有選定項目的組合。
 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Goals cannot be empty,目標不能為空
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,Incorrect Warehouse,倉庫不正確
 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.js,Enrolling students,招收學生
 DocType: Item Group,Parent Item Group,父項目群組
 DocType: Appointment Type,Appointment Type,預約類型
@@ -6402,10 +6496,11 @@
 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,必須設置試用期開始日期和試用期結束日期
 DocType: Appointment,Appointment With,預約
 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付計劃中的總付款金額必須等於大/圓
+apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,將出席人數標記為<b></b>
 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",客戶提供的物品“不能有估價率
 DocType: Subscription Plan Detail,Plan,計劃
 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,銀行對賬單餘額按總帳
-DocType: Job Applicant,Applicant Name,申請人名稱
+DocType: Appointment Letter,Applicant Name,申請人名稱
 DocType: Authorization Rule,Customer / Item Name,客戶/品項名稱
 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**. 
 
@@ -6445,11 +6540,13 @@
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,這個倉庫不能被刪除,因為庫存分錄帳尚存在。
 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,分配
 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee:&nbsp;,員工狀態不能設置為“左”,因為以下員工當前正在向此員工報告:
-DocType: Journal Entry Account,Loan,貸款
+DocType: Loan Repayment,Amount Paid,已支付的款項
+DocType: Loan Security Shortfall,Loan,貸款
 DocType: Expense Claim Advance,Expense Claim Advance,費用索賠預付款
 DocType: Lab Test,Report Preference,報告偏好
 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,志願者信息。
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Project Manager,專案經理
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Group By Customer,按客戶分組
 ,Quoted Item Comparison,項目報價比較
 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Overlap in scoring between {0} and {1},{0}和{1}之間的得分重疊
 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,調度
@@ -6469,6 +6566,7 @@
 DocType: Material Request Plan Item,Material Issue,發料
 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},未在定價規則{0}中設置免費項目
 DocType: Employee Education,Qualification,合格
+DocType: Loan Security Shortfall,Loan Security Shortfall,貸款安全缺口
 DocType: Item Price,Item Price,商品價格
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,肥皂和洗滌劑
 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},員工{0}不屬於公司{1}
@@ -6489,6 +6587,7 @@
 DocType: Appointment Booking Settings,Appointment Details,預約詳情
 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,完成的產品
 DocType: Warehouse,Warehouse Name,倉庫名稱
+DocType: Loan Security Pledge,Pledge Time,承諾時間
 DocType: Naming Series,Select Transaction,選擇交易
 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,請輸入核准角色或審批用戶
 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,與實體類型{0}和實體{1}的服務水平協議已存在。
@@ -6496,7 +6595,6 @@
 DocType: BOM,Rate Of Materials Based On,材料成本基於
 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",如果啟用,則在學期註冊工具中,字段學術期限將是強制性的。
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",豁免,零稅率和非商品及服務稅內向供應的價值
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer &gt; Customer Group &gt; Territory,客戶&gt;客戶組&gt;地區
 apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>公司</b>是強制性過濾器。
 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,取消所有
 DocType: Purchase Taxes and Charges,On Item Quantity,關於物品數量
@@ -6539,7 +6637,6 @@
 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,短缺數量
 DocType: Purchase Invoice,Input Service Distributor,輸入服務分銷商
 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,項目變種{0}存在具有相同屬性
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,請在“教育”&gt;“教育設置”中設置教師命名系統
 DocType: Loan,Repay from Salary,從工資償還
 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},請求對付款{0} {1}量{2}
 DocType: Additional Salary,Salary Slip,工資單
@@ -6557,6 +6654,7 @@
 DocType: Salary Slip,Total Interest Amount,利息總額
 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with child nodes cannot be converted to ledger,與子節點倉庫不能轉換為分類賬
 DocType: BOM,Manage cost of operations,管理作業成本
+DocType: Unpledge,Unpledge,不承諾
 DocType: Accounts Settings,Stale Days,陳舊的日子
 DocType: Travel Itinerary,Arrival Datetime,到達日期時間
 DocType: Tax Rule,Billing Zipcode,計費郵編
@@ -6725,6 +6823,7 @@
 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,小時
 apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},已為您創建一個{0}的新約會
 DocType: Project,Expected Start Date,預計開始日期
+DocType: Work Order,This is a location where raw materials are available.,這是可獲取原材料的地方。
 DocType: Purchase Invoice,04-Correction in Invoice,04-發票糾正
 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,已經為包含物料清單的所有料品創建工單
 DocType: Bank Account,Party Details,黨詳細
@@ -6743,6 +6842,7 @@
 apps/erpnext/erpnext/templates/pages/rfq.html,Quotations: ,語錄:
 DocType: Contract,Partially Fulfilled,部分實現
 DocType: Maintenance Visit,Fully Completed,全面完成
+DocType: Loan Security,Loan Security Name,貸款證券名稱
 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",命名系列中不允許使用除“ - ”,“#”,“。”,“/”,“{”和“}”之外的特殊字符
 DocType: Purchase Invoice Item,Is nil rated or exempted,沒有評級或豁免
 DocType: Employee,Educational Qualification,學歷
@@ -6796,6 +6896,7 @@
 DocType: Program,Is Featured,精選
 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,正在獲取...
 DocType: Agriculture Analysis Criteria,Agriculture User,農業用戶
+DocType: Loan Security Shortfall,America/New_York,美國/紐約
 apps/erpnext/erpnext/stock/stock_ledger.py,{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,學生
@@ -6864,8 +6965,8 @@
 apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,您無權設定值凍結
 DocType: Payment Reconciliation,Get Unreconciled Entries,獲取未調節項
 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},員工{0}暫停{1}
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments selected for Journal Entry,沒有為日記帳分錄選擇還款
 DocType: Purchase Invoice,GST Category,消費稅類別
+apps/erpnext/erpnext/loan_management/doctype/loan_application/loan_application.py,Proposed Pledges are mandatory for secured Loans,建議抵押是抵押貸款的強制性要求
 DocType: Payment Reconciliation,From Invoice Date,從發票日期
 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,預算
 DocType: Healthcare Settings,Laboratory Settings,實驗室設置
@@ -6921,7 +7022,6 @@
 DocType: Restaurant,Active Menu,活動菜單
 DocType: Accounting Dimension Detail,Default Dimension,默認尺寸
 DocType: Target Detail,Target Qty,目標數量
-apps/erpnext/erpnext/hr/doctype/loan/loan.py,Against Loan: {0},反對貸款:{0}
 DocType: Shopping Cart Settings,Checkout Settings,結帳設定
 DocType: Student Attendance,Present,現在
 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,送貨單{0}不能提交
@@ -6982,7 +7082,6 @@
 DocType: Employee External Work History,Salary,薪水
 DocType: Serial No,Delivery Document Type,交付文件類型
 DocType: Item Variant Settings,Do not update variants on save,不要在保存時更新變體
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,客戶群
 DocType: Email Digest,Receivables,應收賬款
 DocType: Lead Source,Lead Source,主導來源
 DocType: Customer,Additional information regarding the customer.,對於客戶的其他訊息。
@@ -7073,6 +7172,7 @@
 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,實際
 DocType: Appointment,Skype ID,Skype帳號
 DocType: Restaurant Menu,Restaurant Manager,餐廳經理
+DocType: Loan,Penalty Income Account,罰款收入帳戶
 DocType: Call Log,Call Log,通話記錄
 DocType: Authorization Rule,Customerwise Discount,Customerwise折扣
 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,時間表的任務。
@@ -7152,6 +7252,7 @@
 apps/erpnext/erpnext/controllers/item_variant.py,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: Pricing Rule,Product Discount Scheme,產品折扣計劃
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,調用者沒有提出任何問題。
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Group By Supplier,按供應商分組
 DocType: Restaurant Reservation,Waitlisted,輪候
 DocType: Employee Tax Exemption Declaration Category,Exemption Category,豁免類別
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,貨幣不能使用其他貨幣進行輸入後更改
@@ -7161,7 +7262,6 @@
 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consulting,諮詢
 DocType: Subscription Plan,Based on price list,基於價格表
 DocType: Customer Group,Parent Customer Group,母客戶群組
-apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON只能從銷售發票中生成
 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,達到此測驗的最大嘗試次數!
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,訂閱
 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,費用創作待定
@@ -7176,6 +7276,7 @@
 DocType: Travel Itinerary,Travel From,旅行從
 DocType: Asset Maintenance Task,Preventive Maintenance,預防性的維護
 DocType: Delivery Note Item,Against Sales Invoice,對銷售發票
+apps/erpnext/erpnext/selling/report/territory_wise_sales/territory_wise_sales.py,Quotation Amount,報價金額
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please enter serial numbers for serialized item ,請輸入序列號序列號
 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. ,如果您不想在製作基於課程的組時考慮批量,請不要選中。
@@ -7320,6 +7421,7 @@
 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \
 											to fullfill Sales Order {2}",無法交付項目{1}的序列號{0},因為它已保留\以滿足銷售訂單{2}
 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,供應商報價{0}創建
+DocType: Loan Security Unpledge,Unpledge Type,不承諾類型
 apps/erpnext/erpnext/accounts/report/financial_statements.py,End Year cannot be before Start Year,結束年份不能啟動年前
 DocType: Employee Benefit Application,Employee Benefits,員工福利
 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,員工ID
@@ -7394,6 +7496,7 @@
 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Course Code: ,課程編號:
 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,請輸入您的費用帳戶
 DocType: Quality Action Resolution,Problem,問題
+DocType: Loan Security Type,Loan To Value Ratio,貸款價值比
 DocType: Account,Stock,庫存
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:參考文件類型必須是採購訂單之一,購買發票或日記帳分錄
 DocType: Employee,Current Address,當前地址
@@ -7411,6 +7514,7 @@
 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,銀行對賬單交易分錄
 DocType: Sales Invoice Item,Discount and Margin,折扣和保證金
 DocType: Lab Test,Prescription,處方
+DocType: Process Loan Security Shortfall,Update Time,更新時間
 DocType: Import Supplier Invoice,Upload XML Invoices,上載XML發票
 DocType: Company,Default Deferred Revenue Account,默認遞延收入賬戶
 DocType: Project,Second Email,第二封郵件
@@ -7421,7 +7525,7 @@
 DocType: Quality Action,Preventive,預防
 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,向未登記人員提供的物資
 DocType: Company,Date of Incorporation,註冊成立日期
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,總稅收
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py,Total Tax,總稅收
 DocType: Manufacturing Settings,Default Scrap Warehouse,默認廢料倉庫
 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,上次購買價格
 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,對於數量(製造數量)是強制性的
@@ -7448,8 +7552,11 @@
 DocType: Purchase Invoice,Without Payment of Tax,不繳納稅款
 DocType: BOM Operation,BOM Operation,BOM的操作
 DocType: Purchase Taxes and Charges,On Previous Row Amount,在上一行金額
+DocType: Student,Home Address,家庭地址
 DocType: Options,Is Correct,是正確的
 DocType: Item,Has Expiry Date,有過期日期
+DocType: Loan Repayment,Paid Accrual Entries,付費應計分錄
+DocType: Loan Security,Loan Security Type,貸款擔保類型
 apps/erpnext/erpnext/config/support.py,Issue Type.,問題類型。
 DocType: POS Profile,POS Profile,POS簡介
 DocType: Training Event,Event Name,事件名稱
@@ -7461,6 +7568,7 @@
 apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",季節性設置預算,目標等。
 apps/erpnext/erpnext/www/all-products/index.html,No values,沒有價值
 DocType: Supplier Scorecard Scoring Variable,Variable Name,變量名
+DocType: Bank Reconciliation,Select the Bank Account to reconcile.,選擇要對帳的銀行帳戶。
 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",項目{0}是一個模板,請選擇它的一個變體
 DocType: Purchase Invoice Item,Deferred Expense,遞延費用
 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},起始日期{0}不能在員工加入日期之前{1}
@@ -7505,7 +7613,6 @@
 DocType: Taxable Salary Slab,Percent Deduction,扣除百分比
 DocType: Stock Entry,Repack,重新包裝
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,選擇添加序列號。
-apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education &gt; Education Settings,請在“教育”&gt;“教育設置”中設置教師命名系統
 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',請為客戶&#39;%s&#39;設置財務代碼
 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,請先選擇公司
 DocType: Item Attribute,Numeric Values,數字值
@@ -7527,6 +7634,7 @@
 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,基於FIFO獲取
 DocType: Soil Texture,Clay Loam,粘土Loam
 apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited.,root不能被編輯。
+apps/erpnext/erpnext/loan_management/report/loan_security_status/loan_security_status.py,Loan Security Value,貸款擔保價值
 DocType: Item,Units of Measure,測量的單位
 DocType: Supplier,Default Tax Withholding Config,預設稅款預扣配置
 DocType: Manufacturing Settings,Allow Production on Holidays,允許假日生產
@@ -7570,6 +7678,7 @@
 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,請先選擇分類
 apps/erpnext/erpnext/config/projects.py,Project master.,專案主持。
 DocType: Contract,Contract Terms,合同條款
+DocType: Sanctioned Loan Amount,Sanctioned Amount Limit,批准的金額限制
 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Continue Configuration,繼續配置
 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,Maximum benefit amount of component {0} exceeds {1},組件{0}的最大受益金額超過{1}
@@ -7598,6 +7707,7 @@
 DocType: Employee,Reason for Leaving,離職原因
 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View call log,查看通話記錄
 DocType: BOM Operation,Operating Cost(Company Currency),營業成本(公司貨幣)
+apps/erpnext/erpnext/loan_management/doctype/loan/loan.py,Loan Security Pledge already pledged against loan {0},貸款擔保已抵押貸款{0}
 DocType: Expense Claim Detail,Sanctioned Amount,制裁金額
 DocType: Item,Shelf Life In Days,保質期天數
 DocType: GL Entry,Is Opening,是開幕
@@ -7611,3 +7721,4 @@
 DocType: Account,Cash,現金
 DocType: Sales Invoice,Unpaid and Discounted,無償和折扣
 DocType: Employee,Short biography for website and other publications.,網站和其他出版物的短的傳記。
+apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,第{0}行:在向分包商供應原材料時無法選擇供應商倉庫